When a function has a specific-size array parameter, why is it replaced with a pointer?

前端 未结 3 1338
南笙
南笙 2020-11-21 05:43

Given the following program,

#include 

using namespace std;

void foo( char a[100] )
{
    cout << \"foo() \" << sizeof( a ) <         


        
3条回答
  •  天命终不由人
    2020-11-21 05:53

    Yes it's inherited from C. The function:

    void foo ( char a[100] );
    

    Will have the parameter adjusted to be a pointer, and so becomes:

    void foo ( char * a );
    

    If you want that the array type is preserved, you should pass in a reference to the array:

    void foo ( char (&a)[100] );
    

    C++ '03 8.3.5/3:

    ...The type of a function is determined using the following rules. The type of each parameter is determined from its own decl-specifier-seq and declarator. After determining the type of each parameter, any parameter of type "array of T" or "function returning T" is adjusted to be "pointer to T" or "pointer to function returning T," respectively....

    To explain the syntax:

    Check for "right-left" rule in google; I found one description of it here.

    It would be applied to this example approximately as follows:

    void foo (char (&a)[100]);
    

    Start at identifier 'a'

    'a' is a

    Move right - we find a ) so we reverse direction looking for the (. As we move left we pass &

    'a' is a reference

    After the & we reach the opening ( so we reverse again and look right. We now see [100]

    'a' is a reference to an array of 100

    And we reverse direction again until we reach char:

    'a' is a reference to an array of 100 chars

提交回复
热议问题