#include <iostream>
using namespace std;
class Complex
{
public:
Complex() //默认构造函数
{
real = 2; imag = 3;
cout << "Default Constructor called." << endl;
}
Complex(float h, float w):real(h), imag(w) //带参数的构造函数
{
cout << "Constructor called." << endl;
}
Complex(const Complex &b) //复制构造函数
{
real = b.real;
imag = b.imag;
cout << "copy Constructor called." << endl;
}
~Complex() //析构函数
{
cout << "Destructor called." << endl;
}
Complex add(Complex c) //复数加法运算
{
Complex t;
t.real = real + c.real;
t.imag = imag + c.imag;
return t;
}
void display()
{
cout << "复数为:" << real << "+" << imag << "i" << endl;
}
private:
float real;
float imag;
};
int main()
{
Complex c1(3, 6);
Complex c2(c1);
Complex c3;
c3 = c1.add(c2);
c3.display();
return 0;
}
主函数从第四行开始,是咋样使用构造函数的呢?
从主函数第四行运行的结果是
copy Constructor called.
Default Constructor called.
copy Constructor called.
Destructor called.
Destructor called.
Destructor called.
复数为:6+12i
Destructor called.
Destructor called.
Destructor called.
为什么先用了复制构造函数,然后用了默认构造函数,然后又用了复制构造函数
然后就开始析构了三次在输出c3.display
然后又析构三次,大佬能解释下吗