{ "cells": [ { "cell_type": "markdown", "metadata": {}, "source": [ "**Chapter 8 – Dimensionality Reduction**" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "_This notebook contains all the sample code and solutions to the exercises in chapter 8._" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# Setup" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "First, let's make sure this notebook works well in both python 2 and 3, import a few common modules, ensure MatplotLib plots figures inline and prepare a function to save the figures:" ] }, { "cell_type": "code", "execution_count": 1, "metadata": { "collapsed": true }, "outputs": [], "source": [ "# To support both python 2 and python 3\n", "from __future__ import division, print_function, unicode_literals\n", "\n", "# Common imports\n", "import numpy as np\n", "import os\n", "\n", "# to make this notebook's output stable across runs\n", "np.random.seed(42)\n", "\n", "# To plot pretty figures\n", "%matplotlib inline\n", "import matplotlib\n", "import matplotlib.pyplot as plt\n", "plt.rcParams['axes.labelsize'] = 14\n", "plt.rcParams['xtick.labelsize'] = 12\n", "plt.rcParams['ytick.labelsize'] = 12\n", "\n", "# Where to save the figures\n", "PROJECT_ROOT_DIR = \".\"\n", "CHAPTER_ID = \"dim_reduction\"\n", "\n", "def save_fig(fig_id, tight_layout=True):\n", " path = os.path.join(PROJECT_ROOT_DIR, \"images\", CHAPTER_ID, fig_id + \".png\")\n", " print(\"Saving figure\", fig_id)\n", " if tight_layout:\n", " plt.tight_layout()\n", " plt.savefig(path, format='png', dpi=300)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# Projection methods\n", "Build 3D dataset:" ] }, { "cell_type": "code", "execution_count": 2, "metadata": { "collapsed": true }, "outputs": [], "source": [ "np.random.seed(4)\n", "m = 60\n", "w1, w2 = 0.1, 0.3\n", "noise = 0.1\n", "\n", "angles = np.random.rand(m) * 3 * np.pi / 2 - 0.5\n", "X = np.empty((m, 3))\n", "X[:, 0] = np.cos(angles) + np.sin(angles)/2 + noise * np.random.randn(m) / 2\n", "X[:, 1] = np.sin(angles) * 0.7 + noise * np.random.randn(m) / 2\n", "X[:, 2] = X[:, 0] * w1 + X[:, 1] * w2 + noise * np.random.randn(m)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## PCA using SVD decomposition" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Note: the `svd()` function returns `U`, `s` and `Vt`, where `Vt` is equal to $\\mathbf{V}^T$, the transpose of the matrix $\\mathbf{V}$. Earlier versions of the book mistakenly said that it returned `V` instead of `Vt`. Also, Equation 8-1 should actually contain $\\mathbf{V}$ instead of $\\mathbf{V}^T$, like this:\n", "\n", "$\n", "\\mathbf{V} =\n", "\\begin{pmatrix}\n", " \\mid & \\mid & & \\mid \\\\\n", " \\mathbf{c_1} & \\mathbf{c_2} & \\cdots & \\mathbf{c_n} \\\\\n", " \\mid & \\mid & & \\mid\n", "\\end{pmatrix}\n", "$" ] }, { "cell_type": "code", "execution_count": 3, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X_centered = X - X.mean(axis=0)\n", "U, s, Vt = np.linalg.svd(X_centered)\n", "c1 = Vt.T[:, 0]\n", "c2 = Vt.T[:, 1]" ] }, { "cell_type": "code", "execution_count": 4, "metadata": { "collapsed": true }, "outputs": [], "source": [ "m, n = X.shape\n", "\n", "S = np.zeros(X_centered.shape)\n", "S[:n, :n] = np.diag(s)" ] }, { "cell_type": "code", "execution_count": 5, "metadata": {}, "outputs": [], "source": [ "np.allclose(X_centered, U.dot(S).dot(Vt))" ] }, { "cell_type": "code", "execution_count": 6, "metadata": { "collapsed": true }, "outputs": [], "source": [ "W2 = Vt.T[:, :2]\n", "X2D = X_centered.dot(W2)" ] }, { "cell_type": "code", "execution_count": 7, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X2D_using_svd = X2D" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## PCA using Scikit-Learn" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "With Scikit-Learn, PCA is really trivial. It even takes care of mean centering for you:" ] }, { "cell_type": "code", "execution_count": 8, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.decomposition import PCA\n", "\n", "pca = PCA(n_components = 2)\n", "X2D = pca.fit_transform(X)" ] }, { "cell_type": "code", "execution_count": 9, "metadata": {}, "outputs": [], "source": [ "X2D[:5]" ] }, { "cell_type": "code", "execution_count": 10, "metadata": {}, "outputs": [], "source": [ "X2D_using_svd[:5]" ] }, { "cell_type": "markdown", "metadata": { "collapsed": true }, "source": [ "Notice that running PCA multiple times on slightly different datasets may result in different results. In general the only difference is that some axes may be flipped. In this example, PCA using Scikit-Learn gives the same projection as the one given by the SVD approach, except both axes are flipped:" ] }, { "cell_type": "code", "execution_count": 11, "metadata": {}, "outputs": [], "source": [ "np.allclose(X2D, -X2D_using_svd)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Recover the 3D points projected on the plane (PCA 2D subspace)." ] }, { "cell_type": "code", "execution_count": 12, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X3D_inv = pca.inverse_transform(X2D)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Of course, there was some loss of information during the projection step, so the recovered 3D points are not exactly equal to the original 3D points:" ] }, { "cell_type": "code", "execution_count": 13, "metadata": {}, "outputs": [], "source": [ "np.allclose(X3D_inv, X)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We can compute the reconstruction error:" ] }, { "cell_type": "code", "execution_count": 14, "metadata": {}, "outputs": [], "source": [ "np.mean(np.sum(np.square(X3D_inv - X), axis=1))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The inverse transform in the SVD approach looks like this:" ] }, { "cell_type": "code", "execution_count": 15, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X3D_inv_using_svd = X2D_using_svd.dot(Vt[:2, :])" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The reconstructions from both methods are not identical because Scikit-Learn's `PCA` class automatically takes care of reversing the mean centering, but if we subtract the mean, we get the same reconstruction:" ] }, { "cell_type": "code", "execution_count": 16, "metadata": {}, "outputs": [], "source": [ "np.allclose(X3D_inv_using_svd, X3D_inv - pca.mean_)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The `PCA` object gives access to the principal components that it computed:" ] }, { "cell_type": "code", "execution_count": 17, "metadata": {}, "outputs": [], "source": [ "pca.components_" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Compare to the first two principal components computed using the SVD method:" ] }, { "cell_type": "code", "execution_count": 18, "metadata": {}, "outputs": [], "source": [ "Vt[:2]" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Notice how the axes are flipped." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Now let's look at the explained variance ratio:" ] }, { "cell_type": "code", "execution_count": 19, "metadata": {}, "outputs": [], "source": [ "pca.explained_variance_ratio_" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The first dimension explains 84.2% of the variance, while the second explains 14.6%." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "By projecting down to 2D, we lost about 1.1% of the variance:" ] }, { "cell_type": "code", "execution_count": 20, "metadata": {}, "outputs": [], "source": [ "1 - pca.explained_variance_ratio_.sum()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Here is how to compute the explained variance ratio using the SVD approach (recall that `s` is the diagonal of the matrix `S`):" ] }, { "cell_type": "code", "execution_count": 21, "metadata": {}, "outputs": [], "source": [ "np.square(s) / np.square(s).sum()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Next, let's generate some nice figures! :)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Utility class to draw 3D arrows (copied from http://stackoverflow.com/questions/11140163)" ] }, { "cell_type": "code", "execution_count": 22, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from matplotlib.patches import FancyArrowPatch\n", "from mpl_toolkits.mplot3d import proj3d\n", "\n", "class Arrow3D(FancyArrowPatch):\n", " def __init__(self, xs, ys, zs, *args, **kwargs):\n", " FancyArrowPatch.__init__(self, (0,0), (0,0), *args, **kwargs)\n", " self._verts3d = xs, ys, zs\n", "\n", " def draw(self, renderer):\n", " xs3d, ys3d, zs3d = self._verts3d\n", " xs, ys, zs = proj3d.proj_transform(xs3d, ys3d, zs3d, renderer.M)\n", " self.set_positions((xs[0],ys[0]),(xs[1],ys[1]))\n", " FancyArrowPatch.draw(self, renderer)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Express the plane as a function of x and y." ] }, { "cell_type": "code", "execution_count": 23, "metadata": { "collapsed": true }, "outputs": [], "source": [ "axes = [-1.8, 1.8, -1.3, 1.3, -1.0, 1.0]\n", "\n", "x1s = np.linspace(axes[0], axes[1], 10)\n", "x2s = np.linspace(axes[2], axes[3], 10)\n", "x1, x2 = np.meshgrid(x1s, x2s)\n", "\n", "C = pca.components_\n", "R = C.T.dot(C)\n", "z = (R[0, 2] * x1 + R[1, 2] * x2) / (1 - R[2, 2])" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Plot the 3D dataset, the plane and the projections on that plane." ] }, { "cell_type": "code", "execution_count": 24, "metadata": {}, "outputs": [], "source": [ "from mpl_toolkits.mplot3d import Axes3D\n", "\n", "fig = plt.figure(figsize=(6, 3.8))\n", "ax = fig.add_subplot(111, projection='3d')\n", "\n", "X3D_above = X[X[:, 2] > X3D_inv[:, 2]]\n", "X3D_below = X[X[:, 2] <= X3D_inv[:, 2]]\n", "\n", "ax.plot(X3D_below[:, 0], X3D_below[:, 1], X3D_below[:, 2], \"bo\", alpha=0.5)\n", "\n", "ax.plot_surface(x1, x2, z, alpha=0.2, color=\"k\")\n", "np.linalg.norm(C, axis=0)\n", "ax.add_artist(Arrow3D([0, C[0, 0]],[0, C[0, 1]],[0, C[0, 2]], mutation_scale=15, lw=1, arrowstyle=\"-|>\", color=\"k\"))\n", "ax.add_artist(Arrow3D([0, C[1, 0]],[0, C[1, 1]],[0, C[1, 2]], mutation_scale=15, lw=1, arrowstyle=\"-|>\", color=\"k\"))\n", "ax.plot([0], [0], [0], \"k.\")\n", "\n", "for i in range(m):\n", " if X[i, 2] > X3D_inv[i, 2]:\n", " ax.plot([X[i][0], X3D_inv[i][0]], [X[i][1], X3D_inv[i][1]], [X[i][2], X3D_inv[i][2]], \"k-\")\n", " else:\n", " ax.plot([X[i][0], X3D_inv[i][0]], [X[i][1], X3D_inv[i][1]], [X[i][2], X3D_inv[i][2]], \"k-\", color=\"#505050\")\n", " \n", "ax.plot(X3D_inv[:, 0], X3D_inv[:, 1], X3D_inv[:, 2], \"k+\")\n", "ax.plot(X3D_inv[:, 0], X3D_inv[:, 1], X3D_inv[:, 2], \"k.\")\n", "ax.plot(X3D_above[:, 0], X3D_above[:, 1], X3D_above[:, 2], \"bo\")\n", "ax.set_xlabel(\"$x_1$\", fontsize=18)\n", "ax.set_ylabel(\"$x_2$\", fontsize=18)\n", "ax.set_zlabel(\"$x_3$\", fontsize=18)\n", "ax.set_xlim(axes[0:2])\n", "ax.set_ylim(axes[2:4])\n", "ax.set_zlim(axes[4:6])\n", "\n", "save_fig(\"dataset_3d_plot\")\n", "plt.show()" ] }, { "cell_type": "code", "execution_count": 25, "metadata": {}, "outputs": [], "source": [ "fig = plt.figure()\n", "ax = fig.add_subplot(111, aspect='equal')\n", "\n", "ax.plot(X2D[:, 0], X2D[:, 1], \"k+\")\n", "ax.plot(X2D[:, 0], X2D[:, 1], \"k.\")\n", "ax.plot([0], [0], \"ko\")\n", "ax.arrow(0, 0, 0, 1, head_width=0.05, length_includes_head=True, head_length=0.1, fc='k', ec='k')\n", "ax.arrow(0, 0, 1, 0, head_width=0.05, length_includes_head=True, head_length=0.1, fc='k', ec='k')\n", "ax.set_xlabel(\"$z_1$\", fontsize=18)\n", "ax.set_ylabel(\"$z_2$\", fontsize=18, rotation=0)\n", "ax.axis([-1.5, 1.3, -1.2, 1.2])\n", "ax.grid(True)\n", "save_fig(\"dataset_2d_plot\")" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# Manifold learning\n", "Swiss roll:" ] }, { "cell_type": "code", "execution_count": 26, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.datasets import make_swiss_roll\n", "X, t = make_swiss_roll(n_samples=1000, noise=0.2, random_state=42)" ] }, { "cell_type": "code", "execution_count": 27, "metadata": {}, "outputs": [], "source": [ "axes = [-11.5, 14, -2, 23, -12, 15]\n", "\n", "fig = plt.figure(figsize=(6, 5))\n", "ax = fig.add_subplot(111, projection='3d')\n", "\n", "ax.scatter(X[:, 0], X[:, 1], X[:, 2], c=t, cmap=plt.cm.hot)\n", "ax.view_init(10, -70)\n", "ax.set_xlabel(\"$x_1$\", fontsize=18)\n", "ax.set_ylabel(\"$x_2$\", fontsize=18)\n", "ax.set_zlabel(\"$x_3$\", fontsize=18)\n", "ax.set_xlim(axes[0:2])\n", "ax.set_ylim(axes[2:4])\n", "ax.set_zlim(axes[4:6])\n", "\n", "save_fig(\"swiss_roll_plot\")\n", "plt.show()" ] }, { "cell_type": "code", "execution_count": 28, "metadata": {}, "outputs": [], "source": [ "plt.figure(figsize=(11, 4))\n", "\n", "plt.subplot(121)\n", "plt.scatter(X[:, 0], X[:, 1], c=t, cmap=plt.cm.hot)\n", "plt.axis(axes[:4])\n", "plt.xlabel(\"$x_1$\", fontsize=18)\n", "plt.ylabel(\"$x_2$\", fontsize=18, rotation=0)\n", "plt.grid(True)\n", "\n", "plt.subplot(122)\n", "plt.scatter(t, X[:, 1], c=t, cmap=plt.cm.hot)\n", "plt.axis([4, 15, axes[2], axes[3]])\n", "plt.xlabel(\"$z_1$\", fontsize=18)\n", "plt.grid(True)\n", "\n", "save_fig(\"squished_swiss_roll_plot\")\n", "plt.show()" ] }, { "cell_type": "code", "execution_count": 29, "metadata": {}, "outputs": [], "source": [ "from matplotlib import gridspec\n", "\n", "axes = [-11.5, 14, -2, 23, -12, 15]\n", "\n", "x2s = np.linspace(axes[2], axes[3], 10)\n", "x3s = np.linspace(axes[4], axes[5], 10)\n", "x2, x3 = np.meshgrid(x2s, x3s)\n", "\n", "fig = plt.figure(figsize=(6, 5))\n", "ax = plt.subplot(111, projection='3d')\n", "\n", "positive_class = X[:, 0] > 5\n", "X_pos = X[positive_class]\n", "X_neg = X[~positive_class]\n", "ax.view_init(10, -70)\n", "ax.plot(X_neg[:, 0], X_neg[:, 1], X_neg[:, 2], \"y^\")\n", "ax.plot_wireframe(5, x2, x3, alpha=0.5)\n", "ax.plot(X_pos[:, 0], X_pos[:, 1], X_pos[:, 2], \"gs\")\n", "ax.set_xlabel(\"$x_1$\", fontsize=18)\n", "ax.set_ylabel(\"$x_2$\", fontsize=18)\n", "ax.set_zlabel(\"$x_3$\", fontsize=18)\n", "ax.set_xlim(axes[0:2])\n", "ax.set_ylim(axes[2:4])\n", "ax.set_zlim(axes[4:6])\n", "\n", "save_fig(\"manifold_decision_boundary_plot1\")\n", "plt.show()\n", "\n", "fig = plt.figure(figsize=(5, 4))\n", "ax = plt.subplot(111)\n", "\n", "plt.plot(t[positive_class], X[positive_class, 1], \"gs\")\n", "plt.plot(t[~positive_class], X[~positive_class, 1], \"y^\")\n", "plt.axis([4, 15, axes[2], axes[3]])\n", "plt.xlabel(\"$z_1$\", fontsize=18)\n", "plt.ylabel(\"$z_2$\", fontsize=18, rotation=0)\n", "plt.grid(True)\n", "\n", "save_fig(\"manifold_decision_boundary_plot2\")\n", "plt.show()\n", "\n", "fig = plt.figure(figsize=(6, 5))\n", "ax = plt.subplot(111, projection='3d')\n", "\n", "positive_class = 2 * (t[:] - 4) > X[:, 1]\n", "X_pos = X[positive_class]\n", "X_neg = X[~positive_class]\n", "ax.view_init(10, -70)\n", "ax.plot(X_neg[:, 0], X_neg[:, 1], X_neg[:, 2], \"y^\")\n", "ax.plot(X_pos[:, 0], X_pos[:, 1], X_pos[:, 2], \"gs\")\n", "ax.set_xlabel(\"$x_1$\", fontsize=18)\n", "ax.set_ylabel(\"$x_2$\", fontsize=18)\n", "ax.set_zlabel(\"$x_3$\", fontsize=18)\n", "ax.set_xlim(axes[0:2])\n", "ax.set_ylim(axes[2:4])\n", "ax.set_zlim(axes[4:6])\n", "\n", "save_fig(\"manifold_decision_boundary_plot3\")\n", "plt.show()\n", "\n", "fig = plt.figure(figsize=(5, 4))\n", "ax = plt.subplot(111)\n", "\n", "plt.plot(t[positive_class], X[positive_class, 1], \"gs\")\n", "plt.plot(t[~positive_class], X[~positive_class, 1], \"y^\")\n", "plt.plot([4, 15], [0, 22], \"b-\", linewidth=2)\n", "plt.axis([4, 15, axes[2], axes[3]])\n", "plt.xlabel(\"$z_1$\", fontsize=18)\n", "plt.ylabel(\"$z_2$\", fontsize=18, rotation=0)\n", "plt.grid(True)\n", "\n", "save_fig(\"manifold_decision_boundary_plot4\")\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# PCA" ] }, { "cell_type": "code", "execution_count": 30, "metadata": {}, "outputs": [], "source": [ "angle = np.pi / 5\n", "stretch = 5\n", "m = 200\n", "\n", "np.random.seed(3)\n", "X = np.random.randn(m, 2) / 10\n", "X = X.dot(np.array([[stretch, 0],[0, 1]])) # stretch\n", "X = X.dot([[np.cos(angle), np.sin(angle)], [-np.sin(angle), np.cos(angle)]]) # rotate\n", "\n", "u1 = np.array([np.cos(angle), np.sin(angle)])\n", "u2 = np.array([np.cos(angle - 2 * np.pi/6), np.sin(angle - 2 * np.pi/6)])\n", "u3 = np.array([np.cos(angle - np.pi/2), np.sin(angle - np.pi/2)])\n", "\n", "X_proj1 = X.dot(u1.reshape(-1, 1))\n", "X_proj2 = X.dot(u2.reshape(-1, 1))\n", "X_proj3 = X.dot(u3.reshape(-1, 1))\n", "\n", "plt.figure(figsize=(8,4))\n", "plt.subplot2grid((3,2), (0, 0), rowspan=3)\n", "plt.plot([-1.4, 1.4], [-1.4*u1[1]/u1[0], 1.4*u1[1]/u1[0]], \"k-\", linewidth=1)\n", "plt.plot([-1.4, 1.4], [-1.4*u2[1]/u2[0], 1.4*u2[1]/u2[0]], \"k--\", linewidth=1)\n", "plt.plot([-1.4, 1.4], [-1.4*u3[1]/u3[0], 1.4*u3[1]/u3[0]], \"k:\", linewidth=2)\n", "plt.plot(X[:, 0], X[:, 1], \"bo\", alpha=0.5)\n", "plt.axis([-1.4, 1.4, -1.4, 1.4])\n", "plt.arrow(0, 0, u1[0], u1[1], head_width=0.1, linewidth=5, length_includes_head=True, head_length=0.1, fc='k', ec='k')\n", "plt.arrow(0, 0, u3[0], u3[1], head_width=0.1, linewidth=5, length_includes_head=True, head_length=0.1, fc='k', ec='k')\n", "plt.text(u1[0] + 0.1, u1[1] - 0.05, r\"$\\mathbf{c_1}$\", fontsize=22)\n", "plt.text(u3[0] + 0.1, u3[1], r\"$\\mathbf{c_2}$\", fontsize=22)\n", "plt.xlabel(\"$x_1$\", fontsize=18)\n", "plt.ylabel(\"$x_2$\", fontsize=18, rotation=0)\n", "plt.grid(True)\n", "\n", "plt.subplot2grid((3,2), (0, 1))\n", "plt.plot([-2, 2], [0, 0], \"k-\", linewidth=1)\n", "plt.plot(X_proj1[:, 0], np.zeros(m), \"bo\", alpha=0.3)\n", "plt.gca().get_yaxis().set_ticks([])\n", "plt.gca().get_xaxis().set_ticklabels([])\n", "plt.axis([-2, 2, -1, 1])\n", "plt.grid(True)\n", "\n", "plt.subplot2grid((3,2), (1, 1))\n", "plt.plot([-2, 2], [0, 0], \"k--\", linewidth=1)\n", "plt.plot(X_proj2[:, 0], np.zeros(m), \"bo\", alpha=0.3)\n", "plt.gca().get_yaxis().set_ticks([])\n", "plt.gca().get_xaxis().set_ticklabels([])\n", "plt.axis([-2, 2, -1, 1])\n", "plt.grid(True)\n", "\n", "plt.subplot2grid((3,2), (2, 1))\n", "plt.plot([-2, 2], [0, 0], \"k:\", linewidth=2)\n", "plt.plot(X_proj3[:, 0], np.zeros(m), \"bo\", alpha=0.3)\n", "plt.gca().get_yaxis().set_ticks([])\n", "plt.axis([-2, 2, -1, 1])\n", "plt.xlabel(\"$z_1$\", fontsize=18)\n", "plt.grid(True)\n", "\n", "save_fig(\"pca_best_projection\")\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# MNIST compression" ] }, { "cell_type": "code", "execution_count": 31, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from six.moves import urllib\n", "from sklearn.datasets import fetch_mldata\n", "mnist = fetch_mldata('MNIST original')" ] }, { "cell_type": "code", "execution_count": 32, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.model_selection import train_test_split\n", "\n", "X = mnist[\"data\"]\n", "y = mnist[\"target\"]\n", "\n", "X_train, X_test, y_train, y_test = train_test_split(X, y)" ] }, { "cell_type": "code", "execution_count": 33, "metadata": { "collapsed": true }, "outputs": [], "source": [ "pca = PCA()\n", "pca.fit(X_train)\n", "cumsum = np.cumsum(pca.explained_variance_ratio_)\n", "d = np.argmax(cumsum >= 0.95) + 1" ] }, { "cell_type": "code", "execution_count": 34, "metadata": {}, "outputs": [], "source": [ "d" ] }, { "cell_type": "code", "execution_count": 35, "metadata": { "collapsed": true }, "outputs": [], "source": [ "pca = PCA(n_components=0.95)\n", "X_reduced = pca.fit_transform(X_train)" ] }, { "cell_type": "code", "execution_count": 36, "metadata": {}, "outputs": [], "source": [ "pca.n_components_" ] }, { "cell_type": "code", "execution_count": 37, "metadata": {}, "outputs": [], "source": [ "np.sum(pca.explained_variance_ratio_)" ] }, { "cell_type": "code", "execution_count": 38, "metadata": { "collapsed": true }, "outputs": [], "source": [ "pca = PCA(n_components = 154)\n", "X_reduced = pca.fit_transform(X_train)\n", "X_recovered = pca.inverse_transform(X_reduced)" ] }, { "cell_type": "code", "execution_count": 39, "metadata": { "collapsed": true }, "outputs": [], "source": [ "def plot_digits(instances, images_per_row=5, **options):\n", " size = 28\n", " images_per_row = min(len(instances), images_per_row)\n", " images = [instance.reshape(size,size) for instance in instances]\n", " n_rows = (len(instances) - 1) // images_per_row + 1\n", " row_images = []\n", " n_empty = n_rows * images_per_row - len(instances)\n", " images.append(np.zeros((size, size * n_empty)))\n", " for row in range(n_rows):\n", " rimages = images[row * images_per_row : (row + 1) * images_per_row]\n", " row_images.append(np.concatenate(rimages, axis=1))\n", " image = np.concatenate(row_images, axis=0)\n", " plt.imshow(image, cmap = matplotlib.cm.binary, **options)\n", " plt.axis(\"off\")" ] }, { "cell_type": "code", "execution_count": 40, "metadata": {}, "outputs": [], "source": [ "plt.figure(figsize=(7, 4))\n", "plt.subplot(121)\n", "plot_digits(X_train[::2100])\n", "plt.title(\"Original\", fontsize=16)\n", "plt.subplot(122)\n", "plot_digits(X_recovered[::2100])\n", "plt.title(\"Compressed\", fontsize=16)\n", "\n", "save_fig(\"mnist_compression_plot\")" ] }, { "cell_type": "code", "execution_count": 41, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X_reduced_pca = X_reduced" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Incremental PCA" ] }, { "cell_type": "code", "execution_count": 42, "metadata": {}, "outputs": [], "source": [ "from sklearn.decomposition import IncrementalPCA\n", "\n", "n_batches = 100\n", "inc_pca = IncrementalPCA(n_components=154)\n", "for X_batch in np.array_split(X_train, n_batches):\n", " print(\".\", end=\"\") # not shown in the book\n", " inc_pca.partial_fit(X_batch)\n", "\n", "X_reduced = inc_pca.transform(X_train)" ] }, { "cell_type": "code", "execution_count": 43, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X_recovered_inc_pca = inc_pca.inverse_transform(X_reduced)" ] }, { "cell_type": "code", "execution_count": 44, "metadata": {}, "outputs": [], "source": [ "plt.figure(figsize=(7, 4))\n", "plt.subplot(121)\n", "plot_digits(X_train[::2100])\n", "plt.subplot(122)\n", "plot_digits(X_recovered_inc_pca[::2100])\n", "plt.tight_layout()" ] }, { "cell_type": "code", "execution_count": 45, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X_reduced_inc_pca = X_reduced" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's compare the results of transforming MNIST using regular PCA and incremental PCA. First, the means are equal: " ] }, { "cell_type": "code", "execution_count": 46, "metadata": {}, "outputs": [], "source": [ "np.allclose(pca.mean_, inc_pca.mean_)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "But the results are not exactly identical. Incremental PCA gives a very good approximate solution, but it's not perfect:" ] }, { "cell_type": "code", "execution_count": 47, "metadata": {}, "outputs": [], "source": [ "np.allclose(X_reduced_pca, X_reduced_inc_pca)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "### Using `memmap()`" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's create the `memmap()` structure and copy the MNIST data into it. This would typically be done by a first program:" ] }, { "cell_type": "code", "execution_count": 48, "metadata": { "collapsed": true }, "outputs": [], "source": [ "filename = \"my_mnist.data\"\n", "m, n = X_train.shape\n", "\n", "X_mm = np.memmap(filename, dtype='float32', mode='write', shape=(m, n))\n", "X_mm[:] = X_train" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Now deleting the `memmap()` object will trigger its Python finalizer, which ensures that the data is saved to disk." ] }, { "cell_type": "code", "execution_count": 49, "metadata": { "collapsed": true }, "outputs": [], "source": [ "del X_mm" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Next, another program would load the data and use it for training:" ] }, { "cell_type": "code", "execution_count": 50, "metadata": {}, "outputs": [], "source": [ "X_mm = np.memmap(filename, dtype=\"float32\", mode=\"readonly\", shape=(m, n))\n", "\n", "batch_size = m // n_batches\n", "inc_pca = IncrementalPCA(n_components=154, batch_size=batch_size)\n", "inc_pca.fit(X_mm)" ] }, { "cell_type": "code", "execution_count": 51, "metadata": { "collapsed": true }, "outputs": [], "source": [ "rnd_pca = PCA(n_components=154, svd_solver=\"randomized\", random_state=42)\n", "X_reduced = rnd_pca.fit_transform(X_train)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Time complexity" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's time regular PCA against Incremental PCA and Randomized PCA, for various number of principal components:" ] }, { "cell_type": "code", "execution_count": 52, "metadata": {}, "outputs": [], "source": [ "import time\n", "\n", "for n_components in (2, 10, 154):\n", " print(\"n_components =\", n_components)\n", " regular_pca = PCA(n_components=n_components)\n", " inc_pca = IncrementalPCA(n_components=n_components, batch_size=500)\n", " rnd_pca = PCA(n_components=n_components, random_state=42, svd_solver=\"randomized\")\n", "\n", " for pca in (regular_pca, inc_pca, rnd_pca):\n", " t1 = time.time()\n", " pca.fit(X_train)\n", " t2 = time.time()\n", " print(\" {}: {:.1f} seconds\".format(pca.__class__.__name__, t2 - t1))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Now let's compare PCA and Randomized PCA for datasets of different sizes (number of instances):" ] }, { "cell_type": "code", "execution_count": 53, "metadata": {}, "outputs": [], "source": [ "times_rpca = []\n", "times_pca = []\n", "sizes = [1000, 10000, 20000, 30000, 40000, 50000, 70000, 100000, 200000, 500000]\n", "for n_samples in sizes:\n", " X = np.random.randn(n_samples, 5)\n", " pca = PCA(n_components = 2, svd_solver=\"randomized\", random_state=42)\n", " t1 = time.time()\n", " pca.fit(X)\n", " t2 = time.time()\n", " times_rpca.append(t2 - t1)\n", " pca = PCA(n_components = 2)\n", " t1 = time.time()\n", " pca.fit(X)\n", " t2 = time.time()\n", " times_pca.append(t2 - t1)\n", "\n", "plt.plot(sizes, times_rpca, \"b-o\", label=\"RPCA\")\n", "plt.plot(sizes, times_pca, \"r-s\", label=\"PCA\")\n", "plt.xlabel(\"n_samples\")\n", "plt.ylabel(\"Training time\")\n", "plt.legend(loc=\"upper left\")\n", "plt.title(\"PCA and Randomized PCA time complexity \")" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "And now let's compare their performance on datasets of 2,000 instances with various numbers of features:" ] }, { "cell_type": "code", "execution_count": 54, "metadata": { "scrolled": true }, "outputs": [], "source": [ "times_rpca = []\n", "times_pca = []\n", "sizes = [1000, 2000, 3000, 4000, 5000, 6000]\n", "for n_features in sizes:\n", " X = np.random.randn(2000, n_features)\n", " pca = PCA(n_components = 2, random_state=42, svd_solver=\"randomized\")\n", " t1 = time.time()\n", " pca.fit(X)\n", " t2 = time.time()\n", " times_rpca.append(t2 - t1)\n", " pca = PCA(n_components = 2)\n", " t1 = time.time()\n", " pca.fit(X)\n", " t2 = time.time()\n", " times_pca.append(t2 - t1)\n", "\n", "plt.plot(sizes, times_rpca, \"b-o\", label=\"RPCA\")\n", "plt.plot(sizes, times_pca, \"r-s\", label=\"PCA\")\n", "plt.xlabel(\"n_features\")\n", "plt.ylabel(\"Training time\")\n", "plt.legend(loc=\"upper left\")\n", "plt.title(\"PCA and Randomized PCA time complexity \")" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# Kernel PCA" ] }, { "cell_type": "code", "execution_count": 55, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X, t = make_swiss_roll(n_samples=1000, noise=0.2, random_state=42)" ] }, { "cell_type": "code", "execution_count": 56, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.decomposition import KernelPCA\n", "\n", "rbf_pca = KernelPCA(n_components = 2, kernel=\"rbf\", gamma=0.04)\n", "X_reduced = rbf_pca.fit_transform(X)" ] }, { "cell_type": "code", "execution_count": 57, "metadata": {}, "outputs": [], "source": [ "from sklearn.decomposition import KernelPCA\n", "\n", "lin_pca = KernelPCA(n_components = 2, kernel=\"linear\", fit_inverse_transform=True)\n", "rbf_pca = KernelPCA(n_components = 2, kernel=\"rbf\", gamma=0.0433, fit_inverse_transform=True)\n", "sig_pca = KernelPCA(n_components = 2, kernel=\"sigmoid\", gamma=0.001, coef0=1, fit_inverse_transform=True)\n", "\n", "y = t > 6.9\n", "\n", "plt.figure(figsize=(11, 4))\n", "for subplot, pca, title in ((131, lin_pca, \"Linear kernel\"), (132, rbf_pca, \"RBF kernel, $\\gamma=0.04$\"), (133, sig_pca, \"Sigmoid kernel, $\\gamma=10^{-3}, r=1$\")):\n", " X_reduced = pca.fit_transform(X)\n", " if subplot == 132:\n", " X_reduced_rbf = X_reduced\n", " \n", " plt.subplot(subplot)\n", " #plt.plot(X_reduced[y, 0], X_reduced[y, 1], \"gs\")\n", " #plt.plot(X_reduced[~y, 0], X_reduced[~y, 1], \"y^\")\n", " plt.title(title, fontsize=14)\n", " plt.scatter(X_reduced[:, 0], X_reduced[:, 1], c=t, cmap=plt.cm.hot)\n", " plt.xlabel(\"$z_1$\", fontsize=18)\n", " if subplot == 131:\n", " plt.ylabel(\"$z_2$\", fontsize=18, rotation=0)\n", " plt.grid(True)\n", "\n", "save_fig(\"kernel_pca_plot\")\n", "plt.show()" ] }, { "cell_type": "code", "execution_count": 58, "metadata": {}, "outputs": [], "source": [ "plt.figure(figsize=(6, 5))\n", "\n", "X_inverse = pca.inverse_transform(X_reduced_rbf)\n", "\n", "ax = plt.subplot(111, projection='3d')\n", "ax.view_init(10, -70)\n", "ax.scatter(X_inverse[:, 0], X_inverse[:, 1], X_inverse[:, 2], c=t, cmap=plt.cm.hot, marker=\"x\")\n", "ax.set_xlabel(\"\")\n", "ax.set_ylabel(\"\")\n", "ax.set_zlabel(\"\")\n", "ax.set_xticklabels([])\n", "ax.set_yticklabels([])\n", "ax.set_zticklabels([])\n", "\n", "save_fig(\"preimage_plot\", tight_layout=False)\n", "plt.show()" ] }, { "cell_type": "code", "execution_count": 59, "metadata": {}, "outputs": [], "source": [ "X_reduced = rbf_pca.fit_transform(X)\n", "\n", "plt.figure(figsize=(11, 4))\n", "plt.subplot(132)\n", "plt.scatter(X_reduced[:, 0], X_reduced[:, 1], c=t, cmap=plt.cm.hot, marker=\"x\")\n", "plt.xlabel(\"$z_1$\", fontsize=18)\n", "plt.ylabel(\"$z_2$\", fontsize=18, rotation=0)\n", "plt.grid(True)" ] }, { "cell_type": "code", "execution_count": 60, "metadata": {}, "outputs": [], "source": [ "from sklearn.model_selection import GridSearchCV\n", "from sklearn.linear_model import LogisticRegression\n", "from sklearn.pipeline import Pipeline\n", "\n", "clf = Pipeline([\n", " (\"kpca\", KernelPCA(n_components=2)),\n", " (\"log_reg\", LogisticRegression())\n", " ])\n", "\n", "param_grid = [{\n", " \"kpca__gamma\": np.linspace(0.03, 0.05, 10),\n", " \"kpca__kernel\": [\"rbf\", \"sigmoid\"]\n", " }]\n", "\n", "grid_search = GridSearchCV(clf, param_grid, cv=3)\n", "grid_search.fit(X, y)" ] }, { "cell_type": "code", "execution_count": 61, "metadata": {}, "outputs": [], "source": [ "print(grid_search.best_params_)" ] }, { "cell_type": "code", "execution_count": 62, "metadata": { "collapsed": true }, "outputs": [], "source": [ "rbf_pca = KernelPCA(n_components = 2, kernel=\"rbf\", gamma=0.0433,\n", " fit_inverse_transform=True)\n", "X_reduced = rbf_pca.fit_transform(X)\n", "X_preimage = rbf_pca.inverse_transform(X_reduced)" ] }, { "cell_type": "code", "execution_count": 63, "metadata": {}, "outputs": [], "source": [ "from sklearn.metrics import mean_squared_error\n", "\n", "mean_squared_error(X, X_preimage)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# LLE" ] }, { "cell_type": "code", "execution_count": 64, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X, t = make_swiss_roll(n_samples=1000, noise=0.2, random_state=41)" ] }, { "cell_type": "code", "execution_count": 65, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.manifold import LocallyLinearEmbedding\n", "\n", "lle = LocallyLinearEmbedding(n_components=2, n_neighbors=10, random_state=42)\n", "X_reduced = lle.fit_transform(X)" ] }, { "cell_type": "code", "execution_count": 66, "metadata": {}, "outputs": [], "source": [ "plt.title(\"Unrolled swiss roll using LLE\", fontsize=14)\n", "plt.scatter(X_reduced[:, 0], X_reduced[:, 1], c=t, cmap=plt.cm.hot)\n", "plt.xlabel(\"$z_1$\", fontsize=18)\n", "plt.ylabel(\"$z_2$\", fontsize=18)\n", "plt.axis([-0.065, 0.055, -0.1, 0.12])\n", "plt.grid(True)\n", "\n", "save_fig(\"lle_unrolling_plot\")\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# MDS, Isomap and t-SNE" ] }, { "cell_type": "code", "execution_count": 67, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.manifold import MDS\n", "\n", "mds = MDS(n_components=2, random_state=42)\n", "X_reduced_mds = mds.fit_transform(X)" ] }, { "cell_type": "code", "execution_count": 68, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.manifold import Isomap\n", "\n", "isomap = Isomap(n_components=2)\n", "X_reduced_isomap = isomap.fit_transform(X)" ] }, { "cell_type": "code", "execution_count": 69, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.manifold import TSNE\n", "\n", "tsne = TSNE(n_components=2, random_state=42)\n", "X_reduced_tsne = tsne.fit_transform(X)" ] }, { "cell_type": "code", "execution_count": 70, "metadata": {}, "outputs": [], "source": [ "from sklearn.discriminant_analysis import LinearDiscriminantAnalysis\n", "\n", "lda = LinearDiscriminantAnalysis(n_components=2)\n", "X_mnist = mnist[\"data\"]\n", "y_mnist = mnist[\"target\"]\n", "lda.fit(X_mnist, y_mnist)\n", "X_reduced_lda = lda.transform(X_mnist)" ] }, { "cell_type": "code", "execution_count": 71, "metadata": {}, "outputs": [], "source": [ "titles = [\"MDS\", \"Isomap\", \"t-SNE\"]\n", "\n", "plt.figure(figsize=(11,4))\n", "\n", "for subplot, title, X_reduced in zip((131, 132, 133), titles,\n", " (X_reduced_mds, X_reduced_isomap, X_reduced_tsne)):\n", " plt.subplot(subplot)\n", " plt.title(title, fontsize=14)\n", " plt.scatter(X_reduced[:, 0], X_reduced[:, 1], c=t, cmap=plt.cm.hot)\n", " plt.xlabel(\"$z_1$\", fontsize=18)\n", " if subplot == 131:\n", " plt.ylabel(\"$z_2$\", fontsize=18, rotation=0)\n", " plt.grid(True)\n", "\n", "save_fig(\"other_dim_reduction_plot\")\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": { "collapsed": true }, "source": [ "# Exercise solutions" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## 1. to 8." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "See appendix A." ] }, { "cell_type": "markdown", "metadata": { "collapsed": true }, "source": [ "## 9." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "*Exercise: Load the MNIST dataset (introduced in chapter 3) and split it into a training set and a test set (take the first 60,000 instances for training, and the remaining 10,000 for testing).*" ] }, { "cell_type": "code", "execution_count": 72, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.datasets import fetch_mldata\n", "mnist = fetch_mldata('MNIST original')" ] }, { "cell_type": "code", "execution_count": 73, "metadata": { "collapsed": true }, "outputs": [], "source": [ "X_train = mnist['data'][:60000]\n", "y_train = mnist['target'][:60000]\n", "\n", "X_test = mnist['data'][60000:]\n", "y_test = mnist['target'][60000:]" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "*Exercise: Train a Random Forest classifier on the dataset and time how long it takes, then evaluate the resulting model on the test set.*" ] }, { "cell_type": "code", "execution_count": 74, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.ensemble import RandomForestClassifier\n", "\n", "rnd_clf = RandomForestClassifier(random_state=42)" ] }, { "cell_type": "code", "execution_count": 75, "metadata": { "collapsed": true }, "outputs": [], "source": [ "import time\n", "\n", "t0 = time.time()\n", "rnd_clf.fit(X_train, y_train)\n", "t1 = time.time()" ] }, { "cell_type": "code", "execution_count": 76, "metadata": {}, "outputs": [], "source": [ "print(\"Training took {:.2f}s\".format(t1 - t0))" ] }, { "cell_type": "code", "execution_count": 77, "metadata": {}, "outputs": [], "source": [ "from sklearn.metrics import accuracy_score\n", "\n", "y_pred = rnd_clf.predict(X_test)\n", "accuracy_score(y_test, y_pred)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "*Exercise: Next, use PCA to reduce the dataset's dimensionality, with an explained variance ratio of 95%.*" ] }, { "cell_type": "code", "execution_count": 78, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.decomposition import PCA\n", "\n", "pca = PCA(n_components=0.95)\n", "X_train_reduced = pca.fit_transform(X_train)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "*Exercise: Train a new Random Forest classifier on the reduced dataset and see how long it takes. Was training much faster?*" ] }, { "cell_type": "code", "execution_count": 79, "metadata": { "collapsed": true }, "outputs": [], "source": [ "rnd_clf2 = RandomForestClassifier(random_state=42)\n", "t0 = time.time()\n", "rnd_clf2.fit(X_train_reduced, y_train)\n", "t1 = time.time()" ] }, { "cell_type": "code", "execution_count": 80, "metadata": {}, "outputs": [], "source": [ "print(\"Training took {:.2f}s\".format(t1 - t0))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Oh no! Training is actually more than twice slower now! How can that be? Well, as we saw in this chapter, dimensionality reduction does not always lead to faster training time: it depends on the dataset, the model and the training algorithm. See figure 8-6 (the `manifold_decision_boundary_plot*` plots above). If you try a softmax classifier instead of a random forest classifier, you will find that training time is reduced by a factor of 3 when using PCA. Actually, we will do this in a second, but first let's check the precision of the new random forest classifier." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "*Exercise: Next evaluate the classifier on the test set: how does it compare to the previous classifier?*" ] }, { "cell_type": "code", "execution_count": 81, "metadata": {}, "outputs": [], "source": [ "X_test_reduced = pca.transform(X_test)\n", "\n", "y_pred = rnd_clf2.predict(X_test_reduced)\n", "accuracy_score(y_test, y_pred)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It is common for performance to drop slightly when reducing dimensionality, because we do lose some useful signal in the process. However, the performance drop is rather severe in this case. So PCA really did not help: it slowed down training and reduced performance. :(\n", "\n", "Let's see if it helps when using softmax regression:" ] }, { "cell_type": "code", "execution_count": 82, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.linear_model import LogisticRegression\n", "\n", "log_clf = LogisticRegression(multi_class=\"multinomial\", solver=\"lbfgs\", random_state=42)\n", "t0 = time.time()\n", "log_clf.fit(X_train, y_train)\n", "t1 = time.time()" ] }, { "cell_type": "code", "execution_count": 83, "metadata": {}, "outputs": [], "source": [ "print(\"Training took {:.2f}s\".format(t1 - t0))" ] }, { "cell_type": "code", "execution_count": 84, "metadata": {}, "outputs": [], "source": [ "y_pred = log_clf.predict(X_test)\n", "accuracy_score(y_test, y_pred)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Okay, so softmax regression takes much longer to train on this dataset than the random forest classifier, plus it performs worse on the test set. But that's not what we are interested in right now, we want to see how much PCA can help softmax regression. Let's train the softmax regression model using the reduced dataset:" ] }, { "cell_type": "code", "execution_count": 85, "metadata": { "collapsed": true }, "outputs": [], "source": [ "log_clf2 = LogisticRegression(multi_class=\"multinomial\", solver=\"lbfgs\", random_state=42)\n", "t0 = time.time()\n", "log_clf2.fit(X_train_reduced, y_train)\n", "t1 = time.time()" ] }, { "cell_type": "code", "execution_count": 86, "metadata": {}, "outputs": [], "source": [ "print(\"Training took {:.2f}s\".format(t1 - t0))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Nice! Reducing dimensionality led to a 4× speedup. :) Let's the model's accuracy:" ] }, { "cell_type": "code", "execution_count": 87, "metadata": {}, "outputs": [], "source": [ "y_pred = log_clf2.predict(X_test_reduced)\n", "accuracy_score(y_test, y_pred)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "A very slight drop in performance, which might be a reasonable price to pay for a 4× speedup, depending on the application." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "So there you have it: PCA can give you a formidable speedup... but not always!" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## 10." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "*Exercise: Use t-SNE to reduce the MNIST dataset down to two dimensions and plot the result using Matplotlib. You can use a scatterplot using 10 different colors to represent each image's target class.*" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's start by loading the MNIST dataset (again):" ] }, { "cell_type": "code", "execution_count": 88, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.datasets import fetch_mldata\n", "\n", "mnist = fetch_mldata('MNIST original')" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Dimensionality reduction on the full 60,000 images takes a very long time, so let's only do this on a random subset of 10,000 images:" ] }, { "cell_type": "code", "execution_count": 89, "metadata": { "collapsed": true }, "outputs": [], "source": [ "np.random.seed(42)\n", "\n", "m = 10000\n", "idx = np.random.permutation(60000)[:m]\n", "\n", "X = mnist['data'][idx]\n", "y = mnist['target'][idx]" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Now let's use t-SNE to reduce dimensionality down to 2D so we can plot the dataset:" ] }, { "cell_type": "code", "execution_count": 90, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.manifold import TSNE\n", "\n", "tsne = TSNE(n_components=2, random_state=42)\n", "X_reduced = tsne.fit_transform(X)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Now let's use Matplotlib's `scatter()` function to plot a scatterplot, using a different color for each digit:" ] }, { "cell_type": "code", "execution_count": 91, "metadata": {}, "outputs": [], "source": [ "plt.figure(figsize=(13,10))\n", "plt.scatter(X_reduced[:, 0], X_reduced[:, 1], c=y, cmap=\"jet\")\n", "plt.axis('off')\n", "plt.colorbar()\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Isn't this just beautiful? :) This plot tells us which numbers are easily distinguishable from the others (e.g., 0s, 6s, and most 8s are rather well separated clusters), and it also tells us which numbers are often hard to distinguish (e.g., 4s and 9s, 5s and 3s, and so on)." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's focus on digits 3 and 5, which seem to overlap a lot." ] }, { "cell_type": "code", "execution_count": 92, "metadata": {}, "outputs": [], "source": [ "plt.figure(figsize=(9,9))\n", "cmap = matplotlib.cm.get_cmap(\"jet\")\n", "for digit in (2, 3, 5):\n", " plt.scatter(X_reduced[y == digit, 0], X_reduced[y == digit, 1], c=cmap(digit / 9))\n", "plt.axis('off')\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's see if we can produce a nicer image by running t-SNE on these 3 digits:" ] }, { "cell_type": "code", "execution_count": 93, "metadata": { "collapsed": true }, "outputs": [], "source": [ "idx = (y == 2) | (y == 3) | (y == 5) \n", "X_subset = X[idx]\n", "y_subset = y[idx]\n", "\n", "tsne_subset = TSNE(n_components=2, random_state=42)\n", "X_subset_reduced = tsne_subset.fit_transform(X_subset)" ] }, { "cell_type": "code", "execution_count": 94, "metadata": {}, "outputs": [], "source": [ "plt.figure(figsize=(9,9))\n", "for digit in (2, 3, 5):\n", " plt.scatter(X_subset_reduced[y_subset == digit, 0], X_subset_reduced[y_subset == digit, 1], c=cmap(digit / 9))\n", "plt.axis('off')\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Much better, now the clusters have far less overlap. But some 3s are all over the place. Plus, there are two distinct clusters of 2s, and also two distinct clusters of 5s. It would be nice if we could visualize a few digits from each cluster, to understand why this is the case. Let's do that now. " ] }, { "cell_type": "markdown", "metadata": { "collapsed": true }, "source": [ "*Exercise: Alternatively, you can write colored digits at the location of each instance, or even plot scaled-down versions of the digit images themselves (if you plot all digits, the visualization will be too cluttered, so you should either draw a random sample or plot an instance only if no other instance has already been plotted at a close distance). You should get a nice visualization with well-separated clusters of digits.*" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's create a `plot_digits()` function that will draw a scatterplot (similar to the above scatterplots) plus write colored digits, with a minimum distance guaranteed between these digits. If the digit images are provided, they are plotted instead. This implementation was inspired from one of Scikit-Learn's excellent examples ([plot_lle_digits](http://scikit-learn.org/stable/auto_examples/manifold/plot_lle_digits.html), based on a different digit dataset)." ] }, { "cell_type": "code", "execution_count": 95, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from sklearn.preprocessing import MinMaxScaler\n", "from matplotlib.offsetbox import AnnotationBbox, OffsetImage\n", "\n", "def plot_digits(X, y, min_distance=0.05, images=None, figsize=(13, 10)):\n", " # Let's scale the input features so that they range from 0 to 1\n", " X_normalized = MinMaxScaler().fit_transform(X)\n", " # Now we create the list of coordinates of the digits plotted so far.\n", " # We pretend that one is already plotted far away at the start, to\n", " # avoid `if` statements in the loop below\n", " neighbors = np.array([[10., 10.]])\n", " # The rest should be self-explanatory\n", " plt.figure(figsize=figsize)\n", " cmap = matplotlib.cm.get_cmap(\"jet\")\n", " digits = np.unique(y)\n", " for digit in digits:\n", " plt.scatter(X_normalized[y == digit, 0], X_normalized[y == digit, 1], c=cmap(digit / 9))\n", " plt.axis(\"off\")\n", " ax = plt.gcf().gca() # get current axes in current figure\n", " for index, image_coord in enumerate(X_normalized):\n", " closest_distance = np.linalg.norm(np.array(neighbors) - image_coord, axis=1).min()\n", " if closest_distance > min_distance:\n", " neighbors = np.r_[neighbors, [image_coord]]\n", " if images is None:\n", " plt.text(image_coord[0], image_coord[1], str(int(y[index])),\n", " color=cmap(y[index] / 9), fontdict={\"weight\": \"bold\", \"size\": 16})\n", " else:\n", " image = images[index].reshape(28, 28)\n", " imagebox = AnnotationBbox(OffsetImage(image, cmap=\"binary\"), image_coord)\n", " ax.add_artist(imagebox)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's try it! First let's just write colored digits:" ] }, { "cell_type": "code", "execution_count": 96, "metadata": {}, "outputs": [], "source": [ "plot_digits(X_reduced, y)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Well that's okay, but not that beautiful. Let's try with the digit images:" ] }, { "cell_type": "code", "execution_count": 97, "metadata": {}, "outputs": [], "source": [ "plot_digits(X_reduced, y, images=X, figsize=(35, 25))" ] }, { "cell_type": "code", "execution_count": 98, "metadata": {}, "outputs": [], "source": [ "plot_digits(X_subset_reduced, y_subset, images=X_subset, figsize=(22, 22))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "*Exercise: Try using other dimensionality reduction algorithms such as PCA, LLE, or MDS and compare the resulting visualizations.*" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's start with PCA. We will also time how long it takes:" ] }, { "cell_type": "code", "execution_count": 99, "metadata": {}, "outputs": [], "source": [ "from sklearn.decomposition import PCA\n", "import time\n", "\n", "t0 = time.time()\n", "X_pca_reduced = PCA(n_components=2, random_state=42).fit_transform(X)\n", "t1 = time.time()\n", "print(\"PCA took {:.1f}s.\".format(t1 - t0))\n", "plot_digits(X_pca_reduced, y)\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Wow, PCA is blazingly fast! But although we do see a few clusters, there's way too much overlap. Let's try LLE:" ] }, { "cell_type": "code", "execution_count": 100, "metadata": {}, "outputs": [], "source": [ "from sklearn.manifold import LocallyLinearEmbedding\n", "\n", "t0 = time.time()\n", "X_lle_reduced = LocallyLinearEmbedding(n_components=2, random_state=42).fit_transform(X)\n", "t1 = time.time()\n", "print(\"LLE took {:.1f}s.\".format(t1 - t0))\n", "plot_digits(X_lle_reduced, y)\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "That took a while, and the result does not look too good. Let's see what happens if we apply PCA first, preserving 95% of the variance:" ] }, { "cell_type": "code", "execution_count": 101, "metadata": {}, "outputs": [], "source": [ "from sklearn.pipeline import Pipeline\n", "\n", "pca_lle = Pipeline([\n", " (\"pca\", PCA(n_components=0.95, random_state=42)),\n", " (\"lle\", LocallyLinearEmbedding(n_components=2, random_state=42)),\n", "])\n", "t0 = time.time()\n", "X_pca_lle_reduced = pca_lle.fit_transform(X)\n", "t1 = time.time()\n", "print(\"PCA+LLE took {:.1f}s.\".format(t1 - t0))\n", "plot_digits(X_pca_lle_reduced, y)\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The result is more or less the same, but this time it was almost 4× faster." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's try MDS. It's much too long if we run it on 10,000 instances, so let's just try 2,000 for now:" ] }, { "cell_type": "code", "execution_count": 102, "metadata": {}, "outputs": [], "source": [ "from sklearn.manifold import MDS\n", "\n", "m = 2000\n", "t0 = time.time()\n", "X_mds_reduced = MDS(n_components=2, random_state=42).fit_transform(X[:m])\n", "t1 = time.time()\n", "print(\"MDS took {:.1f}s (on just 2,000 MNIST images instead of 10,000).\".format(t1 - t0))\n", "plot_digits(X_mds_reduced, y[:m])\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Meh. This does not look great, all clusters overlap too much. Let's try with PCA first, perhaps it will be faster?" ] }, { "cell_type": "code", "execution_count": 103, "metadata": {}, "outputs": [], "source": [ "from sklearn.pipeline import Pipeline\n", "\n", "pca_mds = Pipeline([\n", " (\"pca\", PCA(n_components=0.95, random_state=42)),\n", " (\"mds\", MDS(n_components=2, random_state=42)),\n", "])\n", "t0 = time.time()\n", "X_pca_mds_reduced = pca_mds.fit_transform(X[:2000])\n", "t1 = time.time()\n", "print(\"PCA+MDS took {:.1f}s (on 2,000 MNIST images).\".format(t1 - t0))\n", "plot_digits(X_pca_mds_reduced, y[:2000])\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Same result, and no speedup: PCA did not help (or hurt)." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's try LDA:" ] }, { "cell_type": "code", "execution_count": 104, "metadata": {}, "outputs": [], "source": [ "from sklearn.discriminant_analysis import LinearDiscriminantAnalysis\n", "\n", "t0 = time.time()\n", "X_lda_reduced = LinearDiscriminantAnalysis(n_components=2).fit_transform(X, y)\n", "t1 = time.time()\n", "print(\"LDA took {:.1f}s.\".format(t1 - t0))\n", "plot_digits(X_lda_reduced, y, figsize=(12,12))\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This one is very fast, and it looks nice at first, until you realize that several clusters overlap severely." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Well, it's pretty clear that t-SNE won this little competition, wouldn't you agree? We did not time it, so let's do that now:" ] }, { "cell_type": "code", "execution_count": 105, "metadata": {}, "outputs": [], "source": [ "from sklearn.manifold import TSNE\n", "\n", "t0 = time.time()\n", "X_tsne_reduced = TSNE(n_components=2, random_state=42).fit_transform(X)\n", "t1 = time.time()\n", "print(\"t-SNE took {:.1f}s.\".format(t1 - t0))\n", "plot_digits(X_tsne_reduced, y)\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It's twice slower than LLE, but still much faster than MDS, and the result looks great. Let's see if a bit of PCA can speed it up:" ] }, { "cell_type": "code", "execution_count": 106, "metadata": {}, "outputs": [], "source": [ "pca_tsne = Pipeline([\n", " (\"pca\", PCA(n_components=0.95, random_state=42)),\n", " (\"tsne\", TSNE(n_components=2, random_state=42)),\n", "])\n", "t0 = time.time()\n", "X_pca_tsne_reduced = pca_tsne.fit_transform(X)\n", "t1 = time.time()\n", "print(\"PCA+t-SNE took {:.1f}s.\".format(t1 - t0))\n", "plot_digits(X_pca_tsne_reduced, y)\n", "plt.show()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Yes, PCA roughly gave us a 25% speedup, without damaging the result. We have a winner!" ] }, { "cell_type": "code", "execution_count": null, "metadata": { "collapsed": true }, "outputs": [], "source": [] } ], "metadata": { "kernelspec": { "display_name": "Python 3", "language": "python", "name": "python3" }, "language_info": { "codemirror_mode": { "name": "ipython", "version": 3 }, "file_extension": ".py", "mimetype": "text/x-python", "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", "version": "3.5.2" }, "nav_menu": { "height": "352px", "width": "458px" }, "toc": { "navigate_menu": true, "number_sections": true, "sideBar": true, "threshold": 6, "toc_cell": false, "toc_section_display": "block", "toc_window_display": false } }, "nbformat": 4, "nbformat_minor": 1 }