Lab 18: Dimensionality Reduction#

For the class on Monday, April 8th

A. Determine the number of dimensions#

(In-class activity) For each of the following cases, determine the number of dimensions (or features) before any feature selection/preprocessing (sometimes called “ambient dimensionality”). Your answer should be in the form of “the number of dimensions is the number of […]”.

  1. Tabular data: One instance = one row. Predict the target from the features.

  2. Image: One instance = one image. Identify the content of the image.

  3. Text: One instance = one article. Find similar articles based on the word frequencies.

  4. Spectra: One instance = one spectrum. Classify the spectra.

  5. Ising model: One instance = one configuration. Find the most likely temperature the configuration is at.

  6. Gravitational systems (e.g., planetary system): One instance = one snapshot of the system. Predict whether any object in the system will be ejected (i.e., become unbound).

Part A


// Write your answers below. Include the name(s) of your group partner(s).


B. Principal Component Analysis (PCA)#

We will apply Principal Component Analysis on the handwritten digits dataset. The specific dataset used here is the one included in scikit-learn, which comes from the UC Irvine (UCI) Machine Learning Repository.

The digit images originally come from the National Institute of Standards and Technology (NIST). As such, the handwritten digits dataset is commonly referred to as the MNIST (Modified NIST) database.

import numpy as np
import matplotlib.pyplot as plt

from sklearn.datasets import load_digits
from sklearn.decomposition import PCA
# Load digits data
data_digits = load_digits(as_frame=True)
# Inspect raw data
instance_index = 42  # change this to inspect other instances

fig, ax = plt.subplots(figsize=(2,2))
ax.matshow(data_digits.data.iloc[instance_index].values.reshape(8,8), cmap="Greys");
ax.axis("off");
ax.set_title(f"{data_digits.target[instance_index]}");
../_images/92996727b7f6cdb8f2aa4a65ab004b11a5dfb5785a4c1213c614b2eb1986b9ad.png
# Apply PCA to data, and then project the data to the principal component (PC) axes.
pca = PCA()
pca.fit(data_digits.data)
data_after_pca = pca.transform(data_digits.data)
# Make Scree plot
fig, ax = plt.subplots()

x = np.arange(1, pca.n_components_+1)
ax.bar(x, pca.explained_variance_ratio_, align="center", color="C1", alpha=0.6)
ax.set_xlabel('n-th component')
ax.set_ylabel('Explained variance ratio (per component)', color="C1")

ax2 = ax.twinx()
ax2.plot(x, np.cumsum(pca.explained_variance_ratio_), color="C0", lw=2)
ax2.set_ylabel('Explained variance ratio (cumulative)', color="C0")
ax2.set_ylim(0, 1.05);
../_images/568890c186d8d67e9e73f42b0629fcedaebd68a71aa64148c8599e8e01098d79.png
# Visualize the first 5 PCs

fig, ax = plt.subplots(1, 5, figsize=(10, 2.5), constrained_layout=True)
for i, ax_this in enumerate(ax.flat):
    ax_this.matshow(pca.components_[i].reshape(8,8), cmap="coolwarm", vmax=0.4, vmin=-0.4);
    ax_this.axis("off")
    ax_this.set_title(f"PC{i+1}")
../_images/be13e2754f3bdeda5116029c368f9cf567782ddf353bf4ed26db47fb40d66c8d.png
# Project the digits data in the first 3 PCs and display them in a 3D scatter plot

fig = plt.figure(figsize=(7,6))
ax = fig.add_subplot(projection='3d')
cs = ax.scatter(data_after_pca[:,0], data_after_pca[:,1], data_after_pca[:,2], c=data_digits.target, cmap="tab10", s=8)

ax.view_init(30, -60)  # change these two numbers to rotate the view

ax.set_xlabel("PC 1")
ax.set_ylabel("PC 2")
ax.set_zlabel("PC 3")
plt.colorbar(cs, label="digit", shrink=0.7)
fig.tight_layout()
../_images/9c0601593114e675837f31aabd61b97bd2f6f62b53bacf7765fd4196d641d4e1.png

Part B Questions:

  1. How many components do you need to explain 80% of the variance for this data set?

  2. Based on the 3D scatter plot (you may need to rotate the views to answer the following):

    • Which digits (0-9) have high coefficients in the first principal component (PC1)?

    • Which digits (0-9) have high coefficients in the second principal component (PC2)?

    • Which digits (0-9) have high coefficients in the third principal component (PC3)?

  3. Compare your answers to (2) with the principal component visualization. Briefly (3-4 sentences) describe what you observe. (Note that in the PC visualization plot, red means high positive dependence, blue means high negative dependence, and grey means little dependence.)


// Write your answer here


C. Compare with t-distributed Stochastic Neighbor Embedding (t-SNE)#

Here we compare the projection of the digits dataset in the first two PCs with the t-SNE projection.

# Fit and transform the digits data with t-SNE

from sklearn.manifold import TSNE

tsne = TSNE()

# Note that `TSNE` does not have the `transform` method, so we must use `fit_transform`
data_after_tsne = tsne.fit_transform(data_digits.data)
# Visualize PCA (first two PCs) and t-S
datasets = [data_after_pca, data_after_tsne]
labels = ["PCA", 't-SNE']

fig, ax = plt.subplots(ncols=2, figsize=(10.5, 5), constrained_layout=True)
for data, label, ax_this in zip(datasets, labels, ax):
    cs = ax_this.scatter(data[:,0], data[:,1], c=data_digits.target, s=6, cmap="tab10")
    ax_this.set_title(label)
plt.colorbar(cs, ax=ax, label="digit");
../_images/cfee0f03246176290c0fa27f4a0b0e401967e789b04d80c8ff56869ab98ae434.png

Part C Question:

  1. Why doesn’t t-SNE (TSNE) have the .transform() method?

  2. Based on what you learned from https://distill.pub/2016/misread-tsne/, briefly (3-4 sentences) comment on the difference between the PCA and t-SNE projection.


// Write your answer here


Tip

How to submit this notebook on Canvas?

  1. Make sure all your answers, code, and desired results are properly displayed in the notebook.

  2. Save the notebook (press Ctrl+s or Cmd+s). The grey dot on the filename tab (indicating “unsaved”) should disappear.

  3. Run the following cell.

  4. Upload the resulting HTML file to Canvas under the corresponding assignment.

! jupyter nbconvert --to html ./18.ipynb