OpenCV np.unique()
是否等同于bincount()
或Mat
?我正在使用C ++,所以不能只转换为numpy
数组。
答案 0 :(得分:12)
不,没有!您可以编写自己的代码,但是:
std::vector<float> unique(const cv::Mat& input, bool sort = false)
找到单个通道cv :: Mat的独特元素。
<强>参数:强>
输入:它将被视为1-D。
sort :对唯一值进行排序(可选)。
此功能的实施非常简单,但以下仅适用于单通道 CV_32F
:
#include <algorithm>
#include <vector>
std::vector<float> unique(const cv::Mat& input, bool sort = false)
{
if (input.channels() > 1 || input.type() != CV_32F)
{
std::cerr << "unique !!! Only works with CV_32F 1-channel Mat" << std::endl;
return std::vector<float>();
}
std::vector<float> out;
for (int y = 0; y < input.rows; ++y)
{
const float* row_ptr = input.ptr<float>(y);
for (int x = 0; x < input.cols; ++x)
{
float value = row_ptr[x];
if ( std::find(out.begin(), out.end(), value) == out.end() )
out.push_back(value);
}
}
if (sort)
std::sort(out.begin(), out.end());
return out;
}
示例:强>
float data[][3] = {
{ 9.0, 3.0, 7.0 },
{ 3.0, 9.0, 3.0 },
{ 1.0, 3.0, 5.0 },
{ 90.0, 30.0, 70.0 },
{ 30.0, 90.0, 50.0 }
};
cv::Mat mat(3, 5, CV_32F, &data);
std::vector<float> unik = unique(mat, true);
for (unsigned int i = 0; i < unik.size(); i++)
std::cout << unik[i] << " ";
std::cout << std::endl;
<强>输出:强>
1 3 5 7 9 30 50 70 90
答案 1 :(得分:3)
您可以尝试构建一个直方图,其中的二进制数等于可能的像素值数。
答案 2 :(得分:0)
这是使用标准库的另一种建议。
opencv-unique.cpp
#include <opencv2/opencv.hpp>
#include <vector>
#include <iostream>
#include <algorithm>
#include <cstdint>
/**
* @brief Find unique elements of an OpenCV image
*
* @tparam type is the C++ type to access the image elements.
* @param in is the OpenCV single-channel image to find the unique values. Note: This
* modifies the image. Make a copy with .clone(), if you need the image afterwards.
*
* @returns vector of unique elements
*/
template<typename type>
std::vector<type> unique(cv::Mat in) {
assert(in.channels() == 1 && "This implementation is only for single-channel images");
auto begin = in.begin<type>(), end = in.end<type>();
auto last = std::unique(begin, end); // remove adjacent duplicates to reduce size
std::sort(begin, last); // sort remaining elements
last = std::unique(begin, last); // remove duplicates
return std::vector<type>(begin, last);
}
int main() {
cv::Mat img = (cv::Mat_<uint16_t>(3, 4) << 1, 5, 3, 4, 3, 1, 5, 5, 1, 3, 4, 3);
std::cout << "unique values: ";
auto u = unique<uint16_t>(img);
for (auto v : u)
std::cout << v << " ";
std::cout << std::endl;
return 0;
}
编译并执行收益:
$ g++ -Wall opencv-unique.cpp -o unique -lopencv_core -I /usr/include/opencv4 && ./unique
unique values: 1 3 4 5
以上版本适用于单通道图像。您可以将其扩展到多通道图像(以获得独特的颜色),例如this。