Reputation: 13
I have a gray scale 50 x 50 pixels picture as a numpy 2D array.
Each pixel is a coordinate starting top left [ 0 , 0 ] to bottom right [ 50 , 50 ].
How do i get coordinates of each pixel that is on the line from point A to B where those points can be any given pixel pairs i.e. A[ 19 , 3 ] to B[ 4 , 4 ] or A[ 3 , 12 ] to B[ 0 , 33 ]?
Example: line from A [ 4 , 9 ] to B[ 12 , 30 ] crosses which pixels?
Thanks in advance
Evo
Upvotes: 1
Views: 770
Reputation: 2002
You can interpolate your image to extract a line profile if that is what you wish to do, this way the coordinates need not be integers:
from scipy.ndimage import map_coordinates
from skimage.data import coins
from matplotlib import pyplot as plt
import numpy as np
npts = 128
rr = np.linspace(30, 243, npts) # coordinates of points defined here
cc = np.linspace(73, 270, npts)
image = coins()
# this line extracts the line profile from the image
profile = map_coordinates(image, np.stack((rr, cc)))
# can visualise as
fig, ax = plt.subplots(ncols=2)
ax[0].matshow(image)
ax[0].plot(cc, rr, 'w--')
ax[1].plot(profile) # profile is the value in the image along the line
Upvotes: 1
Reputation: 207465
With scikit-image line() like this:
import numpy as np
from skimage.draw import line
from skimage import io
# Create image
img = np.zeros((50, 50), dtype=np.uint8)
# Get row and col of pixels making line from (4,9) to (12,30)
rr, cc = line(4, 9, 12, 30)
print(rr)
array([ 4, 4, 5, 5, 6, 6, 6, 7, 7, 7, 8, 8, 9, 9, 9, 10, 10,
10, 11, 11, 12, 12])
print(cc)
array([ 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25,
26, 27, 28, 29, 30])
# Visualise as image instead of list
img[rr, cc] = 255
io.imsave('result.jpg',img)
Upvotes: 0
Reputation: 292
What I figure out helps is to calculate pixel value at a curtain point on the line (vector). Code below:
coordA = [0,0]
coordB = [3,4]
def intermid_pix(coorA, coorB, nb_points=8):
x_axis = (coorB[0] - coorA[0]) / (nb_points + 1)
y_axis = (coorB[1] - coorA[1]) / (nb_points + 1)
rounded = [[round(coorA[0] + i * x_axis), round(coorA[1] + i * y_axis)]
for i in range(1, nb_points + 1)]
rounded_trim = []
[rounded_trim.append(x) for x in rounded if x not in rounded_trim]
return rounded_trim
coordinates = intermed_pix(coordA, coordB, nb_points=8)
print(coordinates)
output:
[[0, 0], [1, 1], [1, 2], [2, 2], [2, 3], [3, 4]]
Upvotes: 0