C ++ 11'i kullanmaya std::async
ve std::future
görevlerinizi yürütmeye istekliyseniz , iş parçacığının hala böyle düzgün bir şekilde çalışıp çalışmadığını kontrol etmek için wait_for
işlevini kullanabilirsiniz std::future
:
#include <future>
#include <thread>
#include <chrono>
#include <iostream>
int main() {
using namespace std::chrono_literals;
auto future = std::async(std::launch::async, [] {
std::this_thread::sleep_for(3s);
return 8;
});
auto status = future.wait_for(0ms);
if (status == std::future_status::ready) {
std::cout << "Thread finished" << std::endl;
} else {
std::cout << "Thread still running" << std::endl;
}
auto result = future.get();
}
Kullanmanız gerekiyorsa, gelecekteki bir nesneyi elde etmek için std::thread
kullanabilirsiniz std::promise
:
#include <future>
#include <thread>
#include <chrono>
#include <iostream>
int main() {
using namespace std::chrono_literals;
std::promise<bool> p;
auto future = p.get_future();
std::thread t([&p] {
std::this_thread::sleep_for(3s);
p.set_value(true);
});
auto status = future.wait_for(0ms);
if (status == std::future_status::ready) {
std::cout << "Thread finished" << std::endl;
} else {
std::cout << "Thread still running" << std::endl;
}
t.join();
}
Bu örneklerin her ikisi de çıktı verecektir:
Thread still running
Bu tabii ki görev bitmeden önce iş parçacığı durumunun kontrol edilmesinden kaynaklanmaktadır.
Ama yine de, bunu başkalarının daha önce söylediği gibi yapmak daha kolay olabilir:
#include <thread>
#include <atomic>
#include <chrono>
#include <iostream>
int main() {
using namespace std::chrono_literals;
std::atomic<bool> done(false);
std::thread t([&done] {
std::this_thread::sleep_for(3s);
done = true;
});
if (done) {
std::cout << "Thread finished" << std::endl;
} else {
std::cout << "Thread still running" << std::endl;
}
t.join();
}
Düzenle:
Ayrıca std::packaged_task
kullanmaktan std::thread
daha temiz bir çözüm için kullanım için std::promise
:
#include <future>
#include <thread>
#include <chrono>
#include <iostream>
int main() {
using namespace std::chrono_literals;
std::packaged_task<void()> task([] {
std::this_thread::sleep_for(3s);
});
auto future = task.get_future();
std::thread t(std::move(task));
auto status = future.wait_for(0ms);
if (status == std::future_status::ready) {
}
t.join();
}
wait()
ve eğer öyleyse,wait()
henüz yapmadıysanız, tanım gereği çalışıyor olmalıdır. Ancak bu mantık yanlış olabilir.