How are my arrays modified when C passes by value?

后端 未结 4 799
傲寒
傲寒 2021-01-23 10:15

I made a simple program in C to check if two words are anagrams. My question is that if I\'m passing word_one and word_two as parameters, doesn\'t that mean that I\'m not modify

4条回答
  •  情歌与酒
    2021-01-23 11:03

    C indeed always passes by value, but when arrays are passed to functions they always decay to pointers, even when you specify the length in the parameter declaration. What happens is that your declaration of

    void read_word(int counts[26])
    

    is equivalent to

    void read_word(int * counts)
    

    When you pass word_one and word_two to your functions, the value they recieve is the address of the first element of the array. These still point to the original arrays and therefore, when you modify them in the function, the result is also visible in the original array.

    ADDIT

    Interesting, but little-known side note: in C99 and beyond you can declare your functions with the length preceded by static, as follows:

    void read_word(int counts[static 26])
    

    This doesn't change the fact that the function receives a copy of the address and not the whole array, but it does allow the compiler to optimize and detect potential errors. In the case of the read_word above, the compiler can warn if you pass a NULL-pointer to the function, or an array with less than 26 elements. More can be read here.

提交回复
热议问题