这是Andrew Ng在Coursera上的深度学习专项课程中第一课Neural Networks and Deep Learning第二周Neural Networks Basics的学习笔记. 本周我们将要学习Logistic Regression, 它是神经网络的基础. Logistic Regression可以看成是一种只有输入层和输出层(没有隐藏层)的神经网络. 在学习完本周的内容后, 我们将使用Python来实现一个这样的模型, 并将其应用在cat和non-cat的图像识别上.
注: 本课程适合有一定基本概念的同学使用, 如果没有任何基础, 可以先学习Andrew Ng在Coursera上的机器学习课程. 课程见这里: Coursera Machine Learning, 这门课程我也做了笔记, 可供参考.
一. 基本概念回顾
这次Andrew出的系列课程在符号上有所改动(和机器学习课程中的行列有所区别, 主要是为了后面代码实现更方便), 如下图所示.
更多关于本系列课程的符号点这里同样地, 参数也有所变化(bias 单独拿出来作为b, 而不是添加):
下图描述了Logistic Regression, 这在机器学习的课程里已经讲的很清楚了, 可以看我之前做的笔记回忆下Logistic Regression. 这里需要明确两个概念. 一个是Loss function, 即损失函数, 它代表了对于一个样本估计值与真实值之间的误差; 另一个是Cost function, 它代表了所有样本loss的平均值.
熟悉的梯度下降:
如果上面提到的知识点都已经掌握了的话, 那么学这门课就没什么问题啦, 不会的赶紧去补.
二. 计算图与前向反向传播
在神经网络中, forward propagation 用来计算输出, backward propagation 用来计算梯度, 得到梯度后就可以更新对应的参数了. 为了帮助更好地理解前向反向传播, 我们使用图的方式来描述这两个过程. 首先可以看一个简单的例子, 可用下面的图来表示:
如上图所示通过前向传播, 我们可以得到. 反向传播本质上就是通过链式法则不断求出前面各个变量的导数的过程.
这里说明一下, 在后面代码实现中, 这些导数都可以用来表示, 例如, 等等.
有了计算图的概念之后, 我们将其运用到Logistic Regression上.
上面的式子可以用下面的计算图来表达:
有了上面的图之后, 我们现在来计算反向传播.
首先我们来计算:
通过链式法则, 计算:
最后计算:
怎么样? 是不是很简单呢? 这里我们所有的计算都是针对一个训练样本的. 当然我们不可能只有一个样本, 那么对于整个训练集, 我们应该怎么做呢? 其实很简单, 我们只需要将拆开来写就很清晰.
对于每一个样本都有一个对应的, 而对于来说是对于所有求平均.
![]()
三. 向量化
如果用上一节的伪代码来实现梯度计算的话, 效率会非常低. 向量化就是用来解决计算效率问题. 在Andrew机器学习的课程中, 其实已经提到了这个技术, 当时的作业好像并没有强制要求使用向量化. 这次的深度学习系列课程作业, 一律要求使用向量化来实现代码. 配合强大的Numpy, 向量化其实很简单. 来看一个例子:
import numpy as np
import time
a = np.random.rand(1000000)
b = np.random.rand(1000000)
tic = time.time()
c = np.dot(a, b)
toc = time.time()
print(c)
print('Vectorized version:{}ms'.format(1000*(toc-tic)))
c = 0
tic = time.time()
for i in range(1000000):
c += a[i] * b[i]
toc = time.time()
print(c)
print('For loop:{}ms'.format(1000*(toc-tic)))
上面代码输出为:
250187.092541
Vectorized version:1.1589527130126953ms
250187.092541
For loop:424.5340824127197ms
两个版本效率上差了400多倍. 神经网络本身计算就比较复杂, 加之深度学习训练样本往往都很大, 效率尤为重要. 任何时候都要尽可能避免使用for循环.
首先我们进行第一步优化, 将写成向量的形式. , 这样就省去了内层关于的循环.
接下来我们来看看如何优化关于m个训练样本的循环. 回顾下第一节中所说的:
将用如上的矩阵表达后, 通过也就得到了的向量化表达. 的向量化表达也就是每个元素进行操作了. 简单吧. 想要把握住向量化一定要清楚每个变量的维度(即python代码里ndarray的shape), 那些是矩阵操作, 那些是element-wise操作等等. 把握住上面的之后, 在代码实现里还要注意哪里会产生’broadcasting’. 例如这里的实际上是一个scalar, 但在进行操作的时候, 被numpy自动broadcasting成和维度一样的横向量.
接下来我们看一下梯度的向量化. 前面我们知道, 这样得到. 的向量化前面已知了. 这样关于的梯度如下所示. 有了之后就很简单了, 它是所有中元素的均值. 在python中的代码表示为np.mean(dZ) 或者 1/m * np.sum(a). 可以通过观察向量的维度得到. 为, 为, 而的维度和的维度一样为, 这样就得到了.
通过上面的努力, 我们将之前for循环的版本改成了完全向量化的表示, 这样向量化实现的代码效率会大大提高. (注意: ppt里的for iter in range(1000) 是迭代次数, 这个循环是不可避免的)
本周课程剩下部分四个视频分别讲解Broadcasting, Numpy Vector, Jupyter Notebook以及Logistic Regression的概率解释. 如果对于Numpy以及Jupyter Notebook不熟悉的同学需要好好看看这三个视频(配合课后作业相信可以很快上手), 这里我就不做笔记了. 对于最后一个视频, 如果学过Andrew机器学习课程那么也就可以跳过, 相信大家手推Logistic Regression的cost function都没问题.
四. 使用Python实现Logistic Regression进行猫咪识别
完成本周内容以及课后作业后, 我们应该可以使用Python+Numpy实现一个完整的Logistic Regression, 可以用于任何二分类任务. 以下为参考代码, 也可这里Github下载.
LogisticRegression.py:
def sigmoid(z):
return 1. / (1.+np.exp(-z))
class LogisticRegression():
def __init__(self):
pass
def __parameters_initializer(self, input_size):
# initial parameters with zeros
w = np.zeros((input_size, 1), dtype=float)
b = 0.0
return w, b
def __forward_propagation(self, X):
m = X.shape[1]
A = sigmoid(np.dot(self.w.T, X) + self.b)
return A
def __compute_cost(self, A, Y):
m = A.shape[1]
cost = -np.sum(Y*np.log(A) + (1-Y)*(np.log(1-A))) / m
return cost
def cost_function(self, X, Y):
# use the result from forward propagation and the label Y to compute cost
A = self.__forward_propagation(X)
cost = self.__compute_cost(A, Y)
return cost
def __backward_propagation(self, A, X, Y):
m = X.shape[1]
# backward propagation computes gradients
dw = np.dot(X, (A-Y).T) / m
db = np.sum(A-Y) / m
grads = {"dw": dw, "db": db}
return grads
def __update_parameters(self, grads, learning_rate):
self.w -= learning_rate * grads['dw']
self.b -= learning_rate * grads['db']
def fit(self, X, Y, num_iterations, learning_rate, print_cost=False, print_num=100):
self.w, self.b = self.__parameters_initializer(X.shape[0])
for i in range(num_iterations):
# forward_propagation
A = self.__forward_propagation(X)
# compute cost
cost = self.__compute_cost(A, Y)
# backward_propagation
grads = self.__backward_propagation(A, X, Y)
dw = grads["dw"]
db = grads["db"]
# update parameters
self.__update_parameters(grads, learning_rate)
# print cost
if i % print_num == 0 and print_cost:
print ("Cost after iteration {}: {:.6f}".format(i, cost))
return self
def predict_prob(self, X):
# result of forward_propagation is the probability
A = self.__forward_propagation(X)
return A
def predict(self, X, threshold=0.5):
pred_prob = self.predict_prob(X)
threshold_func = np.vectorize(lambda x: 1 if x > threshold else 0)
Y_prediction = threshold_func(pred_prob)
return Y_prediction
def accuracy_score(self, X, Y):
pred = self.predict(X)
return len(Y[pred == Y]) / Y.shape[1]
main.py:
import numpy as np
import matplotlib.pyplot as plt
import h5py
import scipy
from PIL import Image
from scipy import ndimage
from lr_utils import load_dataset
%matplotlib inline
# Loading the data (cat/non-cat)
train_set_x_orig, train_set_y, test_set_x_orig, test_set_y, classes = load_dataset()
### START CODE HERE ### (≈ 3 lines of code)
m_train = train_set_x_orig.shape[0]
m_test = test_set_x_orig.shape[0]
num_px = train_set_x_orig.shape[1]
### END CODE HERE ###
print ("Number of training examples: m_train = " + str(m_train))
print ("Number of testing examples: m_test = " + str(m_test))
print ("Height/Width of each image: num_px = " + str(num_px))
print ("Each image is of size: (" + str(num_px) + ", " + str(num_px) + ", 3)")
print ("train_set_x shape: " + str(train_set_x_orig.shape))
print ("train_set_y shape: " + str(train_set_y.shape))
print ("test_set_x shape: " + str(test_set_x_orig.shape))
print ("test_set_y shape: " + str(test_set_y.shape))
# Reshape the training and test examples
### START CODE HERE ### (≈ 2 lines of code)
train_set_x_flatten = train_set_x_orig.reshape(train_set_x_orig.shape[0], -1).T
test_set_x_flatten = test_set_x_orig.reshape(test_set_x_orig.shape[0], -1).T
### END CODE HERE ###
print ("train_set_x_flatten shape: " + str(train_set_x_flatten.shape))
print ("train_set_y shape: " + str(train_set_y.shape))
print ("test_set_x_flatten shape: " + str(test_set_x_flatten.shape))
print ("test_set_y shape: " + str(test_set_y.shape))
print ("sanity check after reshaping: " + str(train_set_x_flatten[0:5,0]))
X_train = train_set_x_flatten/255
y_train = train_set_y
X_test = test_set_x_flatten/255
y_test = test_set_y
# Please note that the above code is from the programming assignment
import LogisticRegression
num_iter = 2001
learning_rate = 0.005
clf = LogisticRegression().fit(X_train, y_train, num_iter, learning_rate, True, 500)
train_acc = clf.accuracy_score(X_train, y_train)
print('training acc: {}'.format(train_acc))
test_acc = clf.accuracy_score(X_test, y_test)
print('testing acc: {}'.format(test_acc))
# output:
# Cost after iteration 0: 0.693147
# Cost after iteration 500: 0.303273
# Cost after iteration 1000: 0.214820
# Cost after iteration 1500: 0.166521
# Cost after iteration 2000: 0.135608
# training acc: 0.9904306220095693
# testing acc: 0.7
五. 本周内容回顾
通过本周内容的学习, 我们:
- 了解了深度学习系列课程中使用到的各种符号,
- 回顾了Logistic Regression,
- 掌握了loss和cost的区别与联系,
- 重新认识了前向反向传播, 即计算图,
- 学习了深度学习中必要的求导知识,
- 熟悉了Numpy, Jupyter Notebook的使用
- 掌握了使用Python以神经网络的方式实现Logistic Regression模型, 并使用强大的Numpy来向量化.
相关链接: