我有一张图片,我想找到面积最小的作物,同时保留一定比例的边缘能量。
我对此的看法是将其表述为一个优化问题,并让 scipy 的约束优化器解决它[代码见下文]。这显然是有问题的,因为它是一个整数问题(裁剪将左上角和右下角的整数坐标作为参数)。并且确实fmin_cobyla
在大约 20 秒的运行时间后未能找到解决方案,而fmin_slsqp
在一次迭代后失败,“ LSQ 子问题中的奇异矩阵 C(退出模式 6) ”。
关于我如何解决这个问题的任何想法?是否有一个处理图像优化问题的库?
from skimage.filters import sobel
from PIL import Image
from scipy.optimize import fmin_slsqp
def objective(x):
# minimize the area
return abs((x[2] - x[0]) * (x[3] - x[1]))
def create_ratio_constr(img):
def constr(x):
# 81% of the image energy should be contained
x = tuple(map(int, x))
crop = img.crop((x[0], x[1], x[2], x[3]))
area_ratio = round(sum(list(crop.getdata())) /
float(sum(list(img.getdata()))), 2)
if area_ratio == 0.81:
return 0.0
return -1
return constr
def borders_constr(x):
x = tuple(map(int, x))
# 1st point is up and left of 2nd point
rectangle = x[0] < x[2] and x[1] < x[3]
# only positive values valid
positive = x[0] > 0 and x[1] > 0
if rectangle and positive:
return 0.0
return -1
img = Image.open("/some/path.jpg")
# get the edges
edges = Image.fromarray(sobel(img.convert("L")))
ratio_constr = create_ratio_constr(edges)
x = fmin_slsqp(objective,
(0, 0, edges.size[0]-1, edges.size[1]-1),
[borders_constr, ratio_constr],
disp=1)
print x