Before studying logistic regression, I would recommend you to go through these tutorials.
The following block diagram illustrates the logistic regression model
The first part of figure is same as the linear regression. The output of linear regression is now fed into the function that normalizes the input into the range of [0,1]. Here we need a function that, when given the variable in range [-∞, +∞], produce the output in the range [0,1]. The sigmoid function (also called logistic function) is the solution for this. The equation of logistic function is given by
The exponential part i.e. θTx is the output of linear regression.
important
Logistic regression assumes that the log odds is a linear function of input features. i.e.This is the important assumption and the above logistic function (i) can be derived from this assumption. Equation (i) actually gives the probability that the given data belongs to the "positive class". eg. if we are building a model for binary classification of emails into "spam" or "not spam" denoting "spam" as y = 1 and "not spam" as y = 0 then equation (i) gives the probability of email being "spam".
From figure it is clear that the value of θTx smaller than about -4.6(approx.) gives the value of 0 and value of θTx greater than +4.6(approx.) gives the value of 1. So the logistic function maps any range of values to the range [0,1] and this confirms that hθ(x) will be between 0 & 1 unlike the linear regression where hθ(x) can take any values between [-∞, +∞].
For the classification, we need a decision boundary that separates one class from another. The simple linear decision boundary would be
predict "y = 1" if hθ(x)  ≥ 0.5 or θTx  ≥ 0
predict "y = 0" if hθ(x) < 0.5 or θTx < 0
It means we define a threshold that separates the positive class from 
negative class. For example, in spam classification problem, after 
feeding the input attributes to the model, if we get hθ(x) = 0.8 (say) which is greater than 0.5, we can predict the mail to be spam although it is only 80% spam.predict "y = 0" if hθ(x) < 0.5 or θTx < 0
Cost Function
Technically speaking, the main goal of building the model is to find the parameters (weights) θ. By minimizing the cost function (loss function) we can approximate these parameters. Previously in linear regression, we used the least squared-error cost function. But as logistic regression is classification algorithm, the least squared-error technique no longer works well. Instead of minimizing the distance of predicted output from actual output, in logistic regression, we try to minimize the zero-one-loss or misclassification rate. The squared-error loss from the linear regression doesn't approximate zero-one-loss well. Moreover due to the non-linear behaviour of sigmoid function, the squared-error will produce a "non-convex" output of cost function which has no guarantee that we can get the global minimum. The mathematical expression for cost used in logistic regression can be given by
Combining these two cases in a single statement results
We should minimize this cost over all m training examples, so the cost function is
Cost Minimization
For the cost minimization I will talk about Gradient Descent approach although there exists more sophisticated and complex optimization algorithms. The gradient descent in logistic regression is identical to that of linear regression only difference is the cost function. We first calculate the partial derivative of cost function with respect to θ and subtract or add it from the parameters until convergence. The algorithm for it can be written as
repeat until convergence{
θj:=θj−α∂J(θ)∂θsimultaneously update all θj 
}
The partial derivative of cost function is}
If you are new to calculus and want to derive then check this link.
Python Implementation
Using the numpy library of python for matrix operations, matplot library for graph plot and scipy library for optimization, the following code builds the logistic regression model. Notice: In the code I haven't use Gradient Descent instead I have used fmin minimization function provided by scipy library.
| 
1 
2 
3 
4 
5 
6 
7 
8 
9 
10 
11 
12 
13 
14 
15 
16 
17 
18 
19 
20 
21 
22 
23 
24 
25 
26 
27 
28 
29 
30 
31 
32 
33 
34 
35 
36 
37 
38 
39 
40 
41 
42 
43 
44 
45 
46 
47 
48 
49 
50 
51 
52 
53 
54 
55 
56 
57 
58 
59 
60 
61 
62 
63 
64 
65 
66 
67 
68 
69 
70 
71 
72 
73 | importmatplotlib.pyplot as pltimportnumpy as npfromscipy.optimize importfminfromnumpy importgenfromtxtdefplotData(x,y):    # plots the value of X and y in graph    pos =(y ==1).nonzero()[:1]    neg =(y ==0).nonzero()[:1]    plt.plot(X[pos, 0].T, X[pos, 1].T, 'k+', markeredgewidth=2, markersize=7)    plt.plot(X[neg, 0].T, X[neg, 1].T, 'ko', markerfacecolor='r', markersize=7)defsigmoid(z):    # computes the sigmoid function    returnnp.divide(1.0,(1.0+np.exp(-z)))defcostFunction(theta, X, y):    #computes the cost of logistic regression    m =len(y)    z =np.dot(X,theta)    h =sigmoid(z)    return(-1/float(m) *(np.dot(np.transpose(y),np.log(h))+np.dot(np.transpose((1-y)),np.log(1-h))))defplotDecisionBoundary(theta, X, y):    plotData(X, y)    ifX.shape[1] <=3:        plot_x =[X[:,2].min()-2,  X[:,2].max()+2]        plot_y =(-1./theta[2]) *(theta[1]*plot_x +theta[0])        plt.plot(plot_x, plot_y)        plt.legend(['Admitted', 'Not admitted', 'Decision Boundary'])        plt.axis([30, 100, 30, 100])    else:        passif__name__ =='__main__':    data =genfromtxt('data.txt', delimiter=',')    # Extracts X and y variables from data    X =data[:,0:2]    y =data[:,2]    plotData(X,y)    plt.ylabel('Exam 1 score')    plt.xlabel('Exam 2 score')    plt.legend(['Admitted', 'Not admitted'])    plt.show()    # Makes the variables two dimensional explicitly    X =X.reshape(len(X),2)    y =y.reshape(len(y),1)    # Finds dimension of X    m,n =X.shape    # Initailze the parameters (theta) with zeros    initial_theta =np.zeros((n+1,1))    # adds a column on 1's to the X    X =np.hstack((np.ones((len(X),1)), X))    # optimization using fmin of scipy    options ={'full_output': True, 'maxiter': 400}    theta, cost, _, _, _ =\        fmin(lambdat: costFunction(t,X,y), initial_theta, **options)    print'Cost at theta found by fmin: %f'%cost    print'theta: %s'%theta       # Plot Boundary    plotDecisionBoundary(theta, X, y); | 


 07:13
07:13
 Unknown
Unknown
 
 







 
 
 
 
 
0 comments:
Post a Comment