C로 멀티스레드 애플리케이션을 개발할 때 특정 std::의 실행 상태를 확인해야 하는 경우가 종종 있습니다. 실. 그러나 std::thread에는 편리한 timed_join() 메서드가 부족하며 Joinable()은 특히 이러한 목적으로 사용되지 않습니다.
C 11 솔루션
C 11을 사용하여 작업하는 경우 std::async 및 std::future를 사용하는 것이 우아한 솔루션입니다. std::future의 wait_for 함수를 사용하면 스레드 상태를 간결하게 확인할 수 있습니다.
#include <future> #include <thread> auto future = std::async(std::launch::async, [] { ... }); // Run task on a new thread // Check thread status with zero milliseconds wait time auto status = future.wait_for(0ms); if (status == std::future_status::ready) // Thread finished else // Thread still running
std::promise 사용
std:: 스레드를 사용하면 std::promise를 활용하여 미래를 얻을 수 있습니다. object:
#include <future> #include <thread> std::promise<bool> p; auto future = p.get_future(); std::thread t([&p] { ...; p.set_value(true); }); // Run task on a new thread // Get thread status using wait_for auto status = future.wait_for(0ms);
원자 플래그 접근 방식
또 다른 간단한 옵션은 원자 플래그를 사용하는 것입니다.
#include <thread> #include <atomic> std::atomic<bool> done(false); std::thread t([&done] { ...; done = true; }); // Run task with flag setting if (done) // Thread finished else // Thread still running
Std: :packaged_task
더 깔끔한 솔루션을 위해 다음을 고려하세요. std::packaged_task:
#include <future> #include <thread> std::packaged_task<void()> task([] { ... }); auto future = task.get_future(); std::thread t(std::move(task)); // Run task on new thread // Check thread status using wait_for auto status = future.wait_for(0ms);
이러한 접근 방식을 활용하면 std::thread가 여전히 실행 중인지 효과적으로 확인할 수 있으므로 멀티스레드 애플리케이션에서 더 나은 제어와 조정이 보장됩니다.
위 내용은 C에서 std::thread의 실행 상태를 효율적으로 확인하려면 어떻게 해야 합니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!