-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathlicense_plate_recognition_v2.py
316 lines (250 loc) · 12.8 KB
/
license_plate_recognition_v2.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
302
303
304
305
306
307
308
309
310
311
312
313
314
315
import cv2
import numpy as np
import imutils
import pytesseract as tes
from rotate import find_angle
from rotate import rotate
# путь к фотографии для обработки
img_path = r"C:\CREESTL\Programming\PythonCoding\semestr_3\license_plate_detection\pics\number.jpg"
# путь к файлу с каскадом Хаара
faceCascade = cv2.CascadeClassifier('C:\CREESTL\Programming\PythonCoding\semestr_3\license_plate_detection\plates_cascade.xml')
tes.pytesseract.tesseract_cmd = r"C:\CREESTL\Programming\PythonCoding\semestr_3\license_plate_detection\tesseract\tesseract.exe"
"""
Функция удаляет одинаковые плашки номеров, чтобы те не обрабатывались два и более раз
"""
def only_different(plaques):
plaques = list(plaques)
for i,plq in enumerate(plaques):
plq = list(plq)
plaques[i] = plq
for plq in plaques:
i = plaques.index(plq)
for j in range(0, len(plaques) - 1):
if plaques[i] == plaques[j]:
plaques.remove(plaques[j])
return plaques
"""
Эта функция создает "маски" которые фильтруют все пиксели, оставляя только те, цвет которых
указан
"""
def apply_filter(img):
#нужно перевести картинку в формат HLS
image = cv2.cvtColor(img, cv2.COLOR_GRAY2BGR)
image = cv2.cvtColor(image, cv2.COLOR_BGR2HSV)
# маска для белого цвета в формате HLS!!!
# эти числа получаю через прогу set_filter
# H S V
lower = np.uint8([0, 200, 0])
upper = np.uint8([255, 255, 255])
white_mask = cv2.inRange(image, lower, upper)
#старый, но работающий вариант
#маска для серого цвета
lower = np.uint8([52,0,114])
upper = np.uint8([152,96,220])
gray_mask = cv2.inRange(image, lower, upper)
lower = np.uint8([0, 0, 103])
upper = np.uint8([255, 255, 255])
super_gray_mask = cv2.inRange(image, lower, upper)
"""
Теперь с помощью операции дизъюнкции мы объеденяем все маски в одну
В итоге, при наложении этой маски на фотографии, отсеятся все пиксели, кроме
белых пока что (смотри return)
Именно этими цветами обычно рисуются полосы парковки и госномера
"""
#mask = cv2.bitwise_or(white_mask, gray_mask)
mask = super_gray_mask
return mask
"""
Функция удаляет из массива контуров все с очень маленькой площадью
"""
def sort_by_area(image, cnts):
width, height = image.shape[:2]
new_cnts = []
square = width * height
min_area = 0.0002 * square # минимальная площадь контура как часть от общей
for cnt in cnts:
if cv2.contourArea(cnt) >= min_area:
new_cnts.append(cnt)
else:
pass
return new_cnts
"""
Функция для форматирования текста и удаление мусора из него
"""
def format_text(text):
invalid_symbols = ["-", ":", ".", "'", "`", "|", "[", ']', "_", '"', "^", "/"]
for i,symbol in enumerate(text):
# если символ нижнего регистра, то переводим в верхний
text = text.replace(symbol, symbol.upper())
# если увидели пробел - убираем
if symbol == " ":
text = text.replace(symbol, "")
# если в номере были распознаны какие-то символы, кроме букв и цифр, они отбрасываются
if symbol in invalid_symbols:
print("Removing invalid symbol: ", symbol)
text = text.replace(symbol, "")
# заменяем букву О на нули в цифрах
if (i in range(1,4)) and (symbol == "О"):
text = text.replace(symbol, "0")
if len(text) > 9:
text = text[:9]
return text
"""
Основаня функция программы
Вход: путь к фото; индикатор того, надо ли показывать шаги работы
Выход: текст, найденный на фото
"""
def process(img_path, show_steps):
text, path_to_text = None, None # инициализируем пустыми значениеми
frame = cv2.imread(img_path)
if frame is None:
print("Wrong path.Try again!")
exit()
frame = imutils.resize(frame, width = 800)
# убираем шумы с фото
frame = cv2.bilateralFilter(frame, 11, 17, 17)
# копия для рисования на ней
for_number_rect = frame.copy()
# переводим в серый цвет
gray = cv2.cvtColor(frame, cv2.COLOR_BGR2GRAY)
# 1.3 = scale, 5 = min_neighbours
plaques = faceCascade.detectMultiScale(gray, 1.3, 5)
#удаляем одинаковые плашки
plaques = only_different(plaques)
#ПОЧЕМУ ТО ЕСЛИ ЭТО СДЕЛАТЬ, ТО ПРОПАДАЕТ ГЛАВНЫЙ КОНТУР НОМЕРА ПРЯМОУГОЛЬНЫЙ
# если был найден хотя бы один номер
if plaques is not None:
number = len(plaques)
if number > 0:
print("{} license plate detected".format(number))
for plaque in plaques:
(x,y,w,h) = plaque
cv2.rectangle(for_number_rect, (x,y), (x+w,y+h), (0,255,0), 3)
if show_steps:
cv2.imshow("plate_contour", for_number_rect)
cv2.waitKey()
for i, (x, y, w, h) in enumerate(plaques):
roi_color = frame[y:y + h, x:x + w]
# находим ROI для номера
r = 300.0 / roi_color.shape[1]
dim = (300, int(roi_color.shape[0] * r))
resized = cv2.resize(roi_color, dim, interpolation=cv2.INTER_AREA)
if show_steps:
cv2.imshow("resized", resized)
cv2.waitKey()
# убираем шумы с вырезанного фото
no_noize = cv2.GaussianBlur(resized, ksize=(9, 9), sigmaX=0)
# переводим в серый формат и применяем цветовой фильтр
gray = cv2.cvtColor(no_noize, cv2.COLOR_BGR2GRAY)
gray = apply_filter(gray)
black_and_white = gray.copy()
if show_steps:
cv2.imshow("black_and_white_no_noize", gray)
cv2.waitKey()
edged = cv2.Canny(gray, 11, 17, 17)
for_lines = resized.copy()
# линии Хофа рисуются на цветной фотке
lines = cv2.HoughLinesP(edged, rho=1, theta=np.pi / 180, threshold=50, minLineLength=50,maxLineGap=5)
for line in lines:
x1, y1, x2, y2 = line[0]
cv2.line(for_lines, (x1, y1), (x2, y2), (0, 255, 0), 3)
if show_steps:
cv2.imshow("lines", for_lines)
cv2.waitKey()
# по линиям Хофа находится угол наклона кадра
angle = find_angle(edged, lines)
# ПОСЛЕ ТОГО, КАК НАШЛИ УГОЛ ПОВОРОТА НЕОБХОДИМО ЕЩЕ РАЗ СДЕЛАТЬ ЧЕРНО-БЕЛУЮ ФОТКУ НО УЖЕ
# БЕЗ РАЗМЫТИЯ ГАУССА
gray = cv2.cvtColor(resized, cv2.COLOR_BGR2GRAY)
gray = apply_filter(gray)
black_and_white = gray.copy()
if show_steps:
cv2.imshow("black_and_white_with_noize", gray)
cv2.waitKey()
# поворачиваем вырезаннную цветную фотографию, чтобы на ней рисовать контуры и ВСЁ
rotated_color = rotate(resized, angle, True)
if show_steps:
cv2.imshow("rotated", rotated_color)
cv2.waitKey()
for_all_contours = rotated_color.copy()
for_sorted_contours = rotated_color.copy()
rotated = rotate(gray, angle, False)
# на повернутой черно-белой фотографии еще раз ищем грани и контуры
edged = cv2.Canny(rotated, 11, 17, 17)
# находим контуры среди граней
cnts, _ = cv2.findContours(edged, cv2.RETR_LIST, cv2.CHAIN_APPROX_TC89_KCOS)
# а рисуем эти контуры на другой фотке
cv2.drawContours(for_all_contours, cnts, -1, (0,0,255), 3)
if show_steps:
cv2.imshow("all_contours", for_all_contours)
cv2.waitKey()
# фильтруем контуры по их площади от большего к меньшему
cnts = sorted(cnts, key=lambda cnt: cv2.contourArea(cnt), reverse=True)
#удаляем все контуры с очень маленькой площадью
cnts = sort_by_area(edged, cnts)
cv2.drawContours(for_sorted_contours, cnts, -1, (0,255,0), thickness=3)
if show_steps:
cv2.imshow("contours_filtered_by_area", for_sorted_contours)
cv2.waitKey()
min_area = 0
j = None
# находим контур с наибольшей площадью - контур номера
for i, cnt in enumerate(cnts):
rect = cv2.minAreaRect(cnt)
box = cv2.boxPoints(rect) # поиск четырех вершин прямоугольника
box = np.int0(box) # округление координат
area = int(rect[1][0] * rect[1][1]) # вычисление площади
if area > min_area: # находим наибольший контур - там и будет номер
min_area = area
chosen = box
j = i
x, y, w, h = cv2.boundingRect(chosen)
rotated = rotated[y:y + h, x:x + w]
if show_steps:
cv2.imshow("largest_cnt", rotated)
cv2.waitKey()
ret, thresh = cv2.threshold(rotated, 0, 255, cv2.THRESH_BINARY)
img_erode = cv2.erode(thresh, np.ones((3, 3), np.uint8), iterations=1)
if show_steps:
cv2.imshow("erode", img_erode)
cv2.waitKey()
cv2.imwrite("C:\CREESTL\Programming\PythonCoding\semestr_3\license_plate_detection\license_plates\cut_plate_{}.jpg".format(j), rotated)
path_to_text = "C:\CREESTL\Programming\PythonCoding\semestr_3\license_plate_detection\license_plates\cut_plate_{}.jpg".format(j)
text = tes.image_to_string(path_to_text, lang = "rus")
#если хотя бы 3 буквы нашли - хватит
if len(text) > 1:
return text
else:
if len(plaques) > 1: #если плашка всего одна, то мы НЕ можем перейти к следующей
print("On this plaque text hasn`t been detected, moving to the next one!")
else:
print("\nOn this plaque text hasn`t been detected!")
if cv2.waitKey(1) & 0xFF == ord('q'):
break
else:
print("License plate hasn`t been detected!")
return text
#############################################################################################################
# защита ввода
go = False
print("Would you like to see all the steps of processing?")
while go != True:
print("1) Yes\n2) No")
choice = input()
if choice == "1":
show_steps = True
go = True
elif choice == "2":
show_steps = False
go = True
else:
print("Wrong input. Try again!")
text = process(img_path, show_steps)
if text is not None:
if len(text) > 1:
print("Unformatted result is: ", text)
text = format_text(text)
if (text is not "") and (text is not None):
print("\nRESULT: ", text)
print("\nGOODBYE!")
cv2.destroyAllWindows()