我正在使用 C++ 代码从套接字读取消息,并尝试使用 交互式地绘制它matplotlib
,但似乎 Python 代码会阻塞主线程,无论我使用show()
orion()
和draw()
。ion()
并且draw()
不会在 Python 中阻塞。
matplotlib
知道如何在 C++ 代码中进行交互绘图吗?
一个例子真的很好。
非常感谢。
我正在使用 C++ 代码从套接字读取消息,并尝试使用 交互式地绘制它matplotlib
,但似乎 Python 代码会阻塞主线程,无论我使用show()
orion()
和draw()
。ion()
并且draw()
不会在 Python 中阻塞。
matplotlib
知道如何在 C++ 代码中进行交互绘图吗?
一个例子真的很好。
非常感谢。
您也可以尝试创建一个新线程来调用阻塞函数,这样它就不会阻塞主程序循环中的 IO。使用线程对象数组并循环查找未使用的对象,创建一个线程来执行阻塞调用,并在它们完成时让另一个线程加入它们。
这段代码是我为了演示我的意思是使用线程来获得阻塞函数的伪异步行为的快速拼凑...我没有编译它或梳理它,它只是向你展示如何完成这。
#include <pthread.h>
#include <sys/types.h>
#include <string>
#include <memory.h>
#include <malloc.h>
#define MAX_THREADS 256 // Make this as low as possible!
using namespace std;
pthread_t PTHREAD_NULL;
typedef string someTypeOrStruct;
class MyClass
{
typedef struct
{
int id;
MyClass *obj;
someTypeOrStruct input;
} thread_data;
void draw(); //Undefined in this example
bool getInput(someTypeOrStruct *); //Undefined in this example
int AsyncDraw(MyClass * obj, someTypeOrStruct &input);
static void * Joiner(MyClass * obj);
static void * DoDraw(thread_data *arg);
pthread_t thread[MAX_THREADS], JoinThread;
bool threadRunning[MAX_THREADS], StopJoinThread;
bool exitRequested;
public:
void Main();
};
bool MyClass::getInput(someTypeOrStruct *input)
{
}
void MyClass::Main()
{
exitRequested = false;
pthread_create( &JoinThread, NULL, (void *(*)(void *))MyClass::Joiner, this);
while(!exitRequested)
{
someTypeOrStruct tmpinput;
if(getInput(&tmpinput))
AsyncDraw(this, tmpinput);
}
if(JoinThread != PTHREAD_NULL)
{
StopJoinThread = true;
pthread_join(JoinThread, NULL);
}
}
void *MyClass::DoDraw(thread_data *arg)
{
if(arg == NULL) return NULL;
thread_data *data = (thread_data *) arg;
data->obj->threadRunning[data->id] = true;
// -> Do your draw here <- //
free(arg);
data->obj->threadRunning[data->id] = false; // Let the joinThread know we are done with this handle...
}
int MyClass::AsyncDraw(MyClass *obj, someTypeOrStruct &input)
{
int timeout = 10; // Adjust higher to make it try harder...
while(timeout)
{
for(int i = 0; i < MAX_THREADS; i++)
{
if(thread[i] == PTHREAD_NULL)
{
thread_data *data = (thread_data *)malloc(sizeof(thread_data));
if(data)
{
data->id = i;
data->obj = this;
data->input = input;
pthread_create( &(thread[i]), NULL,(void* (*)(void*))MyClass::DoDraw, (void *)&data);
return 1;
}
return 0;
}
}
timeout--;
}
}
void *MyClass::Joiner(MyClass * obj)
{
obj->StopJoinThread = false;
while(!obj->StopJoinThread)
{
for(int i = 0; i < MAX_THREADS; i++)
if(!obj->threadRunning[i] && obj->thread[i] != PTHREAD_NULL)
{
pthread_join(obj->thread[i], NULL);
obj->thread[i] = PTHREAD_NULL;
}
}
}
int main(int argc, char **argv)
{
MyClass base;
base.Main();
return 0;
}
这样,您可以在进行抽签时继续接受输入。
~~修复了上面的代码确实可以编译,一定要加上-lpthread