我正在用GTK编写聊天客户端。客户端具有主要的GTK循环,还有一个生成的线程,该线程位于read()
函数中并在其处阻塞,等待来自连接到套接字的文件描述符的输入。
一旦read函数越过了阻塞,它就会有一个char文本缓冲区,我想将其附加到GTK Text View小部件,但是,它位于与主GTK循环不同的线程中。>
如何最快地从其他线程更新GUI?在Java中,我会使用SwingUtilities.invokeLater(new Runnable())
方法导致从主线程调用该方法。我想要在C语言中使用GTK时也有类似行为。
这是从新线程中调用的函数...
void* messageReceived(void* data)
{
struct ClientWindow* localVar = (struct ClientWindow*)data;
while(TRUE)
{
char buf[256];
int bytesRead = read(localVar->socketFileDescriptor, buf, 256);
GtkTextBuffer* tb = gtk_text_view_get_buffer(GTK_TEXT_VIEW(localVar->chatHistoryTextView));
GtkTextIter end;
//This code needs to execute in the main thread
gtk_text_buffer_get_end_iter(tb, &end);
gtk_text_buffer_insert(tb, &end, buf, -1);
}
}
答案 0 :(得分:0)
我想出的解决方案是使用g_idle_add()
函数。我不知道我是否缺少某些东西,因为解决方案非常简单,但没人能识别它,这让我有些担心。
void* messageReceived(void* data)
{
struct ClientWindow* localVar = (struct ClientWindow*)data;
char* message = NULL;
int bytesRead = 0;
do
{
message = bufferedRead(localVar->socketFileDescriptor, 4, &bytesRead);
struct UpdateGUIMessage* updateGui = malloc(sizeof(struct UpdateGUIMessage));
memset(updateGui, 0, sizeof(struct UpdateGUIMessage));
updateGui->clientWindow = localVar;
updateGui->message = message;
updateGui->bytesRead = bytesRead;
g_idle_add(G_SOURCE_FUNC(updateGUI), updateGui);
}while(message != NULL);
}
bool updateGUI(void* data)
{
struct UpdateGUIMessage* localVar = (struct UpdateGUIMessage*)data;
GtkTextBuffer* tb = gtk_text_view_get_buffer(GTK_TEXT_VIEW(localVar->clientWindow->chatHistoryTextView));
GtkTextIter end;
gtk_text_buffer_get_end_iter(tb, &end);
gtk_text_buffer_insert(tb, &end, localVar->message, localVar->bytesRead);
free(localVar->message);
free(data);
return FALSE; //So it only gets called once and then is removed
}