Starting from:

$25

CS178 - Machine Learning & Data Mining - Homework 2 - Linear Regression - Solved

For this problem we will fit linear regression models that minimize the mean squared error (MSE).

data/curve80.txt
data[:,0]
is the scalar feature value x; the second column
data[:,1]
1.    Load the “” data set, and split it into 75% / 25% training/test. The first column is the target value y for each

example. For consistency in our results, do not reorder (shuffle) the data (they’re already in a random order), and use the first 75% of the data for training and the rest for testing:

X = data[:,0]

X = np.atleast_2d(X).T # code expects shape (M,N) so make sure it's 2-dimensional Y = data[:,1]

Xtr,Xte,Ytr,Yte = ml.splitData(X,Y,0.75) # split data set 75/25
1

2

3

4

 
Print the shapes of these four objects. (5 points)

linearRegress
2.     Use the providedclass to create a linear regression predictor of y given x. You can plot the resulting function by simply evaluating the model at a large number of x values xs :

lr = ml.linear.linearRegress( Xtr, Ytr ) # create and train model xs = np.linspace(0,10,200)         # densely sample possible x-values xs = xs[:,np.newaxis]      # force "xs" to be an Mx1 matrix (expected by our code) ys = lr.predict( xs )              # make predictions at xs
1

2

3

4

(a)    Plot the training data points along with your prediction function in a single plot. (10 points)

(b)     Print the linear regression coefficients ( lr.theta ) and verify that they match your plot. (5 points)

(c)    What is the mean squared error of the predictions on the training and test data? (10 points)

3.    Try fitting y = f (x) using a polynomial function f (x) of increasing order. Do this by the trick of adding additional polynomial features before constructing and training the linear regression object. You can do this easily yourself; you can add a quadratic feature of Xtr with

Xtr2 = np.zeros( (Xtr.shape[0],2) ) # create Mx2 array to store features

Xtr2[:,0] = Xtr[:,0]                                                 # place original "x" feature as X1

Xtr2[:,1] = Xtr[:,0]**2                                        # place "x^2" feature as X2

# Now, Xtr2 has two features about each data point: "x" and "x^2"
1

2

3

4

ml.transforms.fpoly
 (You can also add the all-ones constant feature in a similar way, but this is currently done automatically within the learner’s train function.) A function “” is also provided to more easily create such features. Note, though, that the resulting features may include extremely large values; if x ≈ 10, then x10 is extremely large. For this reason (as is often the case with features on very different scales) it’s a good idea to rescale the features; again, you can do this manually or use the provided rescale function:

# Create polynomial features up to "degree"; don't create constant feature

# (the linear regression learner will add the constant feature automatically)

XtrP = ml.transforms.fpoly(Xtr, degree, bias=False)
1

2

3

4

# Rescale the data matrix so that the features have similar ranges / variance

XtrP,params = ml.transforms.rescale(XtrP)

# "params" returns the transformation parameters (shift & scale)

# Then we can train the model on the scaled feature matrix: lr = ml.linear.linearRegress( XtrP, Ytr )                # create and train model

# Now, apply the same polynomial expansion & scaling transformation to Xtest:

XteP,_ = ml.transforms.rescale( ml.transforms.fpoly(Xte,degree,false), params)
5

6

7

8

9

10

11

12

13

The transformations used to create features of the training data may depend on properties of that data (such as rescaling the data to have mean zero and variance one). For our learned predictions to be consistent,

 we need to apply the same transform to new test data, so that it will be represented consistently with the training data. “Feature transform” functions like rescale are written to output their parameters (here

params = (mu,sig)
, a tuple containing the mean and standard deviation used to shift and scale the data)

so that they can be reused on subsequent data. When evaluating a polynomial regression model, be sure that the same rescaling and polynomial expansion is applied to both the training and test data.

Train polynomial regression models of degree d = 1, 3,5, 7,10, 15,18, and:

(a)    For each model, plot the learned prediction function f (x). (15 points)

semilogy
(b)    Plot the training and test errors on a log scale () as a function of the model degree. (10 points) (c) What polynomial degree do you recommend? (5 points)

When plotting prediction functions in part (a), you should set all plots to have the same vertical axis limits as the d = 1 regression model. Otherwise, high-degree polynomials may appear flat due to taking on extremely large values for a subset of inputs. Here is some example code:

fig, ax = plt.subplots(1, 1, figsize=(10, 8)) # Create axes for single subplot ax.plot(...) # Plot polynomial regression of desired degree ax.set_ylim(..., ...) # Set the minimum and maximum limits plt.show()
1

2

3

 
4

4. (Extra Credit, 10pts) Instead of expanding using polynomial features, try using Fourier features, i.e.,

XtrF = np.zeros( (Xtr.shape[0],5) ) # create Mx5 array to store features

XtrF[:,0] = Xtr[:,0]                                                  # place original "x" feature as X1

XtrF[:,1] = np.sin(Xtr[:,0]/2.)      # place "sin(x)" feature as X2 (approx. scaled to ,→ X's range)

XtrF[:,2] = np.cos(Xtr[:,0]/2.)                                                 # place "cos(x)" feature as X3

XtrF[:,3] = np.sin(Xtr[:,0]*2./2.) # place "sin(2*x)" feature as X3

XtrF[:,4] = np.cos(Xtr[:,0]*2./2.) # place "cos(2*x)" feature as X4

# Now, XtrF has five features about each data point: "x" and four Fourier features
1

2

3

4

5

6

7

Try expanding the number of Fourier features and plot the training and validation curves for this feature set.

Plot your results, and discuss.

Problem 2: Cross-validation (35 points)
In the previous problem, you decided what degree of polynomial fit to use based on performance on some test data. Now suppose that you do not have access to the target values of the test data you held out in the previous problem, and want to decide on the best polynomial degree.

 One option would be to further split Xtr into training and validation datasets, and then assess performance on the validation data to choose the degree. But when training is reasonably efficient (or you have significant computational resources), it can be more effective to use cross-validation to estimate the optimal degree. Crossvalidation works by creating many training/validation splits, called folds, and using all of these splits to assess the

“out-of-sample” (validation) performance by averaging them. You can do a 5-fold validation test, for example, by:

nFolds = 5; for iFold in range(nFolds):

Xti,Xvi,Yti,Yvi = ml.crossValidate(Xtr,Ytr,nFolds,iFold)
# use ith block as validation
1

2

3

learner = ml.linear.linearRegress(... # TODO: train on Xti, Yti, the data for this fold J[iFold] = ...             # TODO: now compute the MSE on Xvi, Yvi and save it

# the overall estimated validation error is the average of the error on each fold print np.mean(J)
4

5

6

7

 Using this technique on your training data Xtr from the previous problem, find the 5-fold cross-validation MSE of linear regression at the same degrees as before, d = 1, 3, 5, 7, 10, 15, 18. To make your code more readable, write a function that takes the degree and number of folds as arguments, and returns the cross-validation error.

semilogy
1.    Plot the five-fold cross-validation error (with, as before) as a function of degree. (10 points)

2.    How do the MSE estimates from five-fold cross-validation compare to the MSEs evaluated on the actual test data (Problem 1)? (5 points)

3.    Which polynomial degree do you recommend based on five-fold cross-validation error? (5 points)

semilogy
4.     
For the degree that you picked in step 3, plot (with) the cross-validation error as the number of folds is varied from nFolds = 2, 3, 4, 5, 6, 10, 12, 15. What pattern do you observe, and how do you explain

why it occurs? (15 points)

More products