鉴于您在个人资料中的问题和答案标签,我将假设您需要 C++ 实现。骨架化对象时,对象的厚度应为 1 像素。因此,我可以建议的一件事是在图像中找到那些非零像素,然后在围绕该像素的 8 连通邻域中搜索并计算那些非零像素。如果计数仅为 2,则这是骨架端点的候选者。请注意,我还将忽略边界,因此我们不会越界。如果计数为 1,则它是一个嘈杂的孤立像素,因此我们应该忽略它。如果它是 3 或更多,那么这意味着您正在检查骨架内的某个点的骨架的一部分,或者您处于多条线连接在一起的点,因此这也不应该是端点。
老实说,除了检查所有骨架像素是否符合此标准之外,我想不出任何算法......所以复杂度将是O(mn),其中m 和n 是行和列你的形象。对于图像中的每个像素,8 像素邻域检查需要固定时间,这对于您检查的所有骨架像素都是相同的。但是,这肯定是次线性的,因为您的图像中的大多数像素将为 0,因此大部分时间不会发生 8 像素邻域检查。
因此,我会尝试这样做,假设您的图像存储在名为im 的cv::Mat 结构中,它是单通道(灰度)图像,并且类型为uchar。我还将以std::vector 类型存储骨架端点所在位置的坐标。每次我们检测到一个骨架点,我们都会一次将两个整数添加到向量中——我们检测到结束骨架点的行和列。
// Declare variable to count neighbourhood pixels
int count;
// To store a pixel intensity
uchar pix;
// To store the ending co-ordinates
std::vector<int> coords;
// For each pixel in our image...
for (int i = 1; i < im.rows-1; i++) {
for (int j = 1; j < im.cols-1; j++) {
// See what the pixel is at this location
pix = im.at<uchar>(i,j);
// If not a skeleton point, skip
if (pix == 0)
continue;
// Reset counter
count = 0;
// For each pixel in the neighbourhood
// centered at this skeleton location...
for (int y = -1; y <= 1; y++) {
for (int x = -1; x <= 1; x++) {
// Get the pixel in the neighbourhood
pix = im.at<uchar>(i+y,j+x);
// Count if non-zero
if (pix != 0)
count++;
}
}
// If count is exactly 2, add co-ordinates to vector
if (count == 2) {
coords.push_back(i);
coords.push_back(j);
}
}
}
如果您想在完成后显示坐标,只需检查此向量中的每一对元素:
for (int i = 0; i < coords.size() / 2; i++)
cout << "(" << coords.at(2*i) << "," coords.at(2*i+1) << ")\n";
为了完整起见,这里还有一个 Python 实现。我正在使用numpy 的一些函数来简化自己的操作。假设你的图片存放在img,也是灰度图,并导入OpenCV库和numpy(即import cv2,import numpy as np),这是等价的代码:
# Find row and column locations that are non-zero
(rows,cols) = np.nonzero(img)
# Initialize empty list of co-ordinates
skel_coords = []
# For each non-zero pixel...
for (r,c) in zip(rows,cols):
# Extract an 8-connected neighbourhood
(col_neigh,row_neigh) = np.meshgrid(np.array([c-1,c,c+1]), np.array([r-1,r,r+1]))
# Cast to int to index into image
col_neigh = col_neigh.astype('int')
row_neigh = row_neigh.astype('int')
# Convert into a single 1D array and check for non-zero locations
pix_neighbourhood = img[row_neigh,col_neigh].ravel() != 0
# If the number of non-zero locations equals 2, add this to
# our list of co-ordinates
if np.sum(pix_neighbourhood) == 2:
skel_coords.append((r,c))
要显示端点的坐标,你可以这样做:
print "".join(["(" + str(r) + "," + str(c) + ")\n" for (r,c) in skel_coords])
次要说明:此代码未经测试。我没有在这台机器上安装 C++ OpenCV,所以希望我写的内容能正常工作。如果它不能编译,你当然可以将我所做的翻译成正确的语法。祝你好运!