>백엔드 개발 >C++ >C에서 `std::thread`가 여전히 실행되고 있는지 효과적으로 확인하는 방법은 무엇입니까?

C에서 `std::thread`가 여전히 실행되고 있는지 효과적으로 확인하는 방법은 무엇입니까?

Patricia Arquette
Patricia Arquette원래의
2024-11-30 15:00:15409검색

How to Effectively Check if a `std::thread` is Still Running in C  ?

std::thread가 여전히 실행 중인지 확인하는 방법(크로스 플랫폼)

std::thread로 작업할 때 실행을 모니터링하는 것이 중요합니다. 효과적인 스레드 관리를 위한 상태입니다. 그러나 Joinable() 메서드는 스레드가 아직 실행 중인지 확인하기 위해 설계되지 않았습니다. 대신 이 기사에서는 이러한 요구 사항을 해결하기 위해 플랫폼 독립적인 다양한 방법을 제시합니다.

std::async 및 std::future 사용

C 11, std::async 및 std에 익숙한 사용자를 위해 ::future는 편리한 솔루션을 제공합니다. std::future::wait_for(0ms)를 사용하면 반환된 상태 값을 검사하여 스레드의 상태를 확인할 수 있습니다.

#include <future>
#include <thread>

int main() {
  auto future = std::async(std::launch::async, [] {
    std::this_thread::sleep_for(3s);
    return 8;
  });

  // Check thread status
  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();
}

std::promise 사용(std::thread 사용)

std::async가 옵션이 아닌 경우 std::promise를 사용하여 미래를 얻을 수 있습니다. object:

#include <future>
#include <thread>

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

  std::thread t([&p] {
    std::this_thread::sleep_for(3s);
    p.set_value(true);
  });

  // Check thread status
  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::thread 사용

C 11 이상에 대한 간단한 접근 방식은 부울 원자 플래그를 활용하는 것입니다.

#include <atomic>
#include <thread>

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

  std::thread t([&done] {
    std::this_thread::sleep_for(3s);
    done = true;
  });

  // Check thread status
  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::promise:

#include <future>
#include <thread>

int main() {
  std::packaged_task<void()> task([] {
    std::this_thread::sleep_for(3s);
  });
  auto future = task.get_future();

  std::thread t(std::move(task));

  // Check thread status
  auto status = future.wait_for(0ms);
  if (status == std::future_status::ready) {
    // ...
  }

  t.join();
}

이러한 기술을 사용하면 std::thread의 실행 상태를 효율적으로 모니터링하여 다양한 시나리오에서 적절한 처리를 보장할 수 있습니다.

위 내용은 C에서 `std::thread`가 여전히 실행되고 있는지 효과적으로 확인하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

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