使用另一个线程停止等待输入的scanf

时间:2014-12-20 22:11:58

标签: c++ c multithreading

我想发送消息"要扫描从线程到主程序,我要问如何给#s; scanf"功能,或" cin"功能,停止等待的东西。

您通常在控制台上写一些内容并按"输入"。 我怎样才能从另一个线程做同样的事情?

示例:

int main()
{
   ///// Some code to make the thread work ecc
   std::cin >> mystring;
   std::cout << mystring; // It should be "Text into mystring";
}


// From the other thread running...
void mythread()
{
    std::string test = "Text into mystring";
    // Write test to scanf! How?
}

我怎样才能实现?

1 个答案:

答案 0 :(得分:3)

据我所知,你想在线程之间发送信息。官方名称称为 Interthread Communication

如果你想使用scanf,你应该使用管道,这是进程而不是线程

之间的沟通工具

这是一种可以在线程之间进行通信的方法。 Reader线程代表您的scanf线程。 Writer线程代表mythread。

系统很简单。你有一个共享的记忆。当一个线程尝试写入它时,它会锁定内存(在示例中是队列)并写入。当另一个尝试读取它时,它再次锁定内存并读取它,然后删除(从队列中弹出)它。如果队列为空,则读取器线程会等待,直到有人在其中写入内容。

struct MessageQueue
{
    std::queue<std::string> msg_queue;
    pthread_mutex_t mu_queue;
    pthread_cond_t cond;
};

{
    // In a reader thread, far, far away...
    MessageQueue *mq = <a pointer to the same instance that the main thread has>;
    std::string msg = read_a_line_from_irc_or_whatever();
    pthread_mutex_lock(&mq->mu_queue);
    mq->msg_queue.push(msg);
    pthread_mutex_unlock(&mq->mu_queue);
    pthread_cond_signal(&mq->cond);
}

{
    // Main thread
    MessageQueue *mq = <a pointer to the same instance that the main thread has>;

    while(1)
    {
        pthread_mutex_lock(&mq->mu_queue);
        if(!mq->msg_queue.empty())
        {
            std::string s = mq->msg_queue.top();
            mq->msg_queue.pop();
            pthread_mutex_unlock(&mq->mu_queue);
            handle_that_string(s);
        }
        else
        {
            pthread_cond_wait(&mq->cond, &mq->mu_queue)
        }
    }