Edge detection on a colored background using OpenCV

I use the following code to detect edges from this document.

private Mat edgeDetection(Mat src) {
    Mat edges = new Mat();
    Imgproc.cvtColor(src, edges, Imgproc.COLOR_BGR2GRAY);
    Imgproc.GaussianBlur(edges, edges, new Size(5, 5), 0);
    Imgproc.Canny(edges, edges, 10, 30);
    return edges;
}

And then I can find a document from these edges, finding the largest outline in it.

My problem is that I can find the document from the following figure:

enter image description here

but not from the following figure:

enter image description here

How can I improve detection of this edge?

+3
source share
2 answers

I use Python, but the basic idea is the same.

If you directly do cvtColor: bgr -> gray for img2, you must fail. As gray becomes difficult to distinguish between regions:

enter image description here


Related answers:

  1. How to detect color spots in an image using OpenCV?
  2. Edge detection on a colored background using OpenCV
  3. OpenCV C++/Obj-C: /

white, colored . , Saturation(饱和度) HSV color space. HSV . Https://en.wikipedia.org/wiki/HSL_and_HSV#Saturation.


:

  1. BGR
  2. bgr hsv
  3. S
  4. ( Canny, HoughLines , findContours), , .

:

enter image description here

:

enter image description here

Python (Python 3.5 + OpenCV 3.3):

#!/usr/bin/python3
# 2017.12.20 10:47:28 CST
# 2017.12.20 11:29:30 CST

import cv2
import numpy as np

##(1) read into  bgr-space
img = cv2.imread("test2.jpg")

##(2) convert to hsv-space, then split the channels
hsv = cv2.cvtColor(img, cv2.COLOR_BGR2HSV)
h,s,v = cv2.split(hsv)

##(3) threshold the S channel using adaptive method('THRESH_OTSU') or fixed thresh
th, threshed = cv2.threshold(s, 50, 255, cv2.THRESH_BINARY_INV)

##(4) find all the external contours on the threshed S
cnts = cv2.findContours(threshed, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)[-2]
canvas  = img.copy()
#cv2.drawContours(canvas, cnts, -1, (0,255,0), 1)

## sort and choose the largest contour
cnts = sorted(cnts, key = cv2.contourArea)
cnt = cnts[-1]

## approx the contour, so the get the corner points
arclen = cv2.arcLength(cnt, True)
approx = cv2.approxPolyDP(cnt, 0.02* arclen, True)
cv2.drawContours(canvas, [cnt], -1, (255,0,0), 1, cv2.LINE_AA)
cv2.drawContours(canvas, [approx], -1, (0, 0, 255), 1, cv2.LINE_AA)

## Ok, you can see the result as tag(6)
cv2.imwrite("detected.png", canvas)
+8

OpenCV , dilate, . , .

private Mat edgeDetection(Mat src) {
    Mat edges = new Mat();
    Imgproc.cvtColor(src, edges, Imgproc.COLOR_BGR2GRAY);
    Imgproc.dilate(edges, edges, Imgproc.getStructuringElement(Imgproc.MORPH_RECT, new Size(10, 10)));
    Imgproc.GaussianBlur(edges, edges, new Size(5, 5), 0);
    Imgproc.Canny(edges, edges, 15, 15 * 3);
    return edges;
}
+1

Source: https://habr.com/ru/post/1689427/


All Articles