用于图像分割的谱聚类#
在本例中,将生成具有连接圆的图像,并使用谱聚类来分离圆。
在这些设置中,谱聚类方法解决了被称为“归一化图割”的问题:图像被视为连接体素的图,谱聚类算法相当于选择定义区域的图割,同时最小化沿割的梯度与区域体积的比率。
由于算法试图平衡体积(即平衡区域大小),如果我们采用不同大小的圆,则分割会失败。
此外,由于图像的强度或其梯度中没有有用信息,我们选择在仅由梯度弱通知的图上执行谱聚类。这接近于对图执行 Voronoi 分区。
此外,我们使用对象的掩码将图限制为对象的轮廓。在本例中,我们感兴趣的是将对象彼此分离,而不是与背景分离。
# Authors: Emmanuelle Gouillart <[email protected]>
# Gael Varoquaux <[email protected]>
# License: BSD 3 clause
生成数据#
import numpy as np
l = 100
x, y = np.indices((l, l))
center1 = (28, 24)
center2 = (40, 50)
center3 = (67, 58)
center4 = (24, 70)
radius1, radius2, radius3, radius4 = 16, 14, 15, 14
circle1 = (x - center1[0]) ** 2 + (y - center1[1]) ** 2 < radius1**2
circle2 = (x - center2[0]) ** 2 + (y - center2[1]) ** 2 < radius2**2
circle3 = (x - center3[0]) ** 2 + (y - center3[1]) ** 2 < radius3**2
circle4 = (x - center4[0]) ** 2 + (y - center4[1]) ** 2 < radius4**2
绘制四个圆#
img = circle1 + circle2 + circle3 + circle4
# We use a mask that limits to the foreground: the problem that we are
# interested in here is not separating the objects from the background,
# but separating them one from the other.
mask = img.astype(bool)
img = img.astype(float)
img += 1 + 0.2 * np.random.randn(*img.shape)
将图像转换为边缘上具有梯度值的图。
from sklearn.feature_extraction import image
graph = image.img_to_graph(img, mask=mask)
取梯度的递减函数,得到接近 Voronoi 分区的分割
graph.data = np.exp(-graph.data / graph.data.std())
这里我们使用 arpack 求解器执行谱聚类,因为 amg 在此示例中数值不稳定。然后我们绘制结果。
import matplotlib.pyplot as plt
from sklearn.cluster import spectral_clustering
labels = spectral_clustering(graph, n_clusters=4, eigen_solver="arpack")
label_im = np.full(mask.shape, -1.0)
label_im[mask] = labels
fig, axs = plt.subplots(nrows=1, ncols=2, figsize=(10, 5))
axs[0].matshow(img)
axs[1].matshow(label_im)
plt.show()
绘制两个圆#
这里我们重复上述过程,但只考虑我们生成的前两个圆。请注意,这会导致圆之间的分离更清晰,因为在这种情况下区域大小更容易平衡。
img = circle1 + circle2
mask = img.astype(bool)
img = img.astype(float)
img += 1 + 0.2 * np.random.randn(*img.shape)
graph = image.img_to_graph(img, mask=mask)
graph.data = np.exp(-graph.data / graph.data.std())
labels = spectral_clustering(graph, n_clusters=2, eigen_solver="arpack")
label_im = np.full(mask.shape, -1.0)
label_im[mask] = labels
fig, axs = plt.subplots(nrows=1, ncols=2, figsize=(10, 5))
axs[0].matshow(img)
axs[1].matshow(label_im)
plt.show()
脚本总运行时间:(0 分 0.533 秒)
相关示例
将希腊硬币的图片分割成区域
压缩感知:使用 L1 先验(Lasso)进行断层扫描重建
缓存最近邻
有结构和无结构的凝聚聚类