-
Notifications
You must be signed in to change notification settings - Fork 0
/
yieldsigncnn.py
251 lines (194 loc) · 8.09 KB
/
yieldsigncnn.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
# -*- coding: utf-8 -*-
"""YieldSignCNN.ipynb
Automatically generated by Colaboratory.
Original file is located at
https://colab.research.google.com/drive/12jc9VFLfW9FVOHjbtmq6gGdH03HX5llz
"""
#Imports
import numpy as np
import torch
import torch.nn as nn
import torch.nn.functional as F
import torch.optim as optim
import torchvision
from torch.utils.data.sampler import SubsetRandomSampler
import torchvision.transforms as transforms
import matplotlib.pyplot as plt
import os
import time
#Path to Dataset
master_path = '------ INSERT LOCAL PATH TO DATASET HERE ---------'
#More helper functions
#Transforms:
''' compose , torchvision.transforms.RandomChoice(transforms)
color jitter
pad (maybeeee)
figure out what random affine means.
random perspective
random rotation
LinearTransformation Chandra was talking about?
RandomErasing
'''
np.random.seed(None)
U1 = np.random.random()
U2 = np.random.random()
U3 = np.random.random()
U4 = np.random.random()
transformations = [];
#color jitters
##### testing hues ##### working now as of Jan 30th
t1 = torchvision.transforms.ColorJitter(brightness=U1, contrast=U2, saturation=U3, hue=0.1)
t2 = torchvision.transforms.ColorJitter(brightness=U2, contrast=U3, saturation=U4, hue=0.2)
t3 = torchvision.transforms.ColorJitter(brightness=U3, contrast=U4, saturation=U1, hue=0.3)
t4 = torchvision.transforms.ColorJitter(brightness=U4, contrast=U1, saturation=U2, hue=0.4)
jitterList = [t1,t2,t3,t4];
#No Transformation
tn = torchvision.transforms.Resize((200,200),interpolation=2)
#Rotations
degrees = (-30,30)
t5 = torchvision.transforms.RandomRotation(degrees, resample=False, expand=False, center=None, fill=0)
#Random Perspectives
t6 = torchvision.transforms.RandomPerspective(distortion_scale=0.5, p=1, interpolation=3, fill=0)
#Affine (basically a shear)
t7 = torchvision.transforms.RandomAffine(degrees, translate=None, scale=None, shear=degrees, resample=False, fillcolor=0)
#compose
transformationsList = [t5,t6,t7,tn]; # now adding t8 to test
transformations = [];
randomJitter = torchvision.transforms.RandomChoice(jitterList);
randomTransformation = torchvision.transforms.RandomChoice(transformationsList);
transformations.append(randomJitter)
transformations.append(randomTransformation)
#Helper Functions
def get_relevant_indices(dataset, classes, target_classes):
indices = []
for i in range(len(dataset)):
# Check if the label is in the target classes
label_index = dataset[i][1] # ex: 3
label_class = classes[label_index] # ex: 'cat'
if label_class in target_classes:
indices.append(i)
return indices
def get_data_loader(target_classes, batch_size):
transform = transforms.Compose([transforms.Resize((200,200),interpolation=2),
transforms.ToTensor()]) #Can apply random Jitter and Transformation Later
# classes are folders in each directory with these names
classes = ['yieldSigns','notYieldSigns'];
#Creating the entire Training Dataset
trainset = torchvision.datasets.ImageFolder(master_path, transform=transform)
#Getting the indices for training set inorder to split to validation and training
relevant_indices = get_relevant_indices(trainset,classes,target_classes)
#Might have to return later^
#Split into train and validation
np.random.seed(1000);
np.random.shuffle(relevant_indices)
split = int(len(relevant_indices) * 0.70) #split at 70%
#split into train and validation indices
relevant_train_indices, relevant_val_indices = relevant_indices[:split], relevant_indices[split:]
train_sampler = SubsetRandomSampler(relevant_train_indices)
train_loader = torch.utils.data.DataLoader(trainset, batch_size=batch_size,
num_workers=1, sampler=train_sampler)
val_sampler = SubsetRandomSampler(relevant_val_indices)
val_loader = torch.utils.data.DataLoader(trainset, batch_size=batch_size,
num_workers=1, sampler=val_sampler)
return train_loader, val_loader, classes
def get_accuracy(model, data_loader):
correct = 0
total = 0
for imgs, labels in data_loader:
if use_cuda and torch.cuda.is_available():
imgs = imgs.cuda()
labels = labels.cuda()
output = model(imgs)
#select index with maximum prediction score
pred = output.max(1, keepdim=True)[1]
correct += pred.eq(labels.view_as(pred)).sum().item()
total += imgs.shape[0]
return correct / total
train_loader, val_loader, classes = get_data_loader(target_classes=['yieldSigns','notYieldSigns'],batch_size=1)
k = 0
for images, labels in train_loader:
# since batch_size = 1, there is only 1 image in `images`
image = images[0]
# place the colour channel at the end, instead of at the beginning
img = np.transpose(image, [1,2,0])
# normalize pixel intensity values to [0, 1]
img = img / 2 + 0.5
plt.subplot(3, 5, k+1)
plt.axis('off')
plt.imshow(img)
k += 1
if k > 14:
break
torch.manual_seed(1000) # set the random seed
class CNNClassifierYieldSigns(nn.Module):
def __init__(self):
super(CNNClassifierYieldSigns, self).__init__()
self.name = "yieldSigns"
self.conv1 = nn.Conv2d(3, 5, 5) #expect RGB image, want 5 layers of information, kernel/ filter of 5
self.pool = nn.MaxPool2d(2, 2) #divide everything by 2
self.conv2 = nn.Conv2d(5, 10, 5) #expect 5 layers, want 10 layers of information, kernel / filter of 5
self.fc1 = nn.Linear(10 * 47 * 47, 220)
self.fc2 = nn.Linear(220, 2)
def forward(self, img):
x = self.pool(F.relu(self.conv1(img)))
x = self.pool(F.relu(self.conv2(x)))
x = x.view(-1, 10 * 47 * 47)
x = F.relu(self.fc1(x))
x = self.fc2(x)
return x
def train(model, train_loader, val_loader, batch_size=32, num_epochs=5, learn_rate = 0.001):
torch.manual_seed(1000)
criterion = nn.CrossEntropyLoss()
optimizer = optim.Adam(model.parameters(), lr=learn_rate)
iters, train_acc, val_acc = [], [], []
# training
print ("Training Started...")
n = 0 # the number of iterations
start_time=time.time()
for epoch in range(num_epochs):
for imgs, labels in iter(train_loader):
if use_cuda and torch.cuda.is_available():
imgs = imgs.cuda()
labels = labels.cuda()
out = model(imgs) # forward pass
loss = criterion(out, labels) # compute the total loss
loss.backward() # backward pass (compute parameter updates)
optimizer.step() # make the updates for each parameter
optimizer.zero_grad() # a clean up step for PyTorch
n += 1
# track accuracy
iters.append(n)
train_acc.append(get_accuracy(model, train_loader))
val_acc.append(get_accuracy(model, val_loader))
print(epoch, train_acc[-1], val_acc[-1])
end_time= time.time()
plt.title("Training Curve")
plt.plot(iters, train_acc, label="Training")
plt.plot(iters, val_acc, label="Validation")
plt.xlabel("Iterations")
plt.ylabel("Validation Accuracy")
plt.legend(loc='best')
plt.show()
return train_acc, val_acc
# Training Curve
def plot_training_curve(path):
""" Plots the training curve for a model run, given the csv files
containing the train/validation error/loss.
Args:
path: The base path of the csv files produced during training
"""
import matplotlib.pyplot as plt
train_acc = np.loadtxt("{}_train_acc.csv".format(path))
val_acc = np.loadtxt("{}_val_acc.csv".format(path))
plt.title("Train vs Validation Accuracy")
n = len(train_acc) # number of epochs
plt.plot(range(1,n+1), train_acc, label="Train")
plt.plot(range(1,n+1), val_acc, label="Validation")
plt.xlabel("Epoch")
plt.ylabel("Accuracy")
plt.legend(loc='best')
plt.show()
'''
TRAINING TEST
use_cuda = True
train(CNNClassifierYieldSigns(), train_loader, val_loader, batch_size=1, num_epochs=10, learn_rate=0.00025)'''