Spaces:
Running
Running
import cv2 | |
import numpy as np | |
from registry import registry | |
def original(image): | |
return image | |
def grayscale(image): | |
return cv2.cvtColor(image, cv2.COLOR_BGR2GRAY) | |
def gaussian_blur(image, kernel_size: int = 15): | |
return cv2.GaussianBlur(image, (kernel_size, kernel_size), 0) | |
def pencil_sketch(image): | |
gray = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY) | |
inverted = cv2.bitwise_not(gray) | |
blurred = cv2.GaussianBlur(inverted, (21, 21), 0) | |
inverted_blurred = cv2.bitwise_not(blurred) | |
return cv2.divide(gray, inverted_blurred, scale=256.0) | |
def sepia(image): | |
kernel = np.array([ | |
[0.393, 0.769, 0.189], | |
[0.349, 0.686, 0.168], | |
[0.272, 0.534, 0.131] | |
]) | |
return cv2.transform(image, kernel) | |
def edge_enhance(image, intensity: float = 1.5): | |
kernel = np.array([ | |
[-1 * intensity, -1 * intensity, -1 * intensity], | |
[-1 * intensity, 9 * intensity, -1 * intensity], | |
[-1 * intensity, -1 * intensity, -1 * intensity] | |
]) | |
return cv2.filter2D(image, -1, kernel) | |
def canny_edge(image, lower_threshold: int=100, upper_threshold: int=200, convert_to_gray: bool=True): | |
if convert_to_gray and len(image.shape) == 3: | |
gray = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY) | |
else: | |
gray = image | |
edges = cv2.Canny(gray, lower_threshold, upper_threshold) | |
return edges | |
def sobel_edge(image, dx: int=1, dy: int=0, kernel_size: int=3, convert_to_gray: bool=True): | |
""" | |
Applies the Sobel edge detector to detect horizontal or vertical edges. | |
Args: | |
img (numpy.ndarray): Input image (BGR or grayscale) | |
dx (int): Order of derivative in x-direction (0 = no x-edge detection) | |
dy (int): Order of derivative in y-direction (0 = no y-edge detection) | |
kernel_size (int): Size of Sobel kernel (1, 3, 5, or 7) | |
convert_to_gray (bool): Convert to grayscale first | |
Returns: | |
numpy.ndarray: Edge magnitude image | |
""" | |
if convert_to_gray and len(image.shape) == 3: | |
gray = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY) | |
else: | |
gray = image | |
sobel = cv2.Sobel(gray, cv2.CV_64F, dx, dy, ksize=kernel_size) | |
abs_sobel = cv2.convertScaleAbs(sobel) | |
return abs_sobel |