-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathrvalue_reference.cpp
87 lines (73 loc) · 1.61 KB
/
rvalue_reference.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
75
76
77
78
79
80
81
82
83
84
85
86
87
#include <iostream>
#include <string>
#include <utility>
#include <vector>
#include <tr1/random>
#include <algorithm>
#include <ctime>
static int Copies = 0;
class Pod
{
public:
// constructor
Pod() : m_index(0)
{
m_buffer.resize(1000); // holds 1k of data
}
Pod(Pod const & pod)
: m_index(pod.m_index)
, m_buffer(pod.m_buffer)
{
++Copies;
}
Pod &operator=(Pod const &pod)
{
m_index = pod.m_index;
m_buffer = pod.m_buffer;
++Copies;
}
Pod(Pod && pod)
{
m_index = pod.m_index;
// give a hint to tell the library to "move" the vector if possible
m_buffer = std::move(pod.m_buffer);
++Copies;
}
Pod & operator=(Pod && pod)
{
m_index = pod.m_index;
// give a hint to tell the library to "move" the vector if possible
m_buffer = std::move(pod.m_buffer);
++Copies;
}
int m_index;
std::vector<unsigned char> m_buffer;
};
struct PodGreaterThan
{
bool operator() (Pod const & lhs, Pod const & rhs) const
{
if(lhs.m_index > rhs.m_index) { return true; }
return false;
}
};
int main()
{
std::clock_t start;
std::clock_t end;
std::vector<Pod> manyPods(1000000);
std::tr1::mt19937 eng;
std::tr1::uniform_int<int> unif(1, 0x7fffffff);
for (std::size_t i = 0; i < manyPods.size(); ++i)
{
manyPods[i].m_index = unif(eng);
}
start = std::clock();
std::sort(manyPods.begin(), manyPods.end(), PodGreaterThan());
end = std::clock();
std::cout<<"The operation took "
<< ( double ( end ) - start ) / CLOCKS_PER_SEC
<<" seconds\n";
std::cout<<"Copies "<< Copies << std::endl;
return 0;
}