-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdiameter.py
103 lines (77 loc) · 2.51 KB
/
diameter.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
from PIL import Image
command_line = input().split()
command_line_names = ["Input Filename", "Output Filename", "Pixel Width (mm)", "Epsilon"]
for arg in zip(command_line_names, command_line):
print(arg)
filename = command_line[0]
output_filename = command_line[1]
pxl_width = float(command_line[2])
epsilon = float(command_line[3])
image = Image.open(filename)
in_data = image.load()
output = image.copy()
out_data = output.load()
print()
###############################################################################
from queue import Queue
def intensity(color):
return (color[0]**2 + color[1]**2 + color[2]**2)**0.5
def valid(x, y):
global epsilon
global image
width, height = image.size
global in_data
# In Bounds
if x < 0 or y < 0 or x >= width or y >= height:
return False
# Black color
return intensity(in_data[x,y]) < epsilon
# Returns None if center point not black.
# Otherwise, flood fills pupil, coloring border blue
# and returning the lowest/highest x,y values
# recorded in the pupil.
def flood_fill():
global image
global output
global out_data
width, height = image.size
x_lo, x_hi, y_lo, y_hi = width, 0, height, 0
dx = [-1, -1, -1, 0, 0, 1, 1, 1]
dy = [-1, 0, 1, -1, 1, -1, 0, 1]
visited = [[False for y in range(height)] for x in range(width)]
start = (width//2, height//2)
# Invariant: Each duple put in queue must be valid
if not valid(start[0], start[1]):
return None
q = Queue(maxsize = width*height)
q.put(start)
# Breadth First Search
while not q.empty():
x, y = q.get()
if visited[x][y]:
continue
visited[x][y] = True
# Update result
x_lo = min(x_lo, x)
x_hi = max(x_hi, x)
y_lo = min(y_lo, y)
y_hi = max(y_hi, y)
for i in range(len(dx)):
# x prime, y prime: The next coordinates to consider
xp, yp = x + dx[i], y + dy[i]
if valid(xp, yp):
q.put((xp, yp))
else:
# Edge point
out_data[x,y] = (0,0,255)
return (x_lo, x_hi, y_lo, y_hi)
###############################################################################
result = flood_fill()
#result = None
if result:
x_lo, x_hi, y_lo, y_hi = result
print("Horizontal Diameter:", (x_hi - x_lo) * pxl_width, "mm")
print("Vertical Diameter:", (y_hi - y_lo) * pxl_width, "mm")
output.save(output_filename)
else:
print("Pupil Not Centered")