-1

为什么当我用另一个对象的副本初始化类对象的构造函数时它不起作用?

class Human
{
   int No;
   public:
       Human(int arg):No(arg)
       {
        cout<<"constructor Works"<<endl;
       }
};
int main()
{
    Human a{10}; // constructor Works for object a
    Human b{a};  //why b object's constructor dont work?
}
4

2 回答 2

8

您需要一个复制构造函数,否则编译器将生成一个(不输出任何内容)。添加:

Human(const Human& h):No(h.No) { std::cout << "copy-ctor" << std::endl; }
于 2013-10-31T19:43:23.440 回答
4

“不起作用”是指运行代码后没有输出到屏幕吗?好吧,当然没有 -Human b{a}从 . 调用完全不同的构造函数Human a{10}。它调用编译器生成的copy-constructor,其签名为:

Human(Human const& other)

如果您希望在复制构建时输出,只需创建您自己的:

class Human
{
    // ...
    Human(Human const& other)
        : No{other.No}
    {
        std::cout << "copy-constructor\n";
    }
};
于 2013-10-31T19:44:41.793 回答