0

在我用鼠标触摸richedit 窗口之前,它的内容是实时更新的,但是将鼠标悬停在它上面会将箭头变成沙漏光标。然后,该窗口不会对随后通过标题栏移动它的三到四次尝试做出反应。当它最终对鼠标拖动做出反应时,它移动正常但停止刷新其内容并且标题栏变为空。类似的效果是当我尝试单击窗口的客户区时。这次点击几下后没有反应窗口也停止更新,其标题栏变为(不响应)

当循环最终停止时,程序会返回窗口更新并“活着”返回。在更新客户区时如何操作窗口(并看到它正在更新内容)?

#include <windows.h>
#include <sstream>

int main() {
  using namespace std;
  LoadLibrary("Msftedit.dll");
  HWND richeditWindow = CreateWindowExW (
    WS_EX_TOPMOST,
    L"RICHEDIT50W", 
    L"window text",
    WS_SYSMENU | WS_VSCROLL | ES_MULTILINE | ES_NOHIDESEL | WS_VISIBLE,
    50, 50, 500, 500,
    NULL, NULL, NULL, NULL
  );

  for (int i = 0 ; i<100000; i++) {
    wstringstream wss;
    wss << i << L", ";
    SendMessageW(richeditWindow, EM_REPLACESEL, FALSE, (LPARAM) wss.str().c_str());
  }

  MSG msg;
  while( GetMessageW( &msg, richeditWindow, 0, 0 ) ) {
    TranslateMessage(&msg);
    DispatchMessageW(&msg);
  }
}
4

2 回答 2

2

您正在紧密循环中填充丰富的编辑窗口,而不是为您的消息队列提供服务。除非您的进程定期处理其消息队列,否则系统会认为您的应用程序已停止响应。好吧,它已经停止响应了!

为了保持您的应用程序响应,您必须抽出您的消息队列。我真的不知道您的实际程序正在尝试做什么。如果您想将该文本放入丰富的编辑中,您只需使用一条EM_REPLACESEL消息即可。

如果您确实有一个长时间运行的任务,那么它属于不同的线程。然后你必须处理同步回 GUI 线程。如果您所做的只是调用 SendMessage,那么系统会负责同步它。

底线是必须及时泵送您的消息队列。

于 2013-01-24T23:16:52.760 回答
0

找到答案这是我修改后的代码,看看PeekMessageWDispatchMessageW.

#include <windows.h>
#include <iostream>
#include <sstream>

int main() {
  using namespace std;
  LoadLibrary("Msftedit.dll");
  HWND richeditWindow = CreateWindowExW (
    WS_EX_TOPMOST,
    L"RICHEDIT50W", 
    L"window text",
    WS_SYSMENU | WS_VSCROLL | ES_MULTILINE | ES_NOHIDESEL | WS_VISIBLE,
    50, 50, 500, 500,
    NULL, NULL, NULL, NULL
  );

  MSG msg;
  for (int i = 0 ; i<100000; i++) {
    wstringstream wss;
    wss << i << L", ";
    SendMessageW(richeditWindow, EM_REPLACESEL, FALSE, (LPARAM) wss.str().c_str());
    if (PeekMessageW(&msg, richeditWindow, 0, 0, PM_REMOVE)) {
      TranslateMessage(&msg);
      DispatchMessageW(&msg);
    }
  }

  while( GetMessageW( &msg, richeditWindow, 0, 0 ) ) {
    TranslateMessage(&msg);
    DispatchMessageW(&msg);
  }
}
于 2013-01-24T23:28:06.680 回答