-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathAssignmentOperator.cpp
74 lines (61 loc) · 1.63 KB
/
AssignmentOperator.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
/**
* Demonstrate implementation of overloading assignment operator function.
*
* Compile with -fno-elide-constructors.
*/
#include <iostream>
class Widget
{
public:
Widget(): a(0)
{
std::cout << "ctor(1)" << std::endl;
}
Widget(const int a): a(a)
{
std::cout << "ctor(2)" << std::endl;
}
Widget(const Widget& obj): a(obj.a)
{
std::cout << "ctor(3)" << std::endl;
}
Widget(Widget&& obj): a(obj.a)
{
std::cout << "ctor(4)" << std::endl;
}
// it will select whether to do copy object, or move depending on what's on the right
// side of assignment operator (rhs). Thus if we implement move copy constructor, then
// it will select to use it for more performance; reduce 1 (usually expensive) copying step.
Widget& operator= (Widget obj)
{
std::cout << "operator= called(1)" << std::endl;
a = obj.a;
return *this;
}
// NO NEED to define the following overloaded function anymore
// as it will make it ambiguous to compiler.
//Widget& operator= (const Widget& obj)
//{
// std::cout << "operator= called(2)" << std::endl;
// a = obj.a;
// return *this;
//}
const int GetA() const
{
return a;
}
private:
int a;
};
int main()
{
Widget a(1);
Widget b(2);
// by copying value sending b into assignment operator function
a = b;
std::cout << "a.a = " << a.GetA() << std::endl;
// by move semantics sending Widget(5) into assignment operator function
a = Widget(5);
std::cout << "a.a = " << a.GetA() << std::endl;
return 0;
}