1 导入numpy包

  1. import numpy as np

2 sigmoid函数

  1. def sigmoid(x):
  2. return 1/(1+np.exp(-x))
  3. demox = np.array([1,2,3])
  4. print(sigmoid(demox))
  5. #报错
  6. #demox = [1,2,3]
  7. # print(sigmoid(demox))

结果

  1. [0.73105858 0.88079708 0.95257413]

3 定义逻辑回归模型主体

  1. ### 定义逻辑回归模型主体
  2. def logistic(x, y, w, b):
  3. # 训练样本量
  4. num_train = x.shape[0]
  5. # 逻辑回归模型输出
  6. y_hat = sigmoid(np.dot(x,w)+b)
  7. # 交叉熵损失
  8. cost = -1/(num_train)*(np.sum(y*np.log(y_hat)+(1-y)*np.log(1-y_hat)))
  9. # 权值梯度
  10. dW = np.dot(x.T,(y_hat-y))/num_train
  11. # 偏置梯度
  12. db = np.sum(y_hat- y)/num_train
  13. # 压缩损失数组维度
  14. cost = np.squeeze(cost)
  15. return y_hat, cost, dW, db

4 初始化函数

  1. def init_parm(dims):
  2. w = np.zeros((dims,1))
  3. b = 0
  4. return w ,b

5 定义逻辑回归模型训练过程

  1. ### 定义逻辑回归模型训练过程
  2. def logistic_train(X, y, learning_rate, epochs):
  3. # 初始化模型参数
  4. W, b = init_parm(X.shape[1])
  5. cost_list = []
  6. for i in range(epochs):
  7. # 计算当前次的模型计算结果、损失和参数梯度
  8. a, cost, dW, db = logistic(X, y, W, b)
  9. # 参数更新
  10. W = W -learning_rate * dW
  11. b = b -learning_rate * db
  12. if i % 100 == 0:
  13. cost_list.append(cost)
  14. if i % 100 == 0:
  15. print('epoch %d cost %f' % (i, cost))
  16. params = {
  17. 'W': W,
  18. 'b': b
  19. }
  20. grads = {
  21. 'dW': dW,
  22. 'db': db
  23. }
  24. return cost_list, params, grads

6 定义预测函数

  1. def predict(X,params):
  2. y_pred = sigmoid(np.dot(X,params['W'])+params['b'])
  3. y_preds = [1 if y_pred[i]>0.5 else 0 for i in range(len(y_pred))]
  4. return y_preds

7 生成数据

  1. # 导入matplotlib绘图库
  2. import matplotlib.pyplot as plt
  3. # 导入生成分类数据函数
  4. from sklearn.datasets import make_classification
  5. # 生成100*2的模拟二分类数据集
  6. x ,label = make_classification(
  7. n_samples=100,# 样本个数
  8. n_classes=2,# 样本类别
  9. n_features=2,#特征个数
  10. n_redundant=0,#冗余特征个数(有效特征的随机组合)
  11. n_informative=2,#有效特征,有价值特征
  12. n_repeated=0, # 重复特征个数(有效特征和冗余特征的随机组合)
  13. n_clusters_per_class=2 ,# 簇的个数
  14. random_state=1,
  15. )
  16. print("x.shape =",x.shape)
  17. print("label.shape = ",label.shape)
  18. print("np.unique(label) =",np.unique(label))
  19. print(set(label))
  20. # 设置随机数种子
  21. rng = np.random.RandomState(2)
  22. # 对生成的特征数据添加一组均匀分布噪声https://blog.csdn.net/vicdd/article/details/52667709
  23. x += 2*rng.uniform(size=x.shape)
  24. # 标签类别数
  25. unique_label = set(label)
  26. # 根据标签类别数设置颜色
  27. print(np.linspace(0,1,len(unique_label)))
  28. colors = plt.cm.Spectral(np.linspace(0,1,len(unique_label)))
  29. print(colors)
  30. # 绘制模拟数据的散点图
  31. for k,col in zip(unique_label , colors):
  32. x_k=x[label==k]
  33. plt.plot(x_k[:,0],x_k[:,1],'o',markerfacecolor=col,markeredgecolor="k",
  34. markersize=14)
  35. plt.title('Simulated binary data set')
  36. plt.show();

结果

  1. x.shape = (100, 2)
  2. label.shape = (100,)
  3. np.unique(label) = [0 1]
  4. {0, 1}
  5. [0. 1.]
  6. [[0.61960784 0.00392157 0.25882353 1. ]
  7. [0.36862745 0.30980392 0.63529412 1. ]]

    

复习

  1. # 复习
  2. mylabel = label.reshape((-1,1))
  3. data = np.concatenate((x,mylabel),axis=1)
  4. print(data.shape)

结果

  1. (100, 3)

8 划分数据集

  1. offset = int(x.shape[0]*0.7)
  2. x_train, y_train = x[:offset],label[:offset].reshape((-1,1))
  3. x_test, y_test = x[offset:],label[offset:].reshape((-1,1))
  4. print(x_train.shape)
  5. print(y_train.shape)
  6. print(x_test.shape)
  7. print(y_test.shape)

结果

  1. (70, 2)
  2. (70, 1)
  3. (30, 2)
  4. (30, 1)

9 训练

  1. cost_list, params, grads = logistic_train(x_train, y_train, 0.01, 1000)
  2. print(params['b'])

结果

  1. epoch 0 cost 0.693147
  2. epoch 100 cost 0.568743
  3. epoch 200 cost 0.496925
  4. epoch 300 cost 0.449932
  5. epoch 400 cost 0.416618
  6. epoch 500 cost 0.391660
  7. epoch 600 cost 0.372186
  8. epoch 700 cost 0.356509
  9. epoch 800 cost 0.343574
  10. epoch 900 cost 0.332689
  11. -0.6646648941379839

10 准确率计算

  1. from sklearn.metrics import accuracy_score,classification_report
  2. y_pred = predict(x_test,params)
  3. print("y_pred = ",y_pred)
  4. print(y_pred)
  5. print(y_test.shape)
  6. print(accuracy_score(y_pred,y_test)) #不需要都是1维的,貌似会自动squeeze()
  7. print(classification_report(y_test,y_pred))

结果

  1. y_pred = [0, 0, 1, 1, 1, 1, 0, 0, 0, 1, 1, 1, 0, 1, 1, 1, 1, 1, 1, 0, 0, 1, 1, 0, 1, 1, 0, 0, 1, 0]
  2. [0, 0, 1, 1, 1, 1, 0, 0, 0, 1, 1, 1, 0, 1, 1, 1, 1, 1, 1, 0, 0, 1, 1, 0, 1, 1, 0, 0, 1, 0]
  3. (30, 1)
  4. 0.9333333333333333
  5. precision recall f1-score support
  6.  
  7. 0 0.92 0.92 0.92 12
  8. 1 0.94 0.94 0.94 18
  9.  
  10. accuracy 0.93 30
  11. macro avg 0.93 0.93 0.93 30
  12. weighted avg 0.93 0.93 0.93 30

11 绘制逻辑回归决策边界

  1. ### 绘制逻辑回归决策边界
  2. def plot_logistic(X_train, y_train, params):
  3. # 训练样本量
  4. n = X_train.shape[0]
  5. xcord1,ycord1,xcord2,ycord2 = [],[],[],[]
  6. # 获取两类坐标点并存入列表
  7. for i in range(n):
  8. if y_train[i] == 1:
  9. xcord1.append(X_train[i][0])
  10. ycord1.append(X_train[i][1])
  11. else:
  12. xcord2.append(X_train[i][0])
  13. ycord2.append(X_train[i][1])
  14. fig = plt.figure()
  15. ax = fig.add_subplot(111)
  16. ax.scatter(xcord1,ycord1,s = 30,c = 'red')
  17. ax.scatter(xcord2,ycord2,s = 30,c = 'green')
  18. # 取值范围
  19. x =np.arange(-1.5,3,0.1)
  20. # 决策边界公式
  21. y = (-params['b'] - params['W'][0] * x) / params['W'][1]
  22. # 绘图
  23. ax.plot(x, y)
  24. plt.xlabel('X1')
  25. plt.ylabel('X2')
  26. plt.show()
  27. plot_logistic(x_train, y_train, params)

结果

    

11 sklearn实现

  1. from sklearn.linear_model import LogisticRegression
  2. clf = LogisticRegression(random_state=0).fit(x_train,y_train)
  3. y_pred = clf.predict(x_test)
  4. print(y_pred)
  5. accuracy_score(y_test,y_pred)

结果

  1. [0 0 1 1 1 1 0 0 0 1 1 1 0 1 1 0 0 1 1 0 0 1 1 0 1 1 0 0 1 0]
  2. 0.9333333333333333

chapter3——逻辑回归手动+sklean版本的更多相关文章

  1. numpy+sklearn 手动实现逻辑回归【Python】

    逻辑回归损失函数: from sklearn.datasets import load_iris,make_classification from sklearn.model_selection im ...

  2. 逻辑回归原理_挑战者飞船事故和乳腺癌案例_Python和R_信用评分卡(AAA推荐)

    sklearn实战-乳腺癌细胞数据挖掘(博客主亲自录制视频教程) https://study.163.com/course/introduction.htm?courseId=1005269003&a ...

  3. 逻辑回归算法的原理及实现(LR)

    Logistic回归虽然名字叫"回归" ,但却是一种分类学习方法.使用场景大概有两个:第一用来预测,第二寻找因变量的影响因素.逻辑回归(Logistic Regression, L ...

  4. Theano3.3-练习之逻辑回归

    是官网上theano的逻辑回归的练习(http://deeplearning.net/tutorial/logreg.html#logreg)的讲解. Classifying MNIST digits ...

  5. PRML读书会第四章 Linear Models for Classification(贝叶斯marginalization、Fisher线性判别、感知机、概率生成和判别模型、逻辑回归)

    主讲人 planktonli planktonli(1027753147) 19:52:28 现在我们就开始讲第四章,第四章的内容是关于 线性分类模型,主要内容有四点:1) Fisher准则的分类,以 ...

  6. Spark Mllib逻辑回归算法分析

    原创文章,转载请注明: 转载自http://www.cnblogs.com/tovin/p/3816289.html 本文以spark 1.0.0版本MLlib算法为准进行分析 一.代码结构 逻辑回归 ...

  7. Python实践之(七)逻辑回归(Logistic Regression)

    机器学习算法与Python实践之(七)逻辑回归(Logistic Regression) zouxy09@qq.com http://blog.csdn.net/zouxy09 机器学习算法与Pyth ...

  8. 学习Machine Leaning In Action(四):逻辑回归

    第一眼看到逻辑回归(Logistic Regression)这个词时,脑海中没有任何概念,读了几页后,发现这非常类似于神经网络中单个神经元的分类方法. 书中逻辑回归的思想是用一个超平面将数据集分为两部 ...

  9. Andrew Ng机器学习课程笔记--week3(逻辑回归&正则化参数)

    Logistic Regression 一.内容概要 Classification and Representation Classification Hypothesis Representatio ...

随机推荐

  1. Docker 与 K8S学习笔记(九)—— 容器间通信

    容器之间可通过IP.Docker DNS Server或joined三种方式进行通信,今天我们来详细学习一下. 一.IP通信 IP通信很简单,前一篇中已经有所涉及了,只要容器使用相同网络,那么就可以使 ...

  2. griffin环境搭建及功能测试

    目录 1 准备 mysql hive hadoop spark livy es maven 配置环境变量 2 安装griffin 配置配置文件 编译 部署jar包 3 批处理测试 准确度度量 Accu ...

  3. (原创)WinForm中莫名其妙的小BUG——RichTextBox自动选择字词问题

    一.前言 使用WinForm很久了,多多少少会遇到一些小BUG. 这些小BUG影响并不严重,而且稍微设置一下就能正常使用,而且微软一直也没有修复这些小BUG. 写本系列文章,是为了记录一下这些无伤大雅 ...

  4. DAGs with NO TEARS: Continuous Optimization for Structure Learning

    DAGs with NO TEARS: Continuous Optimization for Structure Learning 目录 DAGs with NO TEARS: Continuous ...

  5. MA8601升级版 PL2586|USB HUB 工控级芯片方案PL2586|可直接替代FE1.1S芯片方案

    MA8601升级版 PL2586|USB HUB 工控级芯片方案PL2586|可直接替代FE1.1S芯片方案 旺玖在2022年新推出的一款USB HUB 芯片其性能和参数可以完全替代FE1.1S,是M ...

  6. C语言string操作

    创建方式 字符数组:空间已定 字符指针:未分配空间 初始化 字符数组: 创建与赋值必须在同一行 指定大小:未填满部分用'\0'填充 用字符串初始化:末尾自动添加'\0' 不初始化赋值则乱值 字符指针: ...

  7. 高效位运算 __builtin_系列函数

    •int __builtin_ffs (unsigned int x) 返回x的最后一位1的是从后向前第几位,比如7368(1110011001000)返回4. •int __builtin_clz ...

  8. Java Web程序设计笔记 • 【第2章 JSP基础】

    全部章节   >>>> 本章目录 2.1 JSP 简介 2.1.1 JSP 概述 2.1.2 开发第一个 JSP 页面 2.1.3 JSP 处理流程 2.1.4 实践练习 2. ...

  9. SQL Server 数据库添加主键,唯一键,外键约束脚本

    -- 声明使用数据库use 数据库;go -- 添加主键(primary key)约束-- 基本语法-- 判断主键约束是否存在,如果存在则删除,不存在则添加if exists(select * fro ...

  10. Python3.7 发送邮件 报‘[WinError 10061] 由于目标计算机积极拒绝,无法连接’错误的解决方法

    背景: 最近在练习Python 的邮件发送功能 照着教程写了一个简单的demo 结果运行时报如下错误:[WinError 10061] 由于目标计算机积极拒绝,无法连接. 如图: 解决路径如下: St ...