>백엔드 개발 >C++ >`std::thread`가 C에서 계속 실행되고 있는지 어떻게 확인할 수 있나요?

`std::thread`가 C에서 계속 실행되고 있는지 어떻게 확인할 수 있나요?

Barbara Streisand
Barbara Streisand원래의
2024-12-01 06:10:13730검색

How Can I Check if a `std::thread` is Still Running in C  ?

활성 std::Thread 확인

멀티스레딩 영역에서는 std::thread가 여전히 실행 중인지 이해하는 것이 여전히 중요합니다. . 이 기사에서는 플랫폼 독립적인 스레드 상태 확인을 위한 실용적인 기술을 자세히 살펴봅니다.

std::async 및 std::future 사용

std::async 및 std 활용: :future는 스레드 상태를 모니터링하기 위한 원활한 접근 방식을 제공합니다. future 객체에 wait_for()를 사용하면 스레드 상태에 대한 즉각적인 통찰력을 얻을 수 있습니다.

#include <future>
#include <thread>
#include <chrono>
#include <iostream>

int main() {
    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;
    }
}

std::promise 및 std::future 사용

대체 솔루션 std::promise를 활용하고 std::future:

#include <future>
#include <thread>
#include <chrono>
#include <iostream>

int main() {
    std::promise<bool> p;
    auto future = p.get_future();

    std::thread t([&amp;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();
}

std::atomic 사용

간단한 접근 방식은 std::atomic:

#include <thread>
#include <atomic>
#include <chrono>
#include <iostream>

int main() {
    std::atomic<bool> done(false);

    std::thread t([&amp;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();
}

을 활용합니다. 🎜>사용 std::packaged_task

std::thread와 함께 std::packaged_task는 보다 세련된 솔루션을 제공합니다.

위 내용은 `std::thread`가 C에서 계속 실행되고 있는지 어떻게 확인할 수 있나요?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.