Реализация собелевского фильтра в scipy - PullRequest
0 голосов
/ 23 октября 2018

Я попытался реализовать фильтр Sobel_X в scipy с функцией convolve2d.

Я сравнил результаты этой функции:

from scipy.signal import convolve2d 
from scipy import misc
from skimage.exposure import rescale_intensity
import cv2
import numpy as np
#https://www.pyimagesearch.com/2016/07/25/convolutions-with-opencv-and-python/ 


def convolve(image, kernel):
    # grab the spatial dimensions of the image, along with
    # the spatial dimensions of the kernel
    (iH, iW) = image.shape[:2]
    (kH, kW) = kernel.shape[:2]
#         print("Kh,Kw", kernel.shape[:2])

    # allocate memory for the output image, taking care to
    # "pad" the borders of the input image so the spatial
    # size (i.e., width and height) are not reduced
    pad = (kW - 1) // 2
#         print("pad", pad)
    image = cv2.copyMakeBorder(image, pad, pad, pad, pad,
        cv2.BORDER_REPLICATE)
#         self.imshow(image, "padded image")
    output = np.zeros((iH, iW), dtype="float32")
    # loop over the input image, "sliding" the kernel across
    # each (x, y)-coordinate from left-to-right and top to
    # bottom
    for y in np.arange(pad, iH + pad):
        for x in np.arange(pad, iW + pad):
            # extract the ROI of the image by extracting the
            # *center* region of the current (x, y)-coordinates
            # dimensions
            roi = image[y - pad:y + pad + 1, x - pad:x + pad + 1]

            # perform the actual convolution by taking the
            # element-wise multiplicate between the ROI and
            # the kernel, then summing the matrix
            k = (roi * kernel).sum()

            # store the convolved value in the output (x,y)-
            # coordinate of the output image
            output[y - pad, x - pad] = k
#             self.imshow(output, "padded image")
    # rescale the output image to be in the range [0, 255]
    output = rescale_intensity(output, in_range=(0, 255))
    output = (output * 255).astype("uint8")

    # return the output image
    return output

Вот ядро ​​Sobel_X и код для сравнения.

sobelX = np.array((
        [-1, 0, 1],
        [-2, 0, 2],
        [-1, 0, 1]), dtype="int")]

testim=misc.face(gray=True)
convolved_func=convolve(testim, sobelX)
convolved_np=convolve2d(testim, sobelX, boundary='symm', mode='same')

cv2.imshow("Face", np.hstack((convolved_func,np.array(convolved_np, dtype="uint8"))))
cv2.waitKey(0)
cv2.destroyAllWindows()

Как видите, здесь результаты совершенно разные. Я не могу понять, как реализовать эти фильтры, чтобы получить те же результаты.Должен ли я как-то изменить функцию фильтра или, может быть, в numpy есть какие-то особые вещи для ее реализации, Райт?Я попытался сделать функцию для scipy как в this и that examples, но результаты такие же или стоят (у меня чёрное изображение).

1 Ответ

0 голосов
/ 23 октября 2018

Вы получите результаты немного другие.Сделайте порог, чтобы удалить все числа, которые меньше 0.

convolved_np[convolved_np<0]=0 

Это даст вам нечто похожее, но не то же самое.Некоторые артефакты появились .Я думаю, что эти функции отличаются, поэтому я получил немного другие результаты.Возможно, есть некоторые ошибки, поэтому, если вы можете добавить некоторые к этому ответу, я буду признателен за это.

...