I'm trying to get data from another program. And... it's giving me an error all the time! Is there something wrong?
HWND hWnd = FindWindow(NULL, L"MyProgram");
if (hWnd)
{
HWND TPageControl = FindWindowEx(hWnd, NULL, L"TPageControl", NULL);
TPageControl = FindWindowEx(hWnd, TPageControl, L"TPageControl", NULL);
HWND TTabSheet = FindWindowEx(TPageControl, NULL, L"TTabSheet", NULL);
HWND TEdit = FindWindowEx(TTabSheet, NULL, L"TEdit", NULL);
int editlength = SendMessage(TEdit, WM_GETTEXTLENGTH, 0, NULL);
TCHAR* Targets = new TCHAR( editlength + 1 );
int count = SendMessage(TEdit, EM_GETLINE, editlength + 1, (LPARAM) Targets);
std::wcout << Targets << "\n";
//delete Targets;
}
but if i'm debugging, it's working.
You are not following the documentation for
EM_GETLINE
. The first parameter specifies the line index. I'm assuming you are sending this message to a single-line edit control, and it simply gets ignored. The second parameter must hold the length of the buffer:The remarks for edit controls are also relevant:
While parameters for
EM_GETLINE
get automatically marshaled across process boundaries (like all message parameters for messages in the range0
toW_USER-1
), you might want to consider sendingWM_GETTEXT
instead, if you are dealing with a single-line edit control:If you are sending
WM_GETTEXT
to a hung application your application will hang as well. CallGetWindowText
to work around this. The secret life of GetWindowText has additional background information.If you need to retrieve a specific line from a multi-line edit control the following is more appropriate. In contrast to your code it sends an
EM_LINEINDEX
andEM_LINELENGTH
message to retrieve the appropriate buffer size:A word on why the initial code appears to work when run under a debugger: It's not the debugger, that makes a difference. It's the Debug Build that does. A debug configuration will fill allocated memory with specific byte patterns (0xCD for
operator new[]()
). The effect of this is that the buffer passed when sendingEM_GETLINE
is interpreted as having size 0xCDCD (52685 in decimal). In a release configuration on the other hand, the buffer contents are usually 0x00, i.e. the buffer is interpreted as having size 0. This is not to say that the debug build works. It merely masks an error.