1

我的目标是将值 = 255 的图像像素转换为 0。即删除所有纯白色像素。这是使用 opencv 和 opencl 在 python 中的代码:

import os
import glob
import cv2 as cv
import numpy as np
import pyopencl as cl

def filter_image( ):

    platforms = cl.get_platforms()
    devices = platforms[0].get_devices( cl.device_type.ALL )
    context = cl.Context( [devices[0]] )
    cQ = cl.CommandQueue( context )
    kernel = """
        __kernel void filter( global uchar* a, global uchar* b ){
                int y = get_global_id(0);
                int x = get_global_id(1);

                int sizex = get_global_size(1);

                if( a[ y*sizex + x ] != 255 )
                        b[ y*sizex + x ] = a[ y*sizex + x ];
            }"""

    program = cl.Program( context, kernel ).build()

    for i in glob.glob("*.png"):

        image = cv.imread( i, 0 )        
        b = np.zeros_like( image, dtype = np.uint8 )
        rdBuf = cl.Buffer( 
                context,
                cl.mem_flags.READ_ONLY | cl.mem_flags.COPY_HOST_PTR,
                hostbuf = image
                          )

        wrtBuf = cl.Buffer( 
                context,
                cl.mem_flags.WRITE_ONLY,
                b.nbytes
                          )

        program.filter( cQ, image.shape, None, rdBuf, wrtBuf ).wait()
        cl.enqueue_copy( cQ, b, wrtBuf ).wait()
        cv.imshow( 'a', b )
        cv.waitKey( 0 )

def Filter( ):
    os.chdir('D:\image')
    filter_image( )
    cv.destroyAllWindows()

我面临的问题是,一旦我使用上述程序中的循环,逻辑仅适用于第一张图像。即仅针对第一张图像去除白色像素,但在后续图像中看不到任何效果,即输出图像与输入图像相同,对值为 255 的像素没有任何影响。这应该很简单。我找不到任何解决方案。

请帮助我解决这个问题。

谢谢你。

4

1 回答 1

3

在您的内核中,如果图像中的像素为白色,则您不会将图像中的像素设置b为任何值。a您应该将其更改为如下所示:

b[y * sizex + x] = (a[y * sizex + x] == 255) ? 0 : a[y * sizex + x];

如果图像 a 中的像素为白色,则将图像 b 中的像素设置为零,否则复制像素不变。还可以考虑就地进行这种操作,这样只需要一个缓冲区。

于 2013-01-21T13:44:17.733 回答