我正在阅读 r 值引用和移动语义。不幸的是,用 std::function 和 std::reference_wrapper 进行实验让我更加困惑。
#include <iostream>
#include <string>
#include <string_view>
#include <functional>
class Greeting {
std::string g;
std::function <void(std::string_view)> f;
public:
Greeting(std::string&& _g, std::function<void(std::string_view)>&& _f)
: g(std::move(_g)), f(std::move(_f)){};
void greet() {
f(g);
}
};
struct prefix_g {
std::string g;
public:
prefix_g(const std::string&& _g) : g(std::move(_g)) {}
void operator() (std::string_view s) {
std::cout <<g <<" "<< s << std::endl;
}
};
int main() {
prefix_g eng("Hello");
Greeting g("World",eng);
Greeting g2("World2",std::ref(eng)); // reference wrapper, special
// forwarding for op ()
std::string s3("world3"), s4("world3");
// Greeting g3(std::ref(s3), std::ref(eng)); won't compile; &s3 -> &&s3
// Greeting g3(s3, eng); won't compile lval to rval
// Greeting g4(std::move(s4), std::move(eng)); // compiles, output Hello World2 -> World2 as g is moved?
g.greet(); g2.greet();
Greeting g4(std::move(s4), std::move(eng));
g4.greet();
Greeting g5("world5", std::move(eng)); // UB? move guarantees fn object is
// still valid, ofc, g now gets default
// init to empty
g5.greet();
return 0;
}
- 对 std::function 的 r 值引用实际上如何接受 l 值,例如。以防万一
Greeting g("World",eng)
,任何其他参数都不能接受类似的左值(除了模板化构造函数并进行通用引用之外?)? 将 std::ref 传递给 std::function 时实际发生的情况,ref提到仅转发参数。但是,如果我在注释掉的 g4 显示时移动函数对象本身,我会看到 g2 的输出,它使用 std::ref 来实际看到移动的效果,只是打印 world2
移动后可调用对象会发生什么情况,字符串本身会移动,但函数仍然有效?(对于不同类型的函数对象,比如 struct
f{void operator()() { //something })
,这是否意味着 f 在移动后可能有效?)