-
Notifications
You must be signed in to change notification settings - Fork 0
/
main.py
301 lines (238 loc) · 12.3 KB
/
main.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
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
# Processamento de Imagens Digitais - PPGCC 2018
import cv2
import random
import os, sys
import argparse
import operator
import numpy as np
import scipy.spatial as sp
import matplotlib.pyplot as plt
import matplotlib.image as mpimg
from tqdm import tqdm
from skimage import feature
from mtcnn.mtcnn import MTCNN
numOfClasses = 60
numOfSamplesPerClass = 4
# Função utilizada para dividir uma imagem de entrada
# em 4 sub-imagens;
def getSubImages(subImage):
height, width = subImage.shape
height = height // 2
width = width // 2
subImages = []
subImages.append(subImage[:height, :width])
subImages.append(subImage[:height, width:])
subImages.append(subImage[height:, :width])
subImages.append(subImage[height:, width:])
return subImages
# Função utilizada para obter todas as imagens do dataset.
# (76 indivíduos (homens), apenas as imagens de 1 - 4);
def getDataset():
dataset = []
coloredDataset = []
for i in range(1, numOfClasses + 1):
for j in range(1, 5):
#imgFilename = 'new_m-{0:0=3d}-{1}.bmp'.format(i, j)
imgFilename = 'm-{0:0=3d}-{1}.bmp'.format(i, j)
imgContent = cv2.imread(imgFilename)
coloredDataset.append(imgContent)
imgContent = cv2.cvtColor(imgContent, cv2.COLOR_BGR2GRAY)
dataset.append(imgContent)
return dataset, coloredDataset
# Função utilizada para obter todas as imagens de teste do dataset.
# (76 indivíduos (homens), apenas as imagens de 14 - 17);
def getTestDataset():
testDataset = []
testColoredDataset = []
for i in range(1, numOfClasses + 1):
#randomSampleNumber = random.randint(14, 17)
#imgFilename = 'new_m-{0:0=3d}-{1}.bmp'.format(i, 14)
imgFilename = 'm-{0:0=3d}-{1}.bmp'.format(i, 14)
imgContent = cv2.imread(imgFilename)
testColoredDataset.append(imgContent)
imgContent = cv2.cvtColor(imgContent, cv2.COLOR_BGR2GRAY)
testDataset.append(imgContent)
return testDataset, testColoredDataset
# Função utilizada para calcular a distância de uma amostra ("base")
# em relação à todas as outras (com a func. euclidiana);
def getRelativeDistances(base, descriptors):
relativeDistances = {}
for i in range(0, descriptors.shape[0]):
if i == base: continue
relativeDistances[i] = cv2.compareHist(np.float32(descriptors[i]), np.float32(descriptors[base]), cv2.HISTCMP_CHISQR)
#relativeDistances[i] = sp.distance.cityblock(descriptors[i], descriptors[base])
#relativeDistances[i] = sp.distance.euclidean(descriptors[i], descriptors[base])
return relativeDistances
# Análogo ao método acima, porém leva em consideração os histogramas das amostras de teste
# para efetuar o cálculo do CMC posteriormente;
def getRelativeDistancesCMC(base, testHistograms, descriptors):
relativeDistances = {}
for i in range(0, descriptors.shape[0]):
#relativeDistances[i] = cv2.compareHist(np.float32(descriptors[i]), np.float32(testHistograms[base]), cv2.HISTCMP_CHISQR)
relativeDistances[i] = sp.distance.cityblock(descriptors[i], testHistograms[base])
#relativeDistances[i] = sp.distance.euclidean(descriptors[i], testHistograms[base])
return relativeDistances
# Função utilizada para calcular o vetor de PR de uma amostra ("i")
# levando em consideração seu vetor de distâncias relativas calculado
# anteriormente;
def getDescriptorPR(i, sortedRelativeDistances):
global numOfSamplesPerClass
currentDescriptorClass = i // numOfSamplesPerClass
retrievedInClass = 0
totalRetrieved = 0
totalInClass = numOfSamplesPerClass - 1
currentDescriptorPR = [0] * (numOfSamplesPerClass - 1)
for descriptorNumber, relativeDistance in sortedRelativeDistances:
totalRetrieved += 1
if (descriptorNumber // numOfSamplesPerClass) == currentDescriptorClass:
retrievedInClass += 1
currentDescriptorPR[retrievedInClass - 1] = retrievedInClass / totalRetrieved
return currentDescriptorPR
if __name__ == '__main__':
descriptors = []
# Obtém as imagens do dataset.
# (Apenas homens, 76 indivíduos, sub-imagens de 1 à 4 (luz ambiente));
dataset, coloredDataset = getDataset()
detector = MTCNN()
errCount = 0
# Para cada sub-imagem de um mesmo indivíduo,
# cria um processo para calcular o respectivo histograma LBP;
print('Calculating each sample\'s LBP histogram...')
for i in tqdm(range(0, numOfClasses * numOfSamplesPerClass)):
# Divide cada amostra em 4 sub-imagens para calcular os respectivos histogramas LBP.
# (Lembrando que eles são concatenados posteriormente em um único histograma);
# Para a abordagem de 4 Sub-imagens, descomentar a linha abaixo.
#subImages = getSubImages(dataset[i])
result = detector.detect_faces(coloredDataset[i])
try:
box = result[0]['box']
l_eye = result[0]['keypoints']['left_eye']
r_eye = result[0]['keypoints']['right_eye']
except Exception as e:
print((i // numOfSamplesPerClass) + 1)
print((i % numOfSamplesPerClass) + 1)
continue
#subImages = getSubImages(dataset[i][box[0]:box[0] + box[2] + 1,box[1]:box[1] + box[3] + 1])
concatenatedHistograms = []
'''
# Para a abordagem de 4 Sub-imagens, descomentar este bloco.
for subImage in subImages:
# Calcula o LBP da sub-imagem, utilizando o método NRI UNIFORM.
# São levados em consideração 8 vizinhos e um raio de distância 2.
# (NRI UNIFORM: Non-Rotational Invariant Uniform);
lbp = np.float32(feature.local_binary_pattern(subImage, 8, 2, method='nri_uniform'))
#lbp_bins = int(lbp.max())
#histogram = np.histogram(lbp.ravel(), bins=lbp_bins, range=(0, lbp_bins), density=True)
_, histogram = np.unique(lbp, return_counts=True)
histogram = np.true_divide(histogram, np.max(histogram))
concatenatedHistograms.extend(histogram)
'''
# Para a abordagem de Close-up, descomentar este bloco.
lbp = np.float32(feature.local_binary_pattern(dataset[i][box[0]:box[0] + box[2] + 1,box[1]:box[1] + box[3] + 1], 8, 2, method='nri_uniform'))
_, histogram = np.unique(lbp, return_counts=True)
histogram = np.true_divide(histogram, np.max(histogram))
concatenatedHistograms.extend(histogram)
'''
# Para a abordagem com descritores dos olhos, descomentar este bloco.
left_eye_lbp = np.float32(feature.local_binary_pattern(dataset[i][l_eye[0] - 50:l_eye[0] + 50,l_eye[1] - 50:l_eye[1] + 50], 8, 2, method='default'))
right_eye_lbp = np.float32(feature.local_binary_pattern(dataset[i][r_eye[0] - 50:r_eye[0] + 50,r_eye[1] - 50:r_eye[1] + 50], 8, 2, method='default'))
le_bins = int(left_eye_lbp.max())
re_bins = int(right_eye_lbp.max())
le_histogram = np.histogram(left_eye_lbp.ravel(), bins=le_bins, range=(0, le_bins), density=True)
re_histogram = np.histogram(right_eye_lbp.ravel(), bins=re_bins, range=(0, re_bins), density=True)
avg_histogram = (le_histogram[0] + re_histogram[0]) / 2
#concatenatedHistograms.extend(le_histogram[0])
#concatenatedHistograms.extend(re_histogram[0])
#concatenatedHistograms.extend(avg_histogram)
'''
descriptors.append(concatenatedHistograms)
descriptors = np.array(descriptors)
print('Final descriptor dimensions:', descriptors.shape)
# Realiza o cálculo do vetor PR de cada uma das amostras e,
# consequentemente, calcula a média deles.
print('Calculating each sample\'s Precision-Recall (PR) array...')
descriptorsPR = []
for i in tqdm(range(0, descriptors.shape[0])):
relativeDistances = getRelativeDistances(i, descriptors)
sortedRelativeDistances = sorted(relativeDistances.items(), key=operator.itemgetter(1))
currentDescriptorPR = getDescriptorPR(i, sortedRelativeDistances)
descriptorsPR.append(currentDescriptorPR)
descriptorsPR = np.array(descriptorsPR)
descriptorsPR_mean = np.mean(descriptorsPR, axis=0)
print('Precision-Recall descriptor dimensions:', descriptorsPR.shape)
print('{}| Average Precision x Recall:'.format('LBP'))
print(descriptorsPR_mean)
# A partir deste ponto, a execução é bem semelhante ao código escrito até aqui.
# A ideia é gerar um conjunto de teste, calcular os histogramas destas amostras de teste e
# compará-los com os histogramas mais próximos de cada uma delas, calculando o CMC.
testHistograms = []
testRelativeDistances = []
testDataset, testColoredDataset = getTestDataset()
print('Calculating the CMC Curve based on test samples...')
for i, testSample in enumerate(testDataset):
# Para a abordagem de 4 Sub-imagens, descomentar a linha abaixo.
#subImages = getSubImages(testSample)
result = detector.detect_faces(testColoredDataset[i])
try:
l_eye = result[0]['keypoints']['left_eye']
r_eye = result[0]['keypoints']['right_eye']
except Exception as e:
print(i)
continue
concatenatedHistograms = []
'''
# Para a abordagem de 4 Sub-imagens, descomentar este bloco.
for subImage in subImages:
lbp = np.float32(feature.local_binary_pattern(subImage, 8, 2, method='nri_uniform'))
_, histogram = np.unique(lbp, return_counts=True)
concatenatedHistograms.extend(histogram)
'''
# Para a abordagem de Close-up, descomentar este bloco.
lbp = np.float32(feature.local_binary_pattern(testSample[box[0]:box[0] + box[2] + 1,box[1]:box[1] + box[3] + 1], 8, 2, method='nri_uniform'))
_, histogram = np.unique(lbp, return_counts=True)
concatenatedHistograms.extend(histogram)
'''
# Para a abordagem com descritores dos olhos, descomentar este bloco.
left_eye_lbp = np.float32(feature.local_binary_pattern(testDataset[i][l_eye[0] - 30:l_eye[0] + 30,l_eye[1] - 25:l_eye[1] + 25], 8, 2, method='default'))
right_eye_lbp = np.float32(feature.local_binary_pattern(testDataset[i][r_eye[0] - 30:r_eye[0] + 30,r_eye[1] - 25:r_eye[1] + 25], 8, 2, method='default'))
le_bins = int(left_eye_lbp.max())
re_bins = int(right_eye_lbp.max())
le_histogram = np.histogram(left_eye_lbp.ravel(), bins=le_bins, range=(0, le_bins), density=True)
re_histogram = np.histogram(right_eye_lbp.ravel(), bins=re_bins, range=(0, re_bins), density=True)
avg_histogram = (le_histogram[0] + re_histogram[0]) / 2
#concatenatedHistograms.extend(le_histogram[0])
#concatenatedHistograms.extend(re_histogram[0])
concatenatedHistograms.extend(avg_histogram)
'''
testHistograms.append(concatenatedHistograms)
testHistograms = np.array(testHistograms)
for i in tqdm(range(0, testHistograms.shape[0])):
relativeDistances = getRelativeDistancesCMC(i, testHistograms, descriptors)
sortedRelativeDistances = sorted(relativeDistances.items(), key=operator.itemgetter(1))
testRelativeDistances.append(sortedRelativeDistances)
# O trecho de código abaixo calcula efetivamente a curva CMC.
# Trata-se de um loop que fica iterando repetitivamente sobre as amostras de teste,
# até que todas elas tenham finalmente encontrado o histograma (de mesma classe) mais próximo.
isLooping = True
cmcRankings = []
cmcCurrentRanking = 1
cmcControl = [False] * numOfClasses
while isLooping:
trueCounter = 0
for i in range(0, numOfClasses):
if cmcControl[i]:
trueCounter += 1
continue
descriptorNumber, relativeDistance = testRelativeDistances[i][cmcCurrentRanking - 1]
if (descriptorNumber // numOfSamplesPerClass) == i:
cmcControl[i] = True
trueCounter += 1
if trueCounter == numOfClasses:
isLooping = False
cmcRankings.append(1.0)
else:
cmcCurrentRanking += 1
cmcRankings.append(trueCounter / numOfClasses)
print('{}| CMC Curve:'.format('LBP'))
print('Total Rankings: {}'.format(cmcCurrentRanking))
print(cmcRankings)