Neural Network 神经网络
- 本案例将介绍基础的三层神经网络,神经网络非常重要的一点便是激活函数。本次我们将使用Sigmoid函数,在前向传播时需要激活函数,而在反向传播时同样需要用到激活函数。
- 神经网络模型如下:
- 代码实现
import numpy as np
def sigmoid(x, deriv=False):
if deriv == True:
return x * (1 - x)
return 1 / (1 + np.exp(-x))
x = np.array([[0, 0, 1],
[0, 1, 1],
[1, 0, 1],
[1, 1, 1],
[0, 0, 1]]
)
# print(x.shape)
y = np.array([[0],
[1],
[1],
[0],
[0]]
)
# print(y.shape)
np.random.seed(1)
w0 = 2 * np.random.random((3, 4)) - 1
w1 = 2 * np.random.random((4, 1)) - 1
# print(w0)
for j in range(50000):
l0 = x
l1 = sigmoid(np.dot(l0, w0))
l2 = sigmoid(np.dot(l1, w1))
l2_error = y - l2
# print(l2_error.shape)
if (j % 10000) == 0:
print('Error' + str(np.mean(np.abs(l2_error))))
l2_delta = l2_error * sigmoid(l2, deriv=True)
# print(l2_delta.shape)
l1_error = l2_delta.dot(w1.T)
l1_delta = l1_error * sigmoid(l1, deriv=True)
w1 += l1.T.dot(l2_delta)
w0 += l0.T.dot(l1_delta)
-
运行结果
-
从运行结果可以看出,Error的值随着迭代次数的增加在不断减小,这说明我们的神经网络模型构建成功。
源码获取
- QQ 2985983009