转换构造函数说明

时间:2015-02-11 16:47:50

标签: c++ constructor assignment-operator

#include<iostream>

using namespace std;

class Test 
{
 private:
   int x;
 public:
    Test(int i) 
    {
        cout<<"Conversion constructor called..."<<endl;
        x = i;
    }
    ~Test()
    {
        cout<<"Destructor called..."<<endl;
    }
    void show() 
    { 
        cout<<" x = "<<x<<endl; 
    }
};

int main()
{
  Test t(20);
  t.show();
  t = 30; 
  t.show();

  return 0;
}

输出:

Conversion constructor called...
 x = 20
Conversion constructor called...
Destructor called...
 x = 30
Destructor called...

当我做t = 30时为什么它调用构造函数和析构函数? 请解释一下。非常感谢。

4 个答案:

答案 0 :(得分:3)

=没有重载可用于直接从int值分配。您的转换构造函数允许将30转换为Test对象,然后可以使用隐式生成的复制构造函数(复制每个成员)来分配该对象。所以你的作业相当于

t = Test(30);

创建并销毁要从中分配的临时对象。

您可以通过提供赋值运算符来避免这种情况:

Test & operator=(int i) {x = i;}

在这种情况下,赋值可以直接使用它,相当于

t.operator=(30);

答案 1 :(得分:1)

编写t = 30时,编译器会创建一个临时的Test变量,它使用转换构造函数创建。将t设置为等于此临时变量后,临时变量将被销毁,并调用析构函数。

答案 2 :(得分:1)

由于t已经定义,因此无法通过转换构造函数对其进行初始化。

相反,它会创建一个临时的Test对象,调用operator =,然后将其删除。

答案 3 :(得分:1)

  

“为什么它调用构造函数和析构函数?”

因为构造了Test的(隐式)临时实例,分配给t并在分配后被破坏。