我试图在opencv中使用内置侵蚀功能来实现侵蚀图片的功能。
我的方法是检查图像区域中是否有0,如果内核是1,那么我无法设置一个,这意味着条件为假。然后我的第二个if语句意味着条件为真然后我的1被设置。
void erosion(const cv::Mat& image, cv::Mat& erosion_image, const cv::Mat& kernel)
{
bool check;
int count;
int count_2;
int anchorx = kernel.rows / (2.0);
int anchory = kernel.cols / (2.0);
for (int x = 0; x < image.rows; x++) {
for (int y = 0; y < image.cols; y++) {
kernel.at<uchar>(x, y);
for (int count = 0; count < kernel.rows; count++) {
for (int count_2 = 0; count_2 < kernel.cols; count_2++) {
if (image.at<uchar>(x + count, y + count_2) == 0 && kernel.at<uchar>(count, count_2) == 1) {
check = false;
}
}
}
if (check) {
erosion_image.at<uchar>(x, y) = 1;
}
}
}
}
这是正确的方法吗?先感谢您
这是二进制图像的侵蚀定义。如果处理灰度图像,则应将像素值设置为其邻域Wiki-Erosion中的点的最小值。
在下面的代码而不是最大像素值1我使用255 - 默认为OpenCV CV_8U图像类型的最大值。
注意,您还需要选择如何处理图像的边框像素。在以下代码中,他们只是没有处理。二进制图像的侵蚀可以表示为:
void erosion(const cv::Mat& image, cv::Mat& erosion_image, const cv::Mat& kernel)
{
bool check;
int count;
int count_2;
int anchorx = kernel.rows / (2.0);
int anchory = kernel.cols / (2.0);
for (int x = anchorx; x < image.rows - anchorx; x++) {
for (int y = anchory; y < image.cols - anchory; y++) {
check = true;
if (image.at<uchar>(x, y))
{
for (int count = 0; count < kernel.rows && check; count++) {
for (int count_2 = 0; count_2 < kernel.cols && check; count_2++) {
if (image.at<uchar>(x - anchorx + count, y - anchory + count_2) == 0 &&
kernel.at<uchar>(count, count_2) == 1) {
erosion_image.at<uchar>(x, y) = 0;
check = false;
}
}
}
if (check)
erosion_image.at<uchar>(x, y) = 255;
}
else
erosion_image.at<uchar>(x, y) = 0;
}
}
}