为什么我的默认移动构造函数不是 noexcept?
Why is my defaulted move constructor not noexcept?
根据this question的回答,默认移动构造函数可以定义为noexcept
在某些条件下。例如,以下 class 生成一个 noexcept
移动构造函数:
class C {};
根据对 的回答,使用 = default
说明符定义的移动构造函数将生成与隐式定义的移动构造函数相同的移动构造函数。所以,如果我理解正确的话,下面的 class 应该生成一个 noexcept
移动构造函数:
class D {
D(D&&) = default;
};
为了检查这一点,我使用 std::is_nothrow_move_constructible
函数查看 C
和 D
是否有 noexcept
移动构造函数:
#include <type_traits>
int main() {
static_assert(std::is_nothrow_move_constructible<C>::value, "C should be noexcept MoveConstructible");
static_assert(std::is_nothrow_move_constructible<D>::value, "D should be noexcept MoveConstructible");
return 0;
}
当我编译时,我得到这个错误:
$ g++ toy.cpp -o toy
toy.cpp: In function ‘int main()’:
toy.cpp:16:5: error: static assertion failed: D should be noexcept MoveConstructible
static_assert(std::is_nothrow_move_constructible<D>::value, "D should be noexcept MoveConstructible");
^~~~~~~~~~~~~
为什么我的 D
移动构造函数不是 noexcept
?
我也尝试过使用 Clang,但我得到了同样的错误。这是关于我的编译器的信息:
$ g++ --version
g++ (Debian 6.3.0-18+deb9u1) 6.3.0 20170516
Copyright (C) 2016 Free Software Foundation, Inc.
This is free software; see the source for copying conditions. There is NO
warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
$ clang++8 --version
clang version 8.0.0
Target: x86_64-unknown-linux-gnu
Thread model: posix
其实和noexcept
没有关系; static_assert
也会因 std::is_move_constructible
而失败,因为移动构造函数是 private
。所以只需将其声明为 public
.
class D {
public:
D(D&&) = default;
};
我认为问题在于您默认的 D
移动构造函数是 private。尽量做到public.
根据this question的回答,默认移动构造函数可以定义为noexcept
在某些条件下。例如,以下 class 生成一个 noexcept
移动构造函数:
class C {};
根据对 = default
说明符定义的移动构造函数将生成与隐式定义的移动构造函数相同的移动构造函数。所以,如果我理解正确的话,下面的 class 应该生成一个 noexcept
移动构造函数:
class D {
D(D&&) = default;
};
为了检查这一点,我使用 std::is_nothrow_move_constructible
函数查看 C
和 D
是否有 noexcept
移动构造函数:
#include <type_traits>
int main() {
static_assert(std::is_nothrow_move_constructible<C>::value, "C should be noexcept MoveConstructible");
static_assert(std::is_nothrow_move_constructible<D>::value, "D should be noexcept MoveConstructible");
return 0;
}
当我编译时,我得到这个错误:
$ g++ toy.cpp -o toy
toy.cpp: In function ‘int main()’:
toy.cpp:16:5: error: static assertion failed: D should be noexcept MoveConstructible
static_assert(std::is_nothrow_move_constructible<D>::value, "D should be noexcept MoveConstructible");
^~~~~~~~~~~~~
为什么我的 D
移动构造函数不是 noexcept
?
我也尝试过使用 Clang,但我得到了同样的错误。这是关于我的编译器的信息:
$ g++ --version
g++ (Debian 6.3.0-18+deb9u1) 6.3.0 20170516
Copyright (C) 2016 Free Software Foundation, Inc.
This is free software; see the source for copying conditions. There is NO
warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
$ clang++8 --version
clang version 8.0.0
Target: x86_64-unknown-linux-gnu
Thread model: posix
其实和noexcept
没有关系; static_assert
也会因 std::is_move_constructible
而失败,因为移动构造函数是 private
。所以只需将其声明为 public
.
class D {
public:
D(D&&) = default;
};
我认为问题在于您默认的 D
移动构造函数是 private。尽量做到public.