OpenCV – エンボス処理を行う方法について

概要

OpenCV で画像にエンボス処理を行う方法について解説します。

エンボス処理

入力画像の (x,y)(x, y) の画素値を src(x,y)\text{src}(x, y) としたとき、符号を反転させ、x,yx, y 共に tt だけ平行移動した位置の画素 src(x+t,y+t)-\text{src}(x + t, y + t) を足して、出力画像の画素を作成する処理をエンボス (emboss) といいます。

dst(x,y)=src+(src(x+t,y+t)) \text{dst}(x, y) = \text{src} + (-\text{src}(x + t, y + t))

1次元で考えると、以下のようにエッジ部分を強調する処理であると理解できます。

フィルタを使用したエンボス処理

エンボス処理はフィルタリングでも行えます。

水平方向のエンボスフィルタ

(000101000) \begin{pmatrix} 0 & 0 & 0 \\ 1 & 0 & -1 \\ 0 & 0 & 0 \\ \end{pmatrix}

垂直方向のエンボスフィルタ

(010000010) \begin{pmatrix} 0 & 1 & 0 \\ 0 & 0 & 0 \\ 0 & -1 & 0 \\ \end{pmatrix}

斜め方向のエンボスフィルタ

(100000001),(100000001) \begin{pmatrix} 1 & 0 & 0 \\ 0 & 0 & 0 \\ 0 & 0 & -1 \\ \end{pmatrix}, \begin{pmatrix} -1 & 0 & 0 \\ 0 & 0 & 0 \\ 0 & 0 & 1 \\ \end{pmatrix} (001000100),(001000100) \begin{pmatrix} 0 & 0 & 1 \\ 0 & 0 & 0 \\ -1 & 0 & 0 \\ \end{pmatrix}, \begin{pmatrix} 0 & 0 & -1 \\ 0 & 0 & 0 \\ 1 & 0 & 0 \\ \end{pmatrix}

OpenCV でのエンボス処理

sample.jpg

In [1]:
import cv2
import numpy as np
from IPython.display import Image, display


def imshow(img):
    """ndarray 配列をインラインで Notebook 上に表示する。
    """
    ret, encoded = cv2.imencode(".jpg", img)
    display(Image(encoded))


# 画像を読み込む。
img = cv2.imread("sample.jpg", cv2.IMREAD_GRAYSCALE)
Python

cv2.filter() で画像にエンボスフィルタを適用できます。 演算結果は [0,255][0, 255] に収まらないので、ddepth=cv2.CV_32F を指定して、結果は float32 型の配列で受け取ります。その後、[0,255][0, 255] の範囲にスケールします。

水平方向のエンボスフィルタ

In [2]:
def scale(x):
    x = 255 / (x.max() - x.min()) * (x - x.max()) + 255
    return x.astype(np.uint8)


# 水平方向のエンボスフィルタ
kernel = np.array([[0, 0, 0],
                   [1, 0, -1],
                   [0, 0, 0]])
dst = cv2.filter2D(img, cv2.CV_32F, kernel)
dst = scale(dst)
imshow(dst)
Python

垂直方向のエンボスフィルタ

In [3]:
# 垂直方向のエンボスフィルタ
kernel = np.array([[0, 1, 0],
                   [0, 0, 0],
                   [0, -1, 0]])
dst = cv2.filter2D(img, cv2.CV_32F, kernel)
dst = scale(dst)
imshow(dst)
Python

斜め方向のエンボスフィルタ

In [4]:
kernel = np.array([[1, 0, 0],
                   [0, 0, 0],
                   [0, 0, -1]])
dst = cv2.filter2D(img, cv2.CV_32F, kernel)
dst = scale(dst)
imshow(dst)
Python
In [5]:
kernel = np.array([[0, 0, -1],
                   [0, 0, 0],
                   [1, 0, 0]])
dst = cv2.filter2D(img, cv2.CV_32F, kernel)
dst = scale(dst)
imshow(dst)
Python

エンボスをより強くする

In [6]:
kernel = np.array(
    [
        [1, 0, 0, 0, 0],
        [0, 1, 0, 0, 0],
        [0, 0, 0, 0, 0],
        [0, 0, 0, -1, 0],
        [0, 0, 0, 0, -1],
    ]
)
dst = cv2.filter2D(img, cv2.CV_32F, kernel)
dst = scale(dst)
imshow(dst)
Python

コメント

コメントする