2
#include <iostream>
#include <Windows.h>
#include <process.h>
#include <time.h>
#include <conio.h>

using namespace std;
class Klasa
{
public:
    void petla(void* Args)
    {
        time_t tWait = clock() + 4 * CLOCKS_PER_SEC;
        for(;;)
        {
            cout << "Test dzialania watkow" << endl;
            Sleep(1000);
        }
        _endthread();
    }
};
void main()
{
    Klasa* pKlasa = new Klasa;
    time_t tCzas = clock() + 10 * CLOCKS_PER_SEC;
    _beginthread(pKlasa->petla, 0, NULL);
    while(tCzas>=clock())
    {
        cout << " Dziala" << endl;
        Sleep(500);
    }
    getch();
}

错误 1 ​​错误 C3867: 'Klasa::petla': 函数调用缺少参数列表;使用 '&Klasa::petla' 创建指向成员 c:\users\bartek\documents\visual studio 2012\projects\wątki\wątki\source.cpp 的指针 26 1 Wątki

这是一个错误,我不知道我该怎么办,因为我不能把()这个 beginthread(pKlasa->petla, 0, NULL); 家伙请帮帮我:C

4

4 回答 4

4

Klasa::petla如果您希望它成为线程的入口点,则需要将其声明为静态。

在对象中启动线程而不泄漏对任何重要或线程危险的访问的典型习惯用法如下所示:

#include <iostream>
#include <Windows.h>
#include <process.h>
#include <time.h>

class Klasa
{
public:
    void Start();

private:
    static void ThreadEntry(void *p);
    void ThreadBody();
};

void Klasa::Start()
{
    _beginthread(Klasa::ThreadEntry, 0, this);
}

void Klasa::ThreadEntry(void *p)
{
    ((Klasa *) p)->ThreadBody();
    _endthread();
    return;
}

void Klasa::ThreadBody()
{
    // do threaded action here
    time_t tWait = clock() + 4 * CLOCKS_PER_SEC;
    for(;;)
    {
        cout << "Test dzialania watkow" << endl;
        Sleep(1000);
    }
}

void main()
{
    Klasa k;
    k.Start();

    time_t tCzas = clock() + 10 * CLOCKS_PER_SEC;
    while(tCzas>=clock())
    {
        cout << " Dziala" << endl;
        Sleep(500);
    }

    char c;
    c << std::cin; // stick to either cin/cout or C-style IO, not both
}

至少,这就是我倾向于使用 pthreads 的方式。我想它与windows线程基本相同。

另外,请尽量避免使用Hungarian Notation。这是个人喜好,但有很多不使用它的好论据(例如 C++ 是强类型的,每个变量或函数的类型从其定义中显而易见)。

于 2013-06-17T20:04:32.210 回答
3

文档中:

uintptr_t _beginthread( 
   void( *start_address )( void * ),
   unsigned stack_size,
   void *arglist 
);

所以这个函数需要一个指向函数的指针,而不是一个指向成员的指针。你不能在两者之间转换。

要么使用static成员函数(绑定到类而不是实例),要么创建非成员函数。

于 2013-06-17T19:55:27.423 回答
2

您必须传递函数地址。

虽然你不能写

_beginthread(&(pKlasa->petla), 0, NULL);

因为_beginthread想要指向函数的指针,而不是指向对象方法的指针。定义一个具有所需签名的普通函数:

void threadfunc(void *data) {
  reinterpret_cast<Klasa*>(data)->petla();
}

然后开始一个新线程

_beginthread(threadfunc, 0, pKlasa); 
于 2013-06-17T19:54:51.423 回答
0
std::thread(&Klasa::petla, pKlasa);

如果你没有 C++11 库,你可以用 Boost 做同样的事情。

于 2013-06-17T20:27:07.783 回答