0

我正在尝试在 C++ 和 OpenCV 中实现图像变形。我的代码如下:

Mat input = imread("Lena.jpg",CV_LOAD_IMAGE_GRAYSCALE);    
Mat out;
double xo, yo;
input.convertTo(input, CV_32FC1);
copyMakeBorder(input, input, 3, 3, 3, 3, 0);

int height = input.rows;
int width = input.cols;

out = Mat(height, width, input.type());


for(int j = 0; j < height; j++){
    for(int i =0; i < width; i++){
        xo = (8.0 * sin(2.0 * PI * j / 128.0));
        yo = (8.0 * sin(2.0 * PI * i / 128.0));
        out.at<float>(j,i) = (float)input.at<float>(((int)(j+yo+height)%height),((int)(i+xo+width)%width));

    }
}
normalize(out, out,0,255,NORM_MINMAX,CV_8UC1);

imshow("output", out);

这将产生以下图像: 扭曲的图像

由于清晰可见,边界附近的值非零。谁能告诉我如何获得如下图所示的黑色边框,而不是从我的代码中获得的工件?

需要黑色边框

应该只考虑该图像的黑色边框,即图像应该是波浪形的(正弦曲线)但没有伪影。

谢谢...

4

1 回答 1

2

这里:

    xo = (8.0 * sin(2.0 * PI * j / 128.0));
    yo = (8.0 * sin(2.0 * PI * i / 128.0));
    out.at<float>(j,i) = (float)input.at<float>(((int)(j+yo+height)%height),((int)(i+xo+width)%width));

您计算源像素的位置,但您使用宽度/高度的 mod 以确保它在图像内。这导致像素在边缘环绕。相反,您需要将图像外部的任何像素设置为黑色(或者,如果您的源图像有黑色边框,则夹到边缘)。

由于您已经有了边框,因此您可以夹住坐标,如下所示:

int ix = min(width-1, max(0, (int) (i + xo)));
int iy = min(height-1, max(0, (int) (j + yo)));
out.at<float>(j,i) = (float)input.at<float>(iy,ix);
于 2013-01-16T00:19:51.087 回答