重载“运算符X *()const”是什么意思?

时间:2012-09-19 05:52:28

标签: c++

  

可能重复:
  what is “operator T*(void)” and when it is invoked?

我们知道以下代码会重载*和&操作

X& operator*() const
{
    return *this;
}

X* operator&() const
{
    return this;
}

但我不知道下面的代码是什么意思? (它可以传递构建)似乎它用于获取X的指针。

operator X*() const
{
    return this;
}

2 个答案:

答案 0 :(得分:1)

operator X*() const
{
    return this;
}

Implicit conversion operator输入X*。它是用户定义的转换。阅读标准12.3以获取更多信息。相关Strange way of overloading the dereference operator from a BoostCon talk

答案 1 :(得分:1)

这是所谓的用户定义转换或UDC。它们允许您通过构造函数或特殊转换函数指定其他类型的转换。

语法如下:

operator <some_type_here>();

因此,您的特定情况是X*类型的转换运算符。

编码时应记住一些事项:

  • UDC不能含糊不清,否则不会被称为
  • 编译器一次只能使用UDC隐式转换单个对象,因此链接隐式转换不起作用:

    class A 
    {
        int x;
    public:
        operator int() { return x; };
    };
    
    class B 
    {
        A y;
    public:
        operator A() { return y; };
    };
    
    int main () 
    {
        B obj_b;
        int i = obj_b;//will fail, because it requires two implicit conversions: A->B->int
        int j = A(obj_b);//will work, because the A->B conversion is explicit, and only B->int is implicit.
    }
    
  • 派生类中的转换函数不会隐藏基类中的转换函数,除非它们转换为相同的类型。

  • 通过construtor进行转换时,只能使用默认转换。例如:

    class A
    {
        A(){}
        A(int){}
    }
    int main()
    {
        A obj1 = 15.6;//will work, because float->int is a standart conversion
        A obj2 = "Hello world!";//will not work, you'll have to define a cunstructor that takes a string.
    }
    

您可以找到其他信息hereherehere