Created
December 12, 2019 05:43
-
-
Save SuvroBaner/c070cd0a71bffd8bd879bb3d44a309f9 to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
def forward_propagation_with_dropout(X, parameters, keep_prob = 0.5): | |
""" | |
Implements the forward propagation: LINEAR -> RELU + DROPOUT -> LINEAR -> RELU + DROPOUT -> LINEAR -> SIGMOID. | |
Arguments: | |
X -- input dataset, of shape (2, number of examples) | |
parameters -- python dictionary containing your parameters "W1", "b1", "W2", "b2", "W3", "b3": | |
W1 -- weight matrix of shape (20, 2) | |
b1 -- bias vector of shape (20, 1) | |
W2 -- weight matrix of shape (3, 20) | |
b2 -- bias vector of shape (3, 1) | |
W3 -- weight matrix of shape (1, 3) | |
b3 -- bias vector of shape (1, 1) | |
keep_prob - probability of keeping a neuron active during drop-out, scalar | |
Returns: | |
A3 -- last activation value, output of the forward propagation, of shape (1,1) | |
cache -- tuple, information stored for computing the backward propagation | |
""" | |
np.random.seed(1) | |
# retrieve parameters | |
W1 = parameters["W1"] | |
b1 = parameters["b1"] | |
W2 = parameters["W2"] | |
b2 = parameters["b2"] | |
W3 = parameters["W3"] | |
b3 = parameters["b3"] | |
# LINEAR -> RELU -> LINEAR -> RELU -> LINEAR -> SIGMOID | |
Z1 = np.dot(W1, X) + b1 | |
A1 = relu(Z1) | |
D1 = np.random.rand(A1.shape[0], A1.shape[1]) # Step 1: initialize matrix D1 = np.random.rand(..., ...) | |
D1 = (D1 < keep_prob) # Step 2: convert entries of D1 to 0 or 1 (using keep_prob as the threshold) | |
A1 = A1*D1 # Step 3: shut down some neurons of A1 | |
A1 = A1 / keep_prob # Step 4: scale the value of neurons that haven't been shut down | |
Z2 = np.dot(W2, A1) + b2 | |
A2 = relu(Z2) | |
D2 = np.random.rand(A2.shape[0], A2.shape[1]) # Step 1: initialize matrix D2 = np.random.rand(..., ...) | |
D2 = (D2 < keep_prob) # Step 2: convert entries of D2 to 0 or 1 (using keep_prob as the threshold) | |
A2 = A2*D2 # Step 3: shut down some neurons of A2 | |
A2 = A2 / keep_prob # Step 4: scale the value of neurons that haven't been shut down | |
Z3 = np.dot(W3, A2) + b3 | |
A3 = sigmoid(Z3) | |
cache = (Z1, D1, A1, W1, b1, Z2, D2, A2, W2, b2, Z3, A3, W3, b3) | |
return A3, cache |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment