cs50 pset4 过滤器交换结构

cs50 pset4 filter swapping structs

我在做滤镜的反射部分时遇到了一些困难。本质上结构是

typedef struct
{
    BYTE  rgbtBlue;
    BYTE  rgbtGreen;
    BYTE  rgbtRed;
} __attribute__((__packed__))
RGBTRIPLE; 

而且我一直在尝试通过实现这个功能来体现形象

void reflect(int height, int width, RGBTRIPLE image[height][width])
{
    for (int i = 0; i < height; i++)
    {
        if (width % 2 == 0)
        {
            for (int j = 0; j < width/2; j++)
            {
                RGBTRIPLE temp = image[i][j];
                image[i][j] = image[i][width - j];
                image[i][width - j] = temp;
            }
        }
        else if (width % 3 == 0)
        {
            for (int j = 0; j < (width - 1)/2; j++)
            {
                RGBTRIPLE temp = image[i][j];
                image[i][j] = image[i][width - j];
                image[i][width - j] = temp;
            }
        }
    }
    return;
}

代码编译正常,但最终产品与输入图像相同。尝试 运行 debug50,我认为我的问题在于我交换 RGBTRIPLE 值的方式。任何帮助都会很好。谢谢!

你需要做的就是反转数组。

为什么?因为您是水平反射图像,所以您希望图像的左侧成为图像的右侧。

假设你有这个数组,你想反转它:

int count = 5;
int numbers[count] = {0, 1, 2, 3, 4};

// middle here should be 2.5 but it will be 2 because we cast it to int
int middle = count / 2;
// Reverse array
for (int i = 0; i < middle; i++)
{
    // when i is 0, numbers[i] is 0, numbers[count - 1 - i] is 4
    temp = numbers[i];
    numbers[i] = numbers[count - i - 1];
    numbers[count - i - 1] = temp;
}

你应该在你的函数中做同样的事情:

// Reflect image horizontally
void reflect(int height, int width, RGBTRIPLE image[height][width])
{
    // The middle index
    int middle = width / 2;
    for (int i = 0; i < height; i++)
    {
        for (int j = 0; j < middle; j++)
        {
            // Swap the left side element with right side element
            RGBTRIPLE temp = image[i][j];
            image[i][j] = image[i][width - j - 1];
            image[i][width - j - 1] = temp;
        }
    }
    return;
}