Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add LeNet Implementation in PyTorch #7070

Merged
merged 14 commits into from
Apr 7, 2023
Merged
72 changes: 72 additions & 0 deletions computer_vision/lenet_pytorch.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,72 @@
"""
LeNet Network

Paper: http://vision.stanford.edu/cs598_spring07/papers/Lecun98.pdf
"""

import torch
import torch.nn as nn


class LeNet(nn.Module):
def __init__(self):
ishandutta0098 marked this conversation as resolved.
Show resolved Hide resolved
ishandutta0098 marked this conversation as resolved.
Show resolved Hide resolved
ishandutta0098 marked this conversation as resolved.
Show resolved Hide resolved
super(LeNet, self).__init__()

self.tanh = nn.Tanh()
self.avgpool = nn.AvgPool2d(kernel_size=2, stride=2)

self.conv1 = nn.Conv2d(
in_channels=1,
out_channels=6,
kernel_size=(5, 5),
stride=(1, 1),
padding=(0, 0),
)
self.conv2 = nn.Conv2d(
in_channels=6,
out_channels=16,
kernel_size=(5, 5),
stride=(1, 1),
padding=(0, 0),
)
self.conv3 = nn.Conv2d(
in_channels=16,
out_channels=120,
kernel_size=(5, 5),
stride=(1, 1),
padding=(0, 0),
)

self.linear1 = nn.Linear(120, 84)
self.linear2 = nn.Linear(84, 10)

def forward(self, x):
ishandutta0098 marked this conversation as resolved.
Show resolved Hide resolved
ishandutta0098 marked this conversation as resolved.
Show resolved Hide resolved
x = self.tanh(self.conv1(x))
x = self.avgpool(x)
x = self.tanh(self.conv2(x))
x = self.avgpool(x)
x = self.tanh(self.conv3(x))

x = x.reshape(x.shape[0], -1)
x = self.tanh(self.linear1(x))
x = self.linear2(x)
return x


def test_model() -> bool:
"""
Test the model on a random input of size [64, 1, 32, 32]

>>> test_model()
True
ishandutta0098 marked this conversation as resolved.
Show resolved Hide resolved

"""
random_image = torch.randn(64, 1, 32, 32)
model = LeNet()
output = model(random_image)

return output.shape == torch.zeros([64, 10]).shape


if __name__ == "__main__":
print(f"Model Passed: {test_model()}")
1 change: 1 addition & 0 deletions requirements.txt
Original file line number Diff line number Diff line change
Expand Up @@ -18,3 +18,4 @@ texttable
tweepy
xgboost
yulewalker
torch