Pass 2d array to function in C?

后端 未结 3 1480
半阙折子戏
半阙折子戏 2021-01-22 14:28

I know it\'s simple, but I can\'t seem to make this work.

My function is like so:

 int GefMain(int array[][5])
 {
      //do stuff
      return 1;
 }


        
相关标签:
3条回答
  • 2021-01-22 15:16

    It compiles rightly even with -std=c99 -pedantic options. And it looks right anyway... Is it really the code you want we check? Compiler you're using...?

    0 讨论(0)
  • 2021-01-22 15:25

    The code is fine. In a single file, this compiles fine for me with gcc.

    int g(int arr[][5])
    {
        return 1;
    }
    
    int main()
    {
        int array[1800][5];
        g(array);
        return 0;
    }
    

    My guess is that you're #includeing the wrong file -- perhaps one that had a different declaration for GefMain. Or perhaps you just haven't saved the file that declared GefMain, so it still has an argument of int [][3], for instance, which would cause the warning.

    I would suggest that you post the entire code to reproduce the problem (after you strip out everything that's unneeded to reproduce it, of course). But chances are, at that point, you'll have solved it yourself.

    0 讨论(0)
  • 2021-01-22 15:26

    gcc will have extensions for what you've had (and others have had sucess with). Instead try this, it'll be more portable to other c compilers:

    int g(int (* arr)[5])
    {
        return 1;
    }
    
    int main()
    {
        int array[1800][5];
        g(array);
        return 0;
    }
    

    or better yet;

    int g(int (* arr)[5], int count)
    {
        return 1;
    }
    
    int main()
    {
        int array[1800][5];
        g(array, sizeof(array)/sizeof(* array));
        return 0;
    }
    

    You're getting a warning because an array of any dimension becomes a pointer when it is passed as an arguement, the above gives the compiler a clue that it should expect such.

    0 讨论(0)
提交回复
热议问题