0

我需要一个指向自身的静态变量,以便在线程方法中引用对象时使用。我试图在这种类型的许多对象中使用该_beginthread方法process.h 将使用线程方法。目前这是失败的,因为实例变量在整个类中共享。我需要实例变量是静态的才能在 threadLoop 中使用,并且需要它来引用对象。有什么建议么?

标题: static Nodes *instance;

执行: Nodes *Nodes::instance = NULL;

主.cpp:

for(int c = 0; c < 7; c++)
{
    nodesVect.push_back(Nodes(c, c+10));
}

for(int c = 0; c < 7; c++) 
{
   nodesVect.at(c).init(); // init() {  instance = this;  }
}
4

1 回答 1

0

我的 _beginthreadex() 用法如下;

一个 cStartable 基类

virtual bool Start(int numberOfThreadsToSpawn);
virtual bool Stop();
virtural int Run(cThread &myThread) = 0;
//the magic...
friend unsigned __stdcall threadfunc(void *pvarg);
void StartableMain();

大事是:

unsigned __stdcall threadfunc(void *pvarg)
{
    cStartable *pMe = reinterpret_cast<cStartable*>(pvarg);
    pMe->StartableMain();
}
void cStartable::StartableMain()
{
   //Find my threadId in my threadMap
   cThread *pMyThread = mThreadMap.find( GetCurrentThreadId() );
   int rc = Run( pMyThread );
}
bool cStartable::Start()
{
   cThread *pThread = new cThread();
   pThread->Init();
   mThreadMap.insert( tThreadMapData(pThread->mThreadId, pThread) );
}

和一个实用程序 cThread 类。

bool cThread::Init(cStartable *pStartable)
{
    _beginthreadex( NULL, /*stack*/ 65535), &threadfunc, pStartable, /*initstate*/0, &mThreadId );
     // now cThread has a unique bit of info that can match itself up within the startable's run.   
}

需要线程的东西从 startable 继承并实现它们的 Run。

class Node : public cStartable {}

我在这里编辑了很多代码。能够从单个对象一次生成多个线程实例并使其在子类级别如此干净,这一切都非常健壮和安静。

所有这一切的重点是 cNode::Run() 被传递给每个线程实例对象,每个线程实例堆数据可以附加到该对象中。否则所有线程实例共享它们的单个类实例作为它们的“内存空间”。我喜欢它:) 如果您需要更多详细信息,我很乐意分享。

于 2012-04-06T01:16:12.720 回答