我知道周围有很多类似的问题,但这些问题似乎都不能解决我的问题。这就是为什么我决定创建另一个帖子。
首先,以下代码的基本思想是,它将检测特定坐标的像素值,以便创建具有相同颜色的矩形。
这是我的代码:
# open image
img = cv2.imread("image.png")
# set coordinates for rectangle
start_point = (35, 39)
end_point = (50, 60)
# get pixel value of start point; outputs something like "[132 42 52]"
pixel = img[start_point].astype(int)
R = pixel[0]
G = pixel[1]
B = pixel[2]
# outputs type: "<class 'numpy.ndarray'> <class 'numpy.int32'> <class 'numpy.int32'> <class 'numpy.int32'>"
print(type(pixel), type(R), type(G), type(B))
# draws rectangle
color = (R, G, B)
image = cv2.rectangle(img, start_point, end_point, color, -1)
即使使用"astype(int)“将值"R”、"G“和"B”转换为整数,我也会得到以下错误:
image = cv2.rectangle(img, start_point, end_point, color, -1)
TypeError: an integer is required (got type tuple)
通过使用像30,53,100这样的数字作为颜色值,一切都很好。通过设置此图像中坐标的像素值,我收到的值似乎有问题。我真的不知道问题出在哪里,所以我很感谢大家的帮助!
提前谢谢。
发布于 2020-03-31 10:54:37
我认为最简单的解决方案是使用color = (int(R), int(G), int(B))
。
问题是,即使使用pixel = img[start_point].astype(int)
,pixel
的元素也是<class 'numpy.int32'>
类型的,而不是int
类型的。
发布于 2020-03-31 10:54:23
你自己回答了--你传递了numpy.int32
类型,而他们期望的是int
。对于人类来说是一样的,但是python很难处理所有可以相互转换的类型。你必须通过传递来帮助他们:
image = cv2.rectangle(img, start_point, end_point, [int(x) for x in color], -1)
https://stackoverflow.com/questions/60948480
复制相似问题