수색…


소개

세마포어는 현재 C ++에서 사용할 수 없지만 뮤텍스와 조건 변수로 쉽게 구현할 수 있습니다.

이 예제는 다음에서 가져온 것입니다.

C ++ 0x에는 세마포어가 없습니다. 스레드를 동기화하는 방법?

세마포어 C ++ 11

#include <mutex>
#include <condition_variable>
        
class Semaphore {
public:
    Semaphore (int count_ = 0)
    : count(count_) 
    {
    }
    
    inline void notify( int tid ) {
        std::unique_lock<std::mutex> lock(mtx);
        count++;
        cout << "thread " << tid <<  " notify" << endl;
        //notify the waiting thread
        cv.notify_one();
    }
    inline void wait( int tid ) {
        std::unique_lock<std::mutex> lock(mtx);
        while(count == 0) {
            cout << "thread " << tid << " wait" << endl;
            //wait on the mutex until notify is called
            cv.wait(lock);
            cout << "thread " << tid << " run" << endl;
        }
        count--;
    }
private:
    std::mutex mtx;
    std::condition_variable cv;
    int count;
};

세마포 클래스 작동

다음 함수는 네 개의 스레드를 추가합니다. 3 개의 쓰레드는 세마포어를 경쟁하며, 세마포어는 1로 세팅됩니다. 느린 스레드는 notify_one() 호출하여 대기중인 스레드 중 하나가 계속 진행되도록합니다.

그 결과 s1 즉시 회전을 시작하여 세마포어의 사용 count 가 1 미만으로 유지됩니다. 다른 스레드는 notify ()가 호출 될 때까지 조건 변수를 차례로 기다립니다.

int main()
{
    Semaphore sem(1);
    
    thread s1([&]() {
        while(true) {
            this_thread::sleep_for(std::chrono::seconds(5));
            sem.wait( 1 );
        }           
    });
    thread s2([&]() {
        while(true){
            sem.wait( 2 );
        }
    });
    thread s3([&]() {
        while(true) {
            this_thread::sleep_for(std::chrono::milliseconds(600));
            sem.wait( 3 );
        }
    });
    thread s4([&]() {
        while(true) {
            this_thread::sleep_for(std::chrono::seconds(5));
            sem.notify( 4 );
        }
    });
    
    
    s1.join();
    s2.join();
    s3.join();
    s4.join();

    ...
    }


Modified text is an extract of the original Stack Overflow Documentation
아래 라이선스 CC BY-SA 3.0
와 제휴하지 않음 Stack Overflow