使用OpenCV检测图像上人物的矩形肖像
2022-09-02 14:05:11
我有很多带有人物肖像的年鉴图像,我正试图建立一个algorytm来检测这些肖像。至少,要检测正确的矩形肖像。示例 1 示例 2
我试图调查三个方向:
- 人脸检测
- 深色矩形检测(因为人像通常在较亮的背景上是较暗的形状)
- 从OCR文本中提取人名
通过结合上述三种算法的结果,我希望得到一些方法,这些方法将适用于许多不同的年鉴页面。
如果能为矩形检测提供任何帮助,我将不胜感激。我从Java和OpenCV 3开始。
以下是我为图像应用的代码:
System.loadLibrary(Core.NATIVE_LIBRARY_NAME);
Mat source = Imgcodecs.imread("Path/to/image", Imgcodecs.CV_LOAD_IMAGE_ANYCOLOR);
Mat destination = new Mat(source.rows(), source.cols(), source.type());
Imgproc.cvtColor(source, destination, Imgproc.COLOR_RGB2GRAY);
Imgproc.GaussianBlur(destination, destination, new Size(5, 5), 0, 0, Core.BORDER_DEFAULT);
int threshold = 100;
Imgproc.Canny(destination, destination, 50, 100);
Imgproc.Canny(destination, destination, threshold, threshold*3);
尝试从上面的边缘查找轮廓:
List<MatOfPoint> contourDetections = new ArrayList<>();
Mat hierarchy = new Mat();
// Find contours
Imgproc.findContours(destination, contourDetections, hierarchy, Imgproc.RETR_EXTERNAL, Imgproc.CHAIN_APPROX_SIMPLE);
// Draw contours
Imgproc.drawContours(source, contours, -1, new Scalar(255,0,0), 2);
但不知道如何从这些轮廓中提取矩形,因为许多线是不完整的。
回到边缘并尝试使用HoughLinesP查找垂直和水平线:
Mat lines = new Mat();
int thre = 50;
int minLineSize = 250;
int lineGap = 80;
int ignoreLinesShorter = 300;
Imgproc.HoughLinesP(destination, lines, 1, Math.PI/180, thre, minLineSize, lineGap);
for(int c = 0; c < lines.rows(); c++) {
double[] vec = lines.get(c, 0);
double x1 = vec[0],
y1 = vec[1],
x2 = vec[2],
y2 = vec[3];
// Filtering only verticat and horizontal lines
if(x1 == x2 || y1 == y2) {
// Filtering out short lines
if(Math.abs(x1 - x2) > ignoreLinesShorter || Math.abs(y1 - y2) > ignoreLinesShorter) {
Point start = new Point(x1, y1);
Point end = new Point(x2, y2);
// Draw line
Imgproc.line(source, start, end, new Scalar(0,0,255), 2);
}
}
}
结果:
与轮廓一样,我仍然没有看到可以检测到的正确矩形。你能帮我一个正确的方向吗?也许有一种更简单的方法来执行此任务?