Why const for implicit conversion?

前端 未结 2 1809
谎友^
谎友^ 2020-12-15 09:28

After extensive reading of ISO/IEC 14882, Programming language – C++ I\'m still unsure why const is needed for implicit conversion to a user-defined type with a

相关标签:
2条回答
  • 2020-12-15 09:48

    It doesn't really have much to do with the conversion being implicit. Moreover, it doesn't really have much to do with conversions. It is really about rvalues vs. lvalues.

    When you convert 99 to type X, the result is an rvalue. In C++ results of conversions are always rvalues (unless you convert to reference type). It is illegal in C++ to attach non-const references to rvalues.

    For example, this code will not compile

    X& r = X(99); // ERROR
    

    because it attempts to attach a non-const reference to an rvalue. On the other hand, this code is fine

    const X& cr = X(99); // OK
    

    because it is perfectly OK to attach a const reference to an rvalue.

    The same thing happens in your code as well. The fact that it involves an implicit conversion is kinda beside the point. You can replace implicit conversion with an explicit one

    implicit_conversion_func(X(99));
    

    and end up with the same situation: with const it compiles, without const it doesn't.

    Again, the only role the conversion (explicit or implicit) plays here is that it helps us to produce an rvalue. In general, you can produce an rvalue in some other way and run into the same issue

    int &ir = 3 + 2; // ERROR
    const int &cir = 3 + 2; // OK
    
    0 讨论(0)
  • 2020-12-15 09:55

    Per section 5.2.2 paragraph 5, when an argument to a function is of const reference type, a temporary variable is automatically introduced if needed. In your example, the rvalue result of X(99) has to be put into a temporary variable so that that variable can be passed by const reference to implicit_conversion_func.

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