Search code examples
arrayscstructpass-by-referenceswap

How do i pass an array of structs by reference to a function?


I need to write a function that would reflect an image by having ever pixel in the image with in a 2D array of structs. Below is the function i have written which basically switches the last pixel with the first pixel and so on but i need it to edit the original array and not a copy which is what its currently not doing. Below is the function within main and how the function is laid out. Any input would help!

reflect(height, width, &image);

Function:

void reflect(int height, int width, RGBTRIPLE *image[height][width])
{
    RGBTRIPLE temp;
    for ( int i = 0 ; i < height ; i++)
    {
        for( int j = 0 ; j < width ; j++)
        {
            temp = image[i][j];
            image[i][j] = image[i][width-j-1];
            image[i][width-1-j]=temp;

        }
    }
}

And the struct is as shown below

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

The array of structs is created using this:

    // Allocate memory for image
    RGBTRIPLE(*image)[width] = calloc(height, width * sizeof(RGBTRIPLE));

Solution

  • For starters the function should be declared either like

    void reflect(int height, int width, RGBTRIPLE image[height][width]);
    

    or like

    void reflect(int height, int width, RGBTRIPLE image[][width]);
    

    or like

    void reflect(int height, int width, RGBTRIPLE ( *image )[width]);
    

    and called like

    reflect(height, width, image);
    

    Within the function the loop should look like

    for ( int i = 0 ; i < height ; i++)
    {
        for( int j = 0 ; j < width / 2 ; j++)
        {
            temp = image[i][j];
            image[i][j] = image[i][width-j-1];
            image[i][width-1-j]=temp;
    
        }
    }