std::exchange
std::exchange
是c++14提供的一个函数模板,在<utility>
里
1
2
3
4
5
6
7
8
9
10
11
12
template<class T, class U = T>
constexpr // since C++20
T exchange(T& obj, U&& new_value)
noexcept( // since C++23
std::is_nothrow_move_constructible<T>::value &&
std::is_nothrow_assignable<T&, U>::value
)
{
T old_value = std::move(obj);
obj = std::forward<U>(new_value);
return old_value;
}
设置新的值,返回旧的值,所以配合这个实现,你得这样写
1
2
3
int new_val = 0;
int target = 42;
new_val = std::exchange(target, new_val);
使用场景1,move
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
struct S {
int n{42}; // default member initializer
S() = default;
S(S &&other) noexcept : n{std::exchange(other.n, 0)} {}
S &operator=(S &&other) noexcept {
// safe for this == &other
n = std::exchange(other.n, 0); // move n, while leaving zero in other.n
return *this;
}
};
int main() {
S s;
// s = s; // 1. Error! does not match the move assigment operator
s = std::move(s); // 2. OK! explicitly move
std::cout << s.n << "\n"; // Outputs: 42
}
使用场景2,输出helper
1
2
3
4
5
6
7
8
9
10
11
12
13
int main() {
std::vector<int> vec(10);
std::ranges::iota(vec, 0);
std::cout << "[";
const char *delim = "";
for (auto val : vec) {
std::cout << std::exchange(delim, ", ") << val;
}
// Outputs: [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
std::cout << "]\n";
}
这种新旧值需要交换得,可以考虑使用std::exchange
使用场景3, 所有权交换
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
void transfer_ownership(auto &obj) {
[o = std::move(obj)] {}();
}
// NOTE: okay
std::vector<int> v1(10);
std::ranges::iota(v1, 0);
transfer_ownership(v1);
// Outputs: []
fmt::print("v1: {}\n", v1);
// NOTE: possiblely still has value
std::optional<int> foo{42};
transfer_ownership(foo);
// true
fmt::print("has_value: {}\n", foo.has_value());
使用std::exchange
可以代码更少
1
2
3
4
5
6
7
8
void transfer_ownership(auto& obj) {
[o = std::exchange(obj, {})] {}();
}
std::optional<int> foo{ 42 };
transfer_ownership(foo);
// false
fmt::print("has_value: {}\n", foo.has_value());
REF
This post is licensed under CC BY 4.0 by the author.