opencv-063-图像形态学(膨胀与腐蚀-获取结构元素)

知识点

膨胀与腐蚀操作不仅可以对二值图像有效操作,对彩色与灰度图像也有作用,对于二值图像的腐蚀与膨胀来说,选择一个好的结构元素至关重要。

API

1
2
3
4
5
6
7
8
Mat cv::getStructuringElement(
int shape,
Size ksize,
Point anchor = Point(-1,-1s)
)
shape是指结构元素的类型,常见的有矩形、圆形、十字交叉
ksize 是指结构元素大小
anchor 中心锚点的位置

代码(c++,python)

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
#include <iostream>
#include <opencv2/opencv.hpp>

using namespace std;
using namespace cv;

/*
* 图像形态学(膨胀与腐蚀-获取结构元素)
*/
int main() {
Mat src = imread("../images/coins.jpg");
if (src.empty()) {
cout << "could not load image.." << endl;
}
imshow("input", src);

// 二值化
Mat gray, binary;
cvtColor(src, gray, COLOR_BGR2GRAY);
threshold(gray, binary, 0, 255, THRESH_BINARY | THRESH_OTSU);
imshow("binary", binary);

Mat dresult, eresult;
// 定义结构元素3*3大小的矩形
Mat se = getStructuringElement(MORPH_RECT, Size(3,3));
// 膨胀
dilate(binary, dresult, se);
// 腐蚀
erode(binary, eresult, se);

imshow("dilate", dresult);
imshow("erode", eresult);

waitKey(0);
return 0;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
import cv2 as cv
import numpy as np

src = cv.imread("D:/images/coins.jpg")
cv.namedWindow("input", cv.WINDOW_AUTOSIZE)

# 二值化图像
gray = cv.cvtColor(src, cv.COLOR_BGR2GRAY)
ret, binary = cv.threshold(gray, 0, 255, cv.THRESH_BINARY | cv.THRESH_OTSU)
cv.imshow("input", binary)

# 使用3x3结构元素进行膨胀与腐蚀操作
se = cv.getStructuringElement(cv.MORPH_RECT, (3, 3), (-1, -1))
dilate = cv.dilate(binary, se, None, (-1, -1), 1)
erode = cv.erode(binary, se, None, (-1, -1), 1)

# 显示
cv.imshow("dilate", dilate)
cv.imshow("erode", erode)
cv.waitKey(0)
cv.destroyAllWindows()

结果

代码地址

github