0

所以我正在制作一个函数来打印跨不同窗口分层的文本,我希望它位于一个单独的线程中,这样我就可以运行一个计时器来显示文本,同时让用户打开以继续使用该程序。但是,当我编译时出现此错误:

error C2664: '_beginthreadex' : cannot convert parameter 3 from 'overloaded-function' to 'unsigned int (__stdcall *)(void *)'

这是主要的cpp文件:

#include "stdafx.h"
#include "Trial.h"

int main()
{
wchar_t* text = L"Message!";
HWND hwnd = FindWindowW(0, L"Halo");
unsigned threadID;
_beginthreadex(0, 0, DrawText,(void *)(hwnd, 175, 15, text, 8), 0 , &threadID);
// Other function here
}

这是头文件 Trial.h:(有点草率,但工作正常,因为大多数显示器的更新时间约为 2 毫秒,sleep(2) 应该有助于防止闪烁)。

#pragma once    
#include <Windows.h>
#include <string>
#include <process.h>

void DrawText(HWND hWnd, float x, float y, wchar_t* mybuffer, float DisplayTime)
{
SetForegroundWindow(hWnd);
HDC hdc = GetDC(hWnd);
SetBkColor(hdc,RGB(255, 255, 255));                   // While Background color...
SetBkMode(hdc, TRANSPARENT);                        // Set background to transparent so we don't see the white...

int howmany = sizeof(mybuffer) * 2;

DisplayTime *= 500;
int p = 0;
while(p < DisplayTime)
{
            // Shadow Offset
    SetTextColor(hdc,RGB(0, 0, 0)); 
    TextOut(hdc,x+2,y+2, (LPCWSTR)mybuffer,howmany);

    // Primary text
    SetTextColor(hdc,RGB(255, 0, 0));   
    TextOutW(hdc,x,y,(LPCWSTR)mybuffer,howmany);

    UpdateWindow(hWnd);
    p++;
    Sleep(2);
}
ReleaseDC(hWnd,hdc);
_endthreadex(0);
}

我查看了多个示例,检查了语法,并确保我没有搞砸 _beginthreadex,但似乎找不到问题的原因:|

4

2 回答 2

3

简而言之,线程启动函数需要遵循一个精确的原型,而不是你使用的那个。

他们可以接受一个接受单个 void * 的函数。

有几种解决方案。

  1. 更改您的函数以接受 void*。立即将其转换为您创建的某种类型的“struct *”并拥有您想要的数据。您通常会使用 new/malloc 在 main 中创建结构,然后在线程函数中不需要它时删除/释放它。
  2. The somewhat cleaner alternative is to 'new' up an object of a class you have made. Give that class a public static method that takes said void *. Use the static method as the thread starter, and pass the address of the object as 'this'. Then have the static cast the void * to the object type and call some 'start/run' routine on the object proper. Have the object delete itself before returning from the thread routine unless you have a more coordinated solution across the threads.
于 2012-03-15T04:45:30.950 回答
2
_beginthreadex(0, 0, DrawText,(void *)(hwnd, 175, 15, text, 8), 0 , &threadID);

根据MSDN,第三个参数必须是指向参数类型为函数的指针void*。在您的情况下,DrawText是一个参数不是void*但的函数(HWND hWnd, float x, float y, wchar_t* mybuffer, float DisplayTime)。因此出现错误并查看链接中的示例。

于 2012-03-15T04:44:01.767 回答