Can a cast operator be explicit?

后端 未结 1 2003
清酒与你
清酒与你 2020-11-30 00:04

When it comes to constructors, adding the keyword explicit prevents an enthusiastic compiler from creating an object when it was not the programmer’s first inte

相关标签:
1条回答
  • 2020-11-30 00:57

    Yes and No.

    It depends on which version of C++, you're using.

    • C++98 and C++03 do not support explicit type conversion operators
    • But C++11 does.

    Example,

    struct A
    {
        //implicit conversion to int
        operator int() { return 100; }
    
        //explicit conversion to std::string
        explicit operator std::string() { return "explicit"; } 
    };
    
    int main() 
    {
       A a;
       int i = a;  //ok - implicit conversion 
       std::string s = a; //error - requires explicit conversion 
    }
    

    Compile it with g++ -std=c++0x, you will get this error:

    prog.cpp:13:20: error: conversion from 'A' to non-scalar type 'std::string' requested

    Online demo : http://ideone.com/DJut1

    But as soon as you write:

    std::string s = static_cast<std::string>(a); //ok - explicit conversion 
    

    The error goes away : http://ideone.com/LhuFd

    BTW, in C++11, the explicit conversion operator is referred to as "contextual conversion operator" if it converts to boolean. Also, if you want to know more about implicit and explicit conversions, read this topic:

    • Implicit VS Explicit Conversion

    Hope that helps.

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