我有一个带有非白色物体的白色背景的图像文件。 我想使用python(Pillow)找到对象的中心。
我在c ++中发现了类似的问题,但没有可接受的答案 - How can I find center of object?
类似的问题,但回答中的链接断开 - What is the fastest way to find the center of an irregularly shaped polygon? (broken links in answer)
我也阅读了这个页面,但它没有给我一个有用的食谱 - https://en.wikipedia.org/wiki/Smallest-circle_problem
编辑: 我正在使用的当前解决方案是:
def find_center(image_file):
img = Image.open(image_file)
img_mtx = img.load()
top = bottom = 0
first_row = True
# First we find the top and bottom border of the object
for row in range(img.size[0]):
for col in range(img.size[1]):
if img_mtx[row, col][0:3] != (255, 255, 255):
bottom = row
if first_row:
top = row
first_row = False
middle_row = (top + bottom) / 2 # Calculate the middle row of the object
left = right = 0
first_col = True
# Scan through the middle row and find the left and right border
for col in range(img.size[1]):
if img_mtx[middle_row, col][0:3] != (255, 255, 255):
left = col
if first_col:
right = col
first_col = False
middle_col = (left + right) / 2 # Calculate the middle col of the object
return (middle_row, middle_col)
答案 0 :(得分:8)
如果您将中心定义为Center of Mass,那么这并不困难,尽管CoM可能超出您的形状。您可以将图片解释为2D distribution,然后使用积分(求和)找到expected value(CoM)。
如果你有numpy,那很简单。首先创建一个包含1的numpy数组,其中你的图像是非白色的,然后使它成为概率分布除以1的总数。
from PIL import Image
import numpy as np
im = Image.open('image.bmp')
immat = im.load()
(X, Y) = im.size
m = np.zeros((X, Y))
for x in range(X):
for y in range(Y):
m[x, y] = immat[(x, y)] != (255, 255, 255)
m = m / np.sum(np.sum(m))
从这一点开始,它变成了基本的概率论。您可以找到边际分布,然后将预期值计算为离散概率分布。
# marginal distributions
dx = np.sum(m, 1)
dy = np.sum(m, 0)
# expected values
cx = np.sum(dx * np.arange(X))
cy = np.sum(dy * np.arange(Y))
(cx, cy)
是您正在寻找的CoM。
说明:
m[x, y] = immat[(x, y)] != (255, 255, 255)
更改为m[x, y] = f(immat[(x, y)])
,其中f
是一个仲裁(非负值)函数。np.asarray(im)
,但是要注意索引没有循环:
m = np.sum(np.asarray(im), -1) < 255*3
m = m / np.sum(np.sum(m))
dx = np.sum(m, 0) # there is a 0 here instead of the 1
dy = np.sum(m, 1) # as np.asarray switches the axes, because
# in matrices the vertical axis is the main
# one, while in images the horizontal one is
# the first
答案 1 :(得分:0)
我会尝试找到一种方法在它周围画一个三角形,三角形的一个点位于物体上最远的“点”,然后找到那个三角形的中心。