Default argument in the middle of parameter list?

后端 未结 2 1382
遥遥无期
遥遥无期 2020-11-29 00:53

I saw a function declaration in our code that looked as follows

void error(char const *msg, bool showKind = true, bool exit);

I thought fir

相关标签:
2条回答
  • 2020-11-29 01:40

    The answer might be in 8.3.6:

    8.3.6 Default Arguments

    6 Except for member functions of class templates, the default arguments in a member function definition that appears outside of the class definition are added to the set of default arguments provided by the member function declaration in the class definition. Default arguments for a member function of a class template shall be specified on the initial declaration of the member function within the class template.

    Example:

    class C {
    void f(int i = 3);
    void g(int i, int j = 99);
    };
    void C::f(int i = 3) // error: default argument already
    { } // specified in class scope
    void C::g(int i = 88, int j) // in this translation unit,
    { } // C::g can be called with no argument
    

    After reading this, I found that MSVC10 accepted the following with compiler extensions turned off:

    void error(char const* msg, bool showKind, bool exit = false);
    
    void error(char const* msg, bool showKind = false, bool exit)
    {
        msg;
        showKind;
        exit;
    }
    
    int main()
    {
        error("hello");
    }
    
    0 讨论(0)
  • 2020-11-29 01:49

    That code would work if in the very first declaration of the function, the last parameter has default value, something like this:

    //declaration
    void error(char const *msg, bool showKind, bool exit = false);
    

    And then in the same scope you can provide default values for other arguments (from right side), in the later declaration, as:

    void error(char const *msg, bool showKind = true, bool exit); //okay
    
    //void error(char const *msg = 0 , bool showKind, bool exit); // error
    

    which can called as:

    error("some error messsage");
    error("some error messsage", false);
    error("some error messsage", false, true);
    

    Online Demo : http://ideone.com/aFpUn

    Note if you provide default value for the first parameter (from left), without providing default value for the second, it wouldn't compile (as expected) : http://ideone.com/5hj46


    §8.3.6/4 says,

    For non-template functions, default arguments can be added in later declarations of a function in the same scope.

    Example from the Standard itself:

    void f(int, int);
    void f(int, int = 7);
    

    The second declaration adds default value!

    Also see §8.3.6/6.

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