我注意到在参数化构造函数中我无法理解的一些行为。鉴于以下计划:
#include <iostream>
using namespace std;
class A {
public:
int x;
A() {}
A(int i) : x(i){
cout << "A\n";
}
~A(){
cout << "dA\n";
}
};
int main(){
A p;
p = 3;
cout << p.x << endl;
p = 5;
cout << p.x << endl;
return 0;
}
我得到了输出:
A
dA
3
A
dA
5
dA
这意味着使用=
触发参数化构造函数,销毁调用它的对象并创建一个新对象。
我无法理解这种行为,我无法在标准中找到答案(我确信它存在于某个地方,但可能以复杂的方式陈述)。有人可以帮我解释一下吗?
答案 0 :(得分:5)
声明如
<vg-player height="100%" width="100%">
<video id="singleVideo" preload="auto" controls>
<source src="{{ videoUrl }}" type="{{ videoMime }}">
</video>
</vg-player>
你实际在做的是
p = 3;
真正转化为
p = A(3);
p.operator=(A(3));
创建的临时A
对象当然需要被破坏,毕竟临时。
对象A(3)
本身不会被赋值破坏。
答案 1 :(得分:5)
您可能正在寻找的短语是“隐式转换”。
如果你添加一个复制构造函数和赋值运算符,然后给每个对象一个唯一的ID,那么就更容易看到它的去向:
int counter = 0;
class A {
public:
int id;
A(): id(++counter) {cout << "A(): " << id << "\n";}
A(int i) : id(++counter) {cout << "A(" << i << "): " << id << "\n";}
// Don't copy the id.
// (This isn't used anywhere, but you can't see that it's not used unless it exists.)
A(const A& a) : id(++counter) {cout << "A(" << a.id << "): " << id << "\n";}
// Don't copy the id here either.
A& operator=(const A&a) {cout << id << " = " << a.id << "\n"; return *this;}
~A(){cout << "destroy: " << id << "\n";}
};
int main(){
A p;
cout << "p is " << p.id << "\n";
p = 3;
cout << "p is " << p.id << "\n";
p = 5;
cout << p.id << "\n";
}
输出:
A(): 1
p is 1
A(3): 2
1 = 2
destroy: 2
p is 1
A(5): 3
1 = 3
destroy: 3
1
destroy: 1
如您所见,参数化构造函数用于创建一个临时对象,其值可以分配给p
,之后会立即销毁该临时对象。
你还可以看到p
还活着,直到最后。