Additional content exists here- Intro to PyTorch
What is pytorch? At its core
N-dimensioanl Tensor (like numpy) which can run on GPUs
Automatic differentiation for building and training neural networks
Running example here -ReLU network
Numpy Implementation
Manually implements forward and backward pass with numpy operations
# Code in file tensor/two_layer_net_numpy.py
import numpy as np
# N is batch size; D_in is input dimension;
# H is hidden dimension; D_out is output dimension.
N, D_in, H, D_out = 64 , 1000 , 100 , 10
# Create random input and output data
x = np.random.randn(N, D_in)
y = np.random.randn(N, D_out)
# Randomly initialize weights
w1 = np.random.randn(D_in, H)
w2 = np.random.randn(H, D_out)
learning_rate = 1e-6
for t in range ( 500 ):
# Forward pass: compute predicted y
h = x.dot(w1)
h_relu = np.maximum(h, 0 )
y_pred = h_relu.dot(w2)
# Compute and print loss
loss = np.square(y_pred - y).sum()
print (t, loss)
# Backprop to compute gradients of w1 and w2 with respect to loss
grad_y_pred = 2.0 * (y_pred - y)
grad_w2 = h_relu.T.dot(grad_y_pred)
grad_h_relu = grad_y_pred.dot(w2.T)
grad_h = grad_h_relu.copy()
grad_h[h < 0 ] = 0
grad_w1 = x.T.dot(grad_h)
# Update weights
w1 -= learning_rate * grad_w1
w2 -= learning_rate * grad_w2
Tensors
Tensors are basically identical to a nunmpy array, but they can use GPUs (use the device
argument when constructing a Tensor to place the Tensor on a GPU)
# Code in file tensor/two_layer_net_tensor.py
import torch
device = torch.device( 'cpu' )
# device = torch.device('cuda') # Uncomment this to run on GPU
# N is batch size; D_in is input dimension;
# H is hidden dimension; D_out is output dimension.
N, D_in, H, D_out = 64 , 1000 , 100 , 10
# Create random input and output data
x = torch.randn(N, D_in, device = device)
y = torch.randn(N, D_out, device = device)
# Randomly initialize weights
w1 = torch.randn(D_in, H, device = device)
w2 = torch.randn(H, D_out, device = device)
learning_rate = 1e-6
for t in range ( 500 ):
# Forward pass: compute predicted y
h = x.mm(w1)
h_relu = h.clamp( min = 0 )
y_pred = h_relu.mm(w2)
# Compute and print loss; loss is a scalar, and is stored in a PyTorch Tensor
# of shape (); we can get its value as a Python number with loss.item().
loss = (y_pred - y).pow( 2 ).sum()
print (t, loss.item())
# Backprop to compute gradients of w1 and w2 with respect to loss
grad_y_pred = 2.0 * (y_pred - y)
grad_w2 = h_relu.t().mm(grad_y_pred)
grad_h_relu = grad_y_pred.mm(w2.t())
grad_h = grad_h_relu.clone()
grad_h[h < 0 ] = 0
grad_w1 = x.t().mm(grad_h)
# Update weights using gradient descent
w1 -= learning_rate * grad_w1
w2 -= learning_rate * grad_w2
Autograd
But we can use Pytorch to automate the backward pass!
How to compute gradients with respect to tensor??
Set requires_grad=True
when making the Tensor
Any PyTorch operations on that Tensor will construct a computation graph
If don’t want to construct a computational graph, call torch.no_grad()
# Code in file autograd/two_layer_net_autograd.py
import torch
device = torch.device( 'cpu' )
# device = torch.device('cuda') # Uncomment this to run on GPU
# N is batch size; D_in is input dimension;
# H is hidden dimension; D_out is output dimension.
N, D_in, H, D_out = 64 , 1000 , 100 , 10
# Create random Tensors to hold input and outputs
x = torch.randn(N, D_in, device = device)
y = torch.randn(N, D_out, device = device)
# Create random Tensors for weights; setting requires_grad=True means that we
# want to compute gradients for these Tensors during the backward pass.
w1 = torch.randn(D_in, H, device = device, requires_grad = True )
w2 = torch.randn(H, D_out, device = device, requires_grad = True )
learning_rate = 1e-6
for t in range ( 500 ):
# Forward pass: compute predicted y using operations on Tensors. Since w1 and
# w2 have requires_grad=True, operations involving these Tensors will cause
# PyTorch to build a computational graph, allowing automatic computation of
# gradients. Since we are no longer implementing the backward pass by hand we
# don't need to keep references to intermediate values.
y_pred = x.mm(w1).clamp( min = 0 ).mm(w2)
# Compute and print loss. Loss is a Tensor of shape (), and loss.item()
# is a Python number giving its value.
loss = (y_pred - y).pow( 2 ).sum()
print (t, loss.item())
# Use autograd to compute the backward pass. This call will compute the
# gradient of loss with respect to all Tensors with requires_grad=True.
# After this call w1.grad and w2.grad will be Tensors holding the gradient
# of the loss with respect to w1 and w2 respectively.
loss.backward()
# Update weights using gradient descent. For this step we just want to mutate
# the values of w1 and w2 in-place; we don't want to build up a computational
# graph for the update steps, so we use the torch.no_grad() context manager
# to prevent PyTorch from building a computational graph for the updates
with torch.no_grad():
w1 -= learning_rate * w1.grad
w2 -= learning_rate * w2.grad
# Manually zero the gradients after running the backward pass
w1.grad.zero_()
w2.grad.zero_()
New Autograd function
Under the hood, autograd operator is 2 function which operate on tensors
forward
- computes output tensors
backward
gradient of output tensros with respect to some scalar value nd computes the gradient of the input Teensors with respect to that same scalar value
You can define your own!
Define a subclass of torch.autograd.Function
and implement forward
and backward
here we define our own custom autograd functoin and use it to implement the two-layer network.
# Code in file autograd/two_layer_net_custom_function.py
import torch
class MyReLU ( torch . autograd . Function ):
"""
We can implement our own custom autograd Functions by subclassing
torch.autograd.Function and implementing the forward and backward passes
which operate on Tensors.
"""
@ staticmethod
def forward (ctx, x):
"""
In the forward pass we receive a context object and a Tensor containing the
input; we must return a Tensor containing the output, and we can use the
context object to cache objects for use in the backward pass.
"""
ctx.save_for_backward(x)
return x.clamp( min = 0 )
@ staticmethod
def backward (ctx, grad_output):
"""
In the backward pass we receive the context object and a Tensor containing
the gradient of the loss with respect to the output produced during the
forward pass. We can retrieve cached data from the context object, and must
compute and return the gradient of the loss with respect to the input to the
forward function.
"""
x, = ctx.saved_tensors
grad_x = grad_output.clone()
grad_x[x < 0 ] = 0
return grad_x
device = torch.device( 'cpu' )
# device = torch.device('cuda') # Uncomment this to run on GPU
# N is batch size; D_in is input dimension;
# H is hidden dimension; D_out is output dimension.
N, D_in, H, D_out = 64 , 1000 , 100 , 10
# Create random Tensors to hold input and output
x = torch.randn(N, D_in, device = device)
y = torch.randn(N, D_out, device = device)
# Create random Tensors for weights.
w1 = torch.randn(D_in, H, device = device, requires_grad = True )
w2 = torch.randn(H, D_out, device = device, requires_grad = True )
learning_rate = 1e-6
for t in range ( 500 ):
# Forward pass: compute predicted y using operations on Tensors; we call our
# custom ReLU implementation using the MyReLU.apply function
y_pred = MyReLU.apply(x.mm(w1)).mm(w2)
# Compute and print loss
loss = (y_pred - y).pow( 2 ).sum()
print (t, loss.item())
# Use autograd to compute the backward pass.
loss.backward()
with torch.no_grad():
# Update weights using gradient descent
w1 -= learning_rate * w1.grad
w2 -= learning_rate * w2.grad
# Manually zero the gradients after running the backward pass
w1.grad.zero_()
w2.grad.zero_()
nn
Raw autograd can be a bit oo low level, so we use nn
which has a set of moduels roughly equivalent to neura network layers
Input: tensors
Computes output tensors
Can hold internal state like learnable parameters
# Code in file nn/two_layer_net_nn.py
import torch
device = torch.device( 'cpu' )
# device = torch.device('cuda') # Uncomment this to run on GPU
# N is batch size; D_in is input dimension;
# H is hidden dimension; D_out is output dimension.
N, D_in, H, D_out = 64 , 1000 , 100 , 10
# Create random Tensors to hold inputs and outputs
x = torch.randn(N, D_in, device = device)
y = torch.randn(N, D_out, device = device)
# Use the nn package to define our model as a sequence of layers. nn.Sequential
# is a Module which contains other Modules, and applies them in sequence to
# produce its output. Each Linear Module computes output from input using a
# linear function, and holds internal Tensors for its weight and bias.
# After constructing the model we use the .to() method to move it to the
# desired device.
model = torch.nn.Sequential(
torch.nn.Linear(D_in, H),
torch.nn.ReLU(),
torch.nn.Linear(H, D_out),
).to(device)
# The nn package also contains definitions of popular loss functions; in this
# case we will use Mean Squared Error (MSE) as our loss function. Setting
# reduction='sum' means that we are computing the *sum* of squared errors rather
# than the mean; this is for consistency with the examples above where we
# manually compute the loss, but in practice it is more common to use mean
# squared error as a loss by setting reduction='elementwise_mean'.
loss_fn = torch.nn.MSELoss( reduction = 'sum' )
learning_rate = 1e-4
for t in range ( 500 ):
# Forward pass: compute predicted y by passing x to the model. Module objects
# override the __call__ operator so you can call them like functions. When
# doing so you pass a Tensor of input data to the Module and it produces
# a Tensor of output data.
y_pred = model(x)
# Compute and print loss. We pass Tensors containing the predicted and true
# values of y, and the loss function returns a Tensor containing the loss.
loss = loss_fn(y_pred, y)
print (t, loss.item())
# Zero the gradients before running the backward pass.
model.zero_grad()
# Backward pass: compute gradient of the loss with respect to all the learnable
# parameters of the model. Internally, the parameters of each Module are stored
# in Tensors with requires_grad=True, so this call will compute gradients for
# all learnable parameters in the model.
loss.backward()
# Update the weights using gradient descent. Each parameter is a Tensor, so
# we can access its data and gradients like we did before.
with torch.no_grad():
for param in model.parameters():
param.data -= learning_rate * param.grad
optim
We can use this PyTorch package to abstract the idea of an optimization agorithm
# Code in file nn/two_layer_net_optim.py
import torch
# N is batch size; D_in is input dimension;
# H is hidden dimension; D_out is output dimension.
N, D_in, H, D_out = 64 , 1000 , 100 , 10
# Create random Tensors to hold inputs and outputs.
x = torch.randn(N, D_in)
y = torch.randn(N, D_out)
# Use the nn package to define our model and loss function.
model = torch.nn.Sequential(
torch.nn.Linear(D_in, H),
torch.nn.ReLU(),
torch.nn.Linear(H, D_out),
)
loss_fn = torch.nn.MSELoss( reduction = 'sum' )
# Use the optim package to define an Optimizer that will update the weights of
# the model for us. Here we will use Adam; the optim package contains many other
# optimization algorithms. The first argument to the Adam constructor tells the
# optimizer which Tensors it should update.
learning_rate = 1e-4
optimizer = torch.optim.Adam(model.parameters(), lr = learning_rate)
for t in range ( 500 ):
# Forward pass: compute predicted y by passing x to the model.
y_pred = model(x)
# Compute and print loss.
loss = loss_fn(y_pred, y)
print (t, loss.item())
# Before the backward pass, use the optimizer object to zero all of the
# gradients for the Tensors it will update (which are the learnable weights
# of the model)
optimizer.zero_grad()
# Backward pass: compute gradient of the loss with respect to model parameters
loss.backward()
# Calling the step function on an Optimizer makes an update to its parameters
optimizer.step()
Custom nn
modules
Say you want more complex models- you can define your own Modules by:
Subclas nn.module
Define forward
function which recieves input Tensors and produces output Tensors
# Code in file nn/two_layer_net_module.py
import torch
class TwoLayerNet ( torch . nn . Module ):
def __init__ (self, D_in, H, D_out):
"""
In the constructor we instantiate two nn.Linear modules and assign them as
member variables.
"""
super (TwoLayerNet, self ). __init__ ()
self .linear1 = torch.nn.Linear(D_in, H)
self .linear2 = torch.nn.Linear(H, D_out)
def forward (self, x):
"""
In the forward function we accept a Tensor of input data and we must return
a Tensor of output data. We can use Modules defined in the constructor as
well as arbitrary (differentiable) operations on Tensors.
"""
h_relu = self .linear1(x).clamp( min = 0 )
y_pred = self .linear2(h_relu)
return y_pred
# N is batch size; D_in is input dimension;
# H is hidden dimension; D_out is output dimension.
N, D_in, H, D_out = 64 , 1000 , 100 , 10
# Create random Tensors to hold inputs and outputs
x = torch.randn(N, D_in)
y = torch.randn(N, D_out)
# Construct our model by instantiating the class defined above.
model = TwoLayerNet(D_in, H, D_out)
# Construct our loss function and an Optimizer. The call to model.parameters()
# in the SGD constructor will contain the learnable parameters of the two
# nn.Linear modules which are members of the model.
loss_fn = torch.nn.MSELoss( reduction = 'sum' )
optimizer = torch.optim.SGD(model.parameters(), lr = 1e-4 )
for t in range ( 500 ):
# Forward pass: Compute predicted y by passing x to the model
y_pred = model(x)
# Compute and print loss
loss = loss_fn(y_pred, y)
print (t, loss.item())
# Zero gradients, perform a backward pass, and update the weights.
optimizer.zero_grad()
loss.backward()
optimizer.step()
Control Flow + Weight Sharing
Say you want to implement a strange model- fully-connected ReLU network that on each forward pass chooses a random number between 1 and 4 and uses that many hidden layers, reusing the same weights multiple times to compute the innermost hidden layers
How the heck would you do this?
Use normal Python flow control to impement the loop
Reuse Module when defining forward pass to implement weight sharing
# Code in file nn/dynamic_net.py
import random
import torch
class DynamicNet ( torch . nn . Module ):
def __init__ (self, D_in, H, D_out):
"""
In the constructor we construct three nn.Linear instances that we will use
in the forward pass.
"""
super (DynamicNet, self ). __init__ ()
self .input_linear = torch.nn.Linear(D_in, H)
self .middle_linear = torch.nn.Linear(H, H)
self .output_linear = torch.nn.Linear(H, D_out)
def forward (self, x):
"""
For the forward pass of the model, we randomly choose either 0, 1, 2, or 3
and reuse the middle_linear Module that many times to compute hidden layer
representations.
Since each forward pass builds a dynamic computation graph, we can use normal
Python control-flow operators like loops or conditional statements when
defining the forward pass of the model.
Here we also see that it is perfectly safe to reuse the same Module many
times when defining a computational graph. This is a big improvement from Lua
Torch, where each Module could be used only once.
"""
h_relu = self .input_linear(x).clamp( min = 0 )
for _ in range (random.randint( 0 , 3 )):
h_relu = self .middle_linear(h_relu).clamp( min = 0 )
y_pred = self .output_linear(h_relu)
return y_pred
# N is batch size; D_in is input dimension;
# H is hidden dimension; D_out is output dimension.
N, D_in, H, D_out = 64 , 1000 , 100 , 10
# Create random Tensors to hold inputs and outputs.
x = torch.randn(N, D_in)
y = torch.randn(N, D_out)
# Construct our model by instantiating the class defined above
model = DynamicNet(D_in, H, D_out)
# Construct our loss function and an Optimizer. Training this strange model with
# vanilla stochastic gradient descent is tough, so we use momentum
criterion = torch.nn.MSELoss( reduction = 'sum' )
optimizer = torch.optim.SGD(model.parameters(), lr = 1e-4 , momentum = 0.9 )
for t in range ( 500 ):
# Forward pass: Compute predicted y by passing x to the model
y_pred = model(x)
# Compute and print loss
loss = criterion(y_pred, y)
print (t, loss.item())
# Zero gradients, perform a backward pass, and update the weights.
optimizer.zero_grad()
loss.backward()
optimizer.step()
0 items under this folder.