0

我需要在 c 代码中实现以下公式: https ://en.wikipedia.org/wiki/Lanczos_resampling 因此我使用多维插值方法:

多维插值

其中 L(xi) 或 L(yi) 是:

Lanczos 内核

我正在使用 ppm 图像格式通过一个小脚本获取 rgb 值。这是我现在实际的 lanczos 方法:

double _L(int param) {
    /*
    LANCZOS KERNEL
    */
    
    int a = 2; // factor "a" from formula
    if(param == 0) {
        
        return 1;
    }
    if(abs(param) > 0 && abs(param) < a) {
        
        return (a*sin(PI*param) * sin((PI*param)/a))/(PI*PI*param*param)
    }
    return 0;
}

void lanczos_interpolation(PPMImage *img) {

    if(img) {
        
        int start_i, start_j, limit_i, limit_j;
        int a = 2; // factor "a" from formula
        samples_ij = img->x*img->y; // "sij" from formula
    
        for(x = 0;x < img->x;x++) {
            
            for(y = 0;y = < img->y;y++) {
                
                start_i = floor(x)-a+1:
                limit_i = floor(x)+a;
                for(i = start_i;i <= limit_i;i++) {
                    
                    start_j = floor(y)-a+1:
                    limit_j = floor(y)+a;
                    for(i = start_i;i <= limit_i;i++) {
                        
                        img->data[x+(W*y)].red = (int)(samples_ij * _L(x-i) * _L(y-j)) // "_L" represents "L(x-i)" from formula
                        img->data[x+(W*y)].green = (int)(samples_ij * _L(x-i) * _L(y-j)) // "_L" represents "L(x-i)" from formula
                        img->data[x+(W*y)].blue = (int)(samples_ij * _L(x-i) * _L(y-j)) // "_L" represents "L(x-i)" from formula
                    }
                }
            }
        }
    }   
}

这部分代码让我很困惑:

img->data[x+(W*y)].red = (int)(samples_ij * _L(x-i) * _L(y-j)) // "_L" represents "L(x-i)" from formula
img->data[x+(W*y)].green = (int)(samples_ij * _L(x-i) * _L(y-j)) // "_L" represents "L(x-i)" from formula
img->data[x+(W*y)].blue = (int)(samples_ij * _L(x-i) * _L(y-j)) // "_L" represents "L(x-i)" from formula

有人可以帮助我在 c 中处理这个 lanczos 插值吗?这是我完整的 C 文件:

http://pastebin.com/wdUHVh6U

谢谢!

4

1 回答 1

1

看到你没有在你的代码中做任何类型的插值。

插值操作是这样的:

[ input pixels] => [ Lanczos interpolation] => [ output interpolated pixels]

                        |
                        |
                        V
        a sum operation in the neighbourhood 
            of the corresponding location
               in the input image

您的问题如下:

  1. 你还没有理解. Lanczos interpolation technique实际上,您似乎不知道什么是插值
  2. 您的代码没有input pixelsoutput pixels
  3. 您的代码中没有summation。(您只是将 Lanczos 系数时间分配s_ijimg像素。同样s_ij's 实际上是input公式中的像素值,但您已将图像中像素总数的固定值分配s_ij。)
  4. 您使用了不必要的floor(*)功能。

我给你的建议是:

  1. 以算法的方式了解什么是插值。
  2. 为您的目的编写算法/伪代码。
  3. 确保您在步骤 1 和 2 中是正确的。
  4. 那就只能试着写代码了
于 2015-12-11T18:40:30.230 回答