逻辑回归的代码实现

逻辑回归的代码实现

关于逻辑回归的理论推导请参考:

https://blog.csdn.net/weixin_46557333/article/details/127168250?spm=1001.2014.3001.5501

一、根据推导公式写代码

import matplotlib.pyplot as plt
import numpy as np
from sklearn.metrics import classification_report
from sklearn import preprocessing

#数据是否需要标准化
scale = False
#载入数据
data = np.genfromtxt('LR-testSet.csv', delimiter=',')
x_data = data[:,:-1]
y_data = data[:, -1]
def plot():
    x0 = []
    y0 = []
    x1 = []
    y1 = []
    #切分不同类型的数据
    for i in range(len(x_data)):
        if y_data[i] == 0:
            x0.append(x_data[i, 0])
            y0.append(x_data[i, 1])
        else:
            x1.append(x_data[i, 0])
            y1.append(x_data[i, 1])
    #画图
    scatter0 = plt.scatter(x0, y0, c='b',marker='o')
    scatter1 = plt.scatter(x1, y1, c='r',marker='x')
    #画图例
    plt.legend(handles=[scatter0, scatter1], labels=['label0', 'label1'], loc='best')
plot()
plt.show()

[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-fahhG2YP-1665028568126)(C:\Users\25016\AppData\Roaming\Typora\typora-user-images\image-20221006114030096.png)]

# 数据预处理,添加偏置项

x_data = data[:,:-1]
y_data = data[:, -1, np.newaxis]

print(np.mat(x_data).shape)
print(np.mat(y_data).shape)
#给样本添加偏置项
X_data = np.concatenate((np.ones((100, 1)), x_data), axis=1)
print(X_data.shape)
def sigmoid(x):
    return 1 / (1+np.exp(-x))

def cost(xMat, yMat, ws):
    left = np.multiply(yMat,np.log(sigmoid(xMat*ws)))
    right = np.multiply(1-yMat, np.log(1-sigmoid(xMat*ws)))
    return np.sum(left + right) / -(len(xMat))

def gradAscent(xArr,yArr):
    if scale == True:
        xArr = preprocessing.scale(xArr)
    xMat = np.mat(xArr)
    yMat = np.mat(yArr)
lr = 0.001
epochs = 10000
costList = []
#计算数据行列数
#行代表数据个数,列代表权值个数
m,n = np.shape(xMat)
#初始化权值
ws = np.mat(np.ones((n, 1)))

for i in range(epochs+1):
    #xMat和weights矩阵相乘
    h = sigmoid(xMat* ws)
    #计算误差
    ws_grad = xMat.T*(h-yMat) / m
    ws = ws - lr*ws_grad
    
    if i % 50 == 0:
        costList.append(cost(xMat, yMat, ws))
return ws, costList
ws, costList = gradAscent(X_data, y_data)
print(ws)
if scale == False:
    # 画图决策边界
    plot()
    x_test = [[-4],[3]]
    y_test = (-ws[0]-x_test*ws[1]) / ws[2]
    plt.plot(x_test, y_test, 'k')
    plt.show()

[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-R6I2B5bK-1665028568127)(C:\Users\25016\AppData\Roaming\Typora\typora-user-images\image-20221006114147416.png)]

# 画图loss值的变化

x = np.linspace(0, 10000, 201)
plt.plot(x, costList, c='r')
plt.title('Train')
plt.xlabel('Epochs')
plt.ylabel('Cost')
plt.show()

[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-r0Py3DLD-1665028568128)(C:\Users\25016\AppData\Roaming\Typora\typora-user-images\image-20221006114203878.png)]

# 预测

def predict(x_data, ws):
    if scale == True:
        x_data = preprocessing.scale(x_data)
    xMat = np.mat(x_data)
    ws = np.mat(ws)
    return [1 if x>=0.5 else 0 for x in sigmoid(xMat*ws)]
predictions = predict(X_data, ws)
print(classification_report(y_data, predictions))

[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-I98MzjcY-1665028568129)(C:\Users\25016\AppData\Roaming\Typora\typora-user-images\image-20221006114219095.png)]

二、使用Sklearn内置函数

import matplotlib.pyplot as plt
import numpy as np
from sklearn.metrics import classification_report
from sklearn import preprocessing
from sklearn import linear_model

#数据是否需要标准化
scale = False

#载入数据
data = np.genfromtxt('LR-testSet.csv', delimiter=',')
x_data = data[:,:-1]
y_data = data[:, -1]

def plot():
    x0 = []
    y0 = []
    x1 = []
    y1 = []
    #切分不同类型的数据
    for i in range(len(x_data)):
        if y_data[i] == 0:
            x0.append(x_data[i, 0])
            y0.append(x_data[i, 1])
        else:
            x1.append(x_data[i, 0])
            y1.append(x_data[i, 1])
    #画图
    scatter0 = plt.scatter(x0, y0, c='b',marker='o')
    scatter1 = plt.scatter(x1, y1, c='r',marker='x')
    #画图例
    plt.legend(handles=[scatter0, scatter1], labels=['label0', 'label1'], loc='best')
plot()
plt.show()

[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-FgixFAjY-1665028568130)(C:\Users\25016\AppData\Roaming\Typora\typora-user-images\image-20221006115335551.png)]

logistic = linear_model.LogisticRegression()
logistic.fit(x_data, y_data)
if scale == False:
    # 画图决策边界
    plot()
    x_test = np.array([[-4], [3]])
    y_test = (-logistic.intercept_ - x_test*logistic.coef_[0][0]) / logistic.coef_[0][1]
    plt.plot(x_test, y_test, 'k')
    plt.show()

[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-XJWoKGOb-1665028568131)(C:\Users\25016\AppData\Roaming\Typora\typora-user-images\image-20221006115418623.png)]

predictions = logistic.predict(x_data)
print(classification_report(y_data, predictions))

在这里插入图片描述

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值