逻辑回归:对象未对齐

时间:2014-09-17 00:51:40

标签: python numpy machine-learning scipy

我正试图在课程中对A Ng的机械学习课程this dataset进行逻辑回归。

我们的想法是我们有一个成本函数,我们需要将其最小化以找到参数theta。

import numpy as np
from scipy.optimize import fmin_bfgs

data = np.loadtxt('ex2data1.txt',delimiter=",")
m,n = data.shape
X = np.array(np.column_stack((np.ones(m),data[:,:-1])))
y = np.array(data[:,2].reshape(m,1))
theta = np.array(np.zeros(n).reshape(n,1))

def sigmoid(z):
    return 1/(1+np.exp(-z))

def hypothesis(X,theta):
    return sigmoid( X.dot(theta) )

def cost(theta):
    print theta.shape
    h = hypothesis(X,theta)
    cost = (-y.T.dot(np.log(h))-(1-y).T.dot(np.log(1-h)))/m
    return cost

def gradient(theta):
    h = hypothesis(X,theta)
    grad = ((h-y).T.dot(X)).T/m
    return grad.flatten()

def fmin():
    initial_theta=np.zeros(n).reshape(n,1)
    theta=fmin_bfgs(cost,initial_theta,fprime=gradient)
    return theta

打印fmin()

我收到了ValueError: Objects are not aligned,但我检查了所有实体的形状,但仍无法弄明白。这是追溯:

---> 32     theta=fmin_bfgs(cost,initial_theta,fprime=gradient)
     33 

/usr/lib/python2.7/dist-packages/scipy/optimize/optimize.pyc in fmin_bfgs(f, x0, fprime, args, gtol, norm, epsilon, maxiter, full_output, disp, retall, callback)
    775             'return_all': retall}
    776 
--> 777     res = _minimize_bfgs(f, x0, args, fprime, callback=callback, **opts)
    778 
    779     if full_output:

/usr/lib/python2.7/dist-packages/scipy/optimize/optimize.pyc in _minimize_bfgs(fun, x0, args, jac, callback, gtol, norm, eps, maxiter, disp, return_all, **unknown_options)
    844     gnorm = vecnorm(gfk, ord=norm)
    845     while (gnorm > gtol) and (k < maxiter):
--> 846         pk = -numpy.dot(Hk, gfk)
    847         try:
    848             alpha_k, fc, gc, old_fval, old_old_fval, gfkp1 = \

ValueError: objects are not aligned

1 个答案:

答案 0 :(得分:3)

我修改了您的代码,它可以使用c=inf获取与sklearn中的LogisticRegression相同的结果:

import numpy as np
from scipy.optimize import fmin_bfgs
import io
data = np.loadtxt('ex2data1.txt',delimiter=",")
m,n = data.shape
X = np.array(np.column_stack((np.ones(m),data[:,:-1])))
y = np.array(data[:,2].reshape(m,1))
theta = np.array(np.zeros(n).reshape(n,1))

def sigmoid(z):
    return 1/(1+np.exp(-z))

def hypothesis(X,theta):
    return sigmoid( X.dot(theta) )

def cost(theta):
    h = hypothesis(X,theta)
    cost = (-y.T.dot(np.log(h))-(1-y).T.dot(np.log(1-h)))/m
    r = cost[0]
    if np.isnan(r):
        return np.inf
    return r

def gradient(theta):
    theta = theta.reshape(-1, 1)
    h = hypothesis(X,theta)
    grad = ((h-y).T.dot(X)).T/m
    return grad.flatten()

def fmin():
    initial_theta=np.zeros(n)
    theta=fmin_bfgs(cost,initial_theta,fprime=gradient)
    return theta

theta = fmin()