使用 Python-OpenCV 显示在图像上单击的点的坐标
OpenCV 帮助我们控制和管理不同类型的鼠标事件,并为我们提供了操作它们的灵活性。有许多类型的鼠标事件。这些事件可以通过运行以下代码段来显示:
import cv2
[print(i) for i in dir(cv2) if 'EVENT' in i]
输出 :
EVENT_FLAG_ALTKEY
EVENT_FLAG_CTRLKEY
EVENT_FLAG_LBUTTON
EVENT_FLAG_MBUTTON
EVENT_FLAG_RBUTTON
EVENT_FLAG_SHIFTKEY
EVENT_LBUTTONDBLCLK
EVENT_LBUTTONDOWN
EVENT_LBUTTONUP
EVENT_MBUTTONDBLCLK
EVENT_MBUTTONDOWN
EVENT_MBUTTONUP
EVENT_MOUSEHWHEEL
EVENT_MOUSEMOVE
EVENT_MOUSEWHEEL
EVENT_RBUTTONDBLCLK
EVENT_RBUTTONDOWN
EVENT_RBUTTONUP
现在让我们看看如何显示在图像上单击的点的坐标。我们将显示右键单击和左键单击的点。
算法 :
- 导入 cv2 模块。
- 使用 cv2.imread()函数导入图像。
- 使用 cv2.imshow()函数显示图像。
- 调用 cv2.setMouseCallback()函数并将图像窗口和用户自定义函数作为参数传递。
- 在用户定义的函数中,使用 cv2.EVENT_LBUTTONDOWN 属性检查鼠标左键单击。
- 在 Shell 上显示坐标。
- 在创建的窗口上显示坐标。
- 使用 cv2.EVENT_RBUTTONDOWN 属性对鼠标右键单击执行相同操作。在图像上显示坐标时更改颜色以区别左键单击。
- 在用户定义函数之外,使用 cv2.waitKey(0) 和 cv2.destroyAllWindows() 函数关闭窗口并终止程序。
我们将使用 Lena 图像的彩色版本。
Python3
# importing the module
import cv2
# function to display the coordinates of
# of the points clicked on the image
def click_event(event, x, y, flags, params):
# checking for left mouse clicks
if event == cv2.EVENT_LBUTTONDOWN:
# displaying the coordinates
# on the Shell
print(x, ' ', y)
# displaying the coordinates
# on the image window
font = cv2.FONT_HERSHEY_SIMPLEX
cv2.putText(img, str(x) + ',' +
str(y), (x,y), font,
1, (255, 0, 0), 2)
cv2.imshow('image', img)
# checking for right mouse clicks
if event==cv2.EVENT_RBUTTONDOWN:
# displaying the coordinates
# on the Shell
print(x, ' ', y)
# displaying the coordinates
# on the image window
font = cv2.FONT_HERSHEY_SIMPLEX
b = img[y, x, 0]
g = img[y, x, 1]
r = img[y, x, 2]
cv2.putText(img, str(b) + ',' +
str(g) + ',' + str(r),
(x,y), font, 1,
(255, 255, 0), 2)
cv2.imshow('image', img)
# driver function
if __name__=="__main__":
# reading the image
img = cv2.imread('lena.jpg', 1)
# displaying the image
cv2.imshow('image', img)
# setting mouse handler for the image
# and calling the click_event() function
cv2.setMouseCallback('image', click_event)
# wait for a key to be pressed to exit
cv2.waitKey(0)
# close the window
cv2.destroyAllWindows()
输出 :