0

我想提取图像超像素段的颜色、形状和纹理特征。然后,我想可视化这些特征以选择重要的特征。

我在这个链接使用代码: https ://github.com/np-csu/SLIC-superpixel

我想像这项研究一样访问分割图像的每个集群:http: //www.pyimagesearch.com/2014/12/29/accessing-individual-superpixel-segmentations-python/

但是,我找不到代码的相关部分。

4

1 回答 1

2

该方法int* SLIC::GetLabel()返回每个像素的标签。您可以创建一个Mat标题以便int*于访问:

Mat1i labelImg(img.rows, img.cols, slic.GetLabel());

然后您可以为每个超像素(标签)创建一个蒙版:

Mat1b superpixel_mask = labelImg == label;

并检索原始图像中的超像素:

Mat3b superpixel_in_img;
img.copyTo(superpixel_in_img, superpixel_mask);

然后你可以计算你需要的任何统计数据。

这里有完整的代码供参考:

#include <opencv2/opencv.hpp>
#include "slic.h"

int main()
{
    // Load an image
    Mat3b img = imread("path_to_image");

    // Set the maximum number of superpixels
    UINT n_of_superpixels = 200;
    SLIC slic;

    // Compute the superpixels
    slic.GenerateSuperpixels(img, n_of_superpixels);

    // Visualize superpixels
    //Mat3b res = slic.GetImgWithContours(Scalar(0,0,255));

    // Get the labels
    Mat1i labelImg(img.rows, img.cols, slic.GetLabel());

    // Get the actual number of labels
    // may be less that n_of_superpixels
    double max_dlabel;
    minMaxLoc(labelImg, NULL, &max_dlabel);
    int max_label = int(max_dlabel);

    // Iterate over each label
    for (int label = 0; label <= max_label; ++label)
    {
        // Mask for each label
        Mat1b superpixel_mask = labelImg == label;

        // Superpixel in original image
        Mat3b superpixel_in_img;
        img.copyTo(superpixel_in_img, superpixel_mask);

        // Now you have the binary mask of each superpixel: superpixel_mask
        // and the superpixel in the original image: superpixel_in_img
    }

    return 0;
}
于 2015-09-29T12:58:45.717 回答