我讀尼古拉M. Josuttis擁有的2nd edition of "The C++ Standard Library" covering C++11,其中在第18章:併發,969頁和970給出一個示例程序:可以通過移動返回一個局部變量嗎?
// concurrency/promise1.cpp
#include <thread>
#include <future>
#include <iostream>
#include <string>
#include <exception>
#include <stdexcept>
#include <functional>
#include <utility>
void doSomething (std::promise<std::string>& p)
{
try {
// read character and throw exceptiopn if ’x’
std::cout << "read char (’x’ for exception): ";
char c = std::cin.get();
if (c == ’x’) {
throw std::runtime_error(std::string("char ")+c+" read");
}
...
std::string s = std::string("char ") + c + " processed";
p.set_value(std::move(s)); // store result
}
catch (...) {
p.set_exception(std::current_exception()); // store exception
}
}
int main()
{
try {
// start thread using a promise to store the outcome
std::promise<std::string> p;
std::thread t(doSomething,std::ref(p));
t.detach();
...
// create a future to process the outcome
std::future<std::string> f(p.get_future());
// process the outcome
std::cout << "result: " << f.get() << std::endl;
}
catch (const std::exception& e) {
std::cerr << "EXCEPTION: " << e.what() << std::endl;
}
catch (...) {
std::cerr << "EXCEPTION " << std::endl;
}
}
這裏string
s
是一個局部變量,但轉移到返回。
然而,如方案quited由水平calltree水平,棧存儲器將釋放。當調用堆棧解除時這會成爲問題嗎?
注意:這個問題不同於c++11 Return value optimization or move?:這個問題是關於move
是有潛在危險的,而另一個問題是關於是否主動禁止複製elision或讓編譯器決定。
我想'move'手段「竊取存儲位置」,因此沒有必要複製?這是一個STL特定的實現嗎? – athos
'move'頗具意味「偷內存的位置,如果它是有用的或任何你想要的,但留在有效的狀態這個對象」。移動字符串後,內部數據指針可以爲空,如果析構函數不嘗試釋放空指針,則該指針有效。 –