Reputation: 1177
I have a point on the original image and I did perspective tansform on the image. Now how do I get this point's pixle on the warrped image? Here is the example:
import cv2
import numpy as np
original_img = cv2.imread('1.jpg')
# one point(400,560) on the original image
cv2.circle(original_img, (400,560), 7, (0,255,255), -1)
original_points = np.float32([(0,560), (0,450), (795,568), (795,748)])
destination_points = np.float32([(0,400), (0,0), (600,0), (600,400)])
# transformation matrix
M = cv2.getPerspectiveTransform(original_points, destination_points)
# warp perspective
warpped_img = cv2.warpPerspective(original_img, M, (600,400))
cv2.imshow('original', original_img)
cv2.imshow('warpped', warpped_img)
cv2.waitKey(0)
The point on the original image is (400,560)
. How can I calculate the pixle of this point on the warpped image?
Upvotes: 0
Views: 61
Reputation: 1041
import cv2
import numpy as np
original_img = cv2.imread('1.jpg')
# one point(400,560) on the original image
cv2.circle(original_img, (400,560), 7, (0,255,255), -1)
original_points = np.float32([(0,560), (0,450), (795,568), (795,748)])
destination_points = np.float32([(0,400), (0,0), (600,0), (600,400)])
# transformation matrix
M = cv2.getPerspectiveTransform(original_points, destination_points)
pt = np.array([[[400,560]]], dtype=np.float32)
dst_pt = cv2.perspectiveTransform(pt, M)
dst_pt = dst_pt.astype(int)
dst_pt = tuple(dst_pt[0,0,].tolist())
# warp perspective
warpped_img = cv2.warpPerspective(original_img, M, (600,400))
cv2.circle(warpped_img, dst_pt, 7, (0,255,255), -1)
cv2.imshow('original', original_img)
cv2.imshow('warpped', warpped_img)
cv2.waitKey(0)
Upvotes: 1