forked from apolukhin/course-nimble_cpp
-
Notifications
You must be signed in to change notification settings - Fork 0
/
container_4.hpp
90 lines (66 loc) · 1.83 KB
/
container_4.hpp
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
88
89
90
#include "util.hpp"
#include <vector>
#include <deque>
#include <list>
//////////////////////////// TASK 4 ////////////////////////////
class my_unique_ptr {
int* data_ = nullptr;
public:
my_unique_ptr() = default;
my_unique_ptr(int v)
: data_(new int{v})
{}
my_unique_ptr(const my_unique_ptr& p)
: data_(p.data_ ? new int{*p.data_} : nullptr)
{}
my_unique_ptr(my_unique_ptr&& p)
: data_(p.data_)
{
p.data_ = nullptr;
}
my_unique_ptr& operator=(const my_unique_ptr& p) {
my_unique_ptr tmp(p);
std::swap(tmp.data_, data_);
return *this;
}
my_unique_ptr& operator=(my_unique_ptr&& p) {
std::swap(data_, p.data_);
return *this;
}
~my_unique_ptr() {
delete data_;
}
};
class my_unique_ptr_opt {
int* data_ = nullptr;
public:
my_unique_ptr_opt() = default;
my_unique_ptr_opt(int v)
: data_(new int{v})
{}
my_unique_ptr_opt(const my_unique_ptr_opt& p)
: data_(p.data_ ? new int{*p.data_} : nullptr)
{}
my_unique_ptr_opt(my_unique_ptr_opt&& p)
: data_(p.data_)
{
p.data_ = nullptr;
}
my_unique_ptr_opt& operator=(const my_unique_ptr_opt& p) {
my_unique_ptr_opt tmp(p);
std::swap(tmp.data_, data_);
return *this;
}
my_unique_ptr_opt& operator=(my_unique_ptr_opt&& p) {
std::swap(data_, p.data_);
return *this;
}
~my_unique_ptr_opt() {
delete data_;
}
};
using naive_uptr = std::vector<my_unique_ptr>;
using optimized_uptr = std::vector<my_unique_ptr_opt>;
//////////////////////////// DETAIL ////////////////////////////
BENCH(insertion, naive_uptr_vec_insertion, naive_uptr{})->Range(8, 8<<10);
BENCH(insertion, optim_uptr_vec_insertion, optimized_uptr{})->Range(8, 8<<10);