I am trying to plot values of x coordinates and y coordinates of image array seperately
step1: 2 image arrays are given of size (10,2)
step2: find matching coordinates if they are same or distance between them is lessthan 3
step3: print x coordinates and y coordinates of image1 & image 2
My code:
JavaScript
x
26
26
1
def euclideanDistance(coordinate1, coordinate2):
2
dist= pow(pow(coordinate1[0] - coordinate2[0], 2) + pow(coordinate1[1] -
3
coordinate2[1], 2), .5)
4
if dist <= 3:
5
return (coordinate1, coordinate2)
6
return False
7
8
first_cords= [[17,268],[17,396],[18,243],[18,548],[33,331],[47,27],[19,702,[45,484],[44,179],[46,89]]
9
second_cords= [[16, 484],[17, 398],[17, 640],[18, 331],[33,331],[47,27],[19,702,[45,484],[44,179],[46,89]]
10
11
new_x_coords1= []
12
new_y_coords1=[]
13
new_x_coords2 = []
14
new_y_coords2 = []
15
for f_cord in first_cords:
16
for s_cord in second_cords:
17
if euclideanDistance(f_cord,s_cord) is not False:
18
new_x_coords1.append(f_cord[0])
19
new_y_coords1.append(f_cord[1])
20
new_x_coords2.append(s_cord[0])
21
new_y_coords2.append(s_cord[1])
22
23
#printing x coordinates only
24
for i in new_x_coords1:
25
print(new_x_coords1[i] )
26
expected output: xcoordinates now: IndexError: list index out of range
Advertisement
Answer
for i in new_x_coords1: print(new_x_coords1[i] )
,i
is the data in new_x_coords1,not index,if you want to use index:
JavaScript
1
3
1
for i in range(len(new_x_coords1)):
2
print(new_x_coords1[i])
3
code:
JavaScript
1
25
25
1
def euclideanDistance(coordinate1, coordinate2):
2
dist= pow(pow(coordinate1[0] - coordinate2[0], 2) + pow(coordinate1[1] - coordinate2[1], 2), .5)
3
if dist <= 3:
4
return (coordinate1, coordinate2)
5
return False
6
7
first_cords = [[17,268],[17,396],[18,243],[18,548],[33,331],[47,27],[19,702],[45,484],[44,179],[46,89]]
8
second_cords = [[16, 484],[17, 398],[17, 640],[18, 331],[33,331],[47,27],[19,702],[45,484],[44,179],[46,89]]
9
10
new_x_coords1= []
11
new_y_coords1=[]
12
new_x_coords2 = []
13
new_y_coords2 = []
14
for f_cord in first_cords:
15
for s_cord in second_cords:
16
if euclideanDistance(f_cord,s_cord) is not False:
17
new_x_coords1.append(f_cord[0])
18
new_y_coords1.append(f_cord[1])
19
new_x_coords2.append(s_cord[0])
20
new_y_coords2.append(s_cord[1])
21
22
#printing x coordinates only
23
for i in new_x_coords1:
24
print(i)
25
result:
JavaScript
1
8
1
17
2
33
3
47
4
19
5
45
6
44
7
46
8