1

如何从线程返回类对象或如何保持其状态?

struct DataStructure
{
    MapSmoother *m1;
    std::vector<Vertex*> v1;
    std::vector<Vertex *>::iterator vit;

    DataStructure() {
        m1 = NULL;
        v1;
        vit;
    }
};

DWORD WINAPI thread_fun(void* p)
{
        DataStructure *input = (DataStructure*)p;
        for( ; (input->vit) != (input->v1).end(); ){
            Vertex *v = *input->vit++;
                (*(input->m1)).relax(v);
        }
        return 0;
}
main()
{
//Reading srcMesh
//All the vertices in srcMesh will be encoded with color
MapSmoother msmoother(srcMesh,dstMesh); //initial dstMesh will be created with no edge weights 
DataStructure* input = new DataStructure; //struct datatype which holds msmoother object and vector "verList". I am passing this one to thread as a function argument
for(int color = 1; color <= 7 ; color++)
{
        srcMesh.reportVertex(color,verList); //all the vertices in srcMesh with the same color index will be stored in verList datastructure(vector)

        std::vector<Vertex *>::iterator vit = verList.begin();
        input->vit = vit;

for(int i = 0; i < 100; i++)
                HANDLE hThread[i] = createThread(0,0,&thread_fun,&input,0,NULL);
        WaitForMultipleObjects(100,hThread,TRUE,INFINITE);
        for(int i = 0; i < 100; i++)
               CloseHandle(hThread[i]);
}
msmoother.computeEnergy();     // compute harmonic energy based on edge weights
}

在 thread_fun 中,我在 msmoother 对象上调用一个方法,以便使用边缘权重以及 dstMesh 更新 msmoother 对象。dstMesh 与线程功能完美更新。为了在 msmoother 对象上执行 computeEnergy,对象应该返回到主线程或者它的状态应该被持久化。但它将能量返回为“0”。我怎样才能做到这一点?

4

2 回答 2

2

内存在线程之间共享,因此它们对共享数据所做的所有修改最终都会变得可见,而无需任何额外的努力(返回持久化某些东西)。

显然,您的问题是,在尝试使用它们应该准备好的数据之前,您没有等待线程完成。由于您已经有一个线程句柄数组,WaitForMultipleObjects因此应该是等待所有线程完成(通知bWaitAll参数)的便捷方式。请注意,WaitForMultipleObjects一次不能等待超过 64 个对象,因此如果您有 100 个线程,则需要两次调用。

于 2013-02-01T20:53:26.067 回答
1

如果 computeEnergy() 要求所有线程都已完成,您可以将每个线程的句柄传递给支持等待线程完成的WaitForMultipleObject 。在每个线程中,您可以添加或修改msmoother对象中的值(通过指向 的指针传递thread_fun)。

msmoother对象将一直存在,直到线程全部返回,因此将指针传递给它是可以接受的。

于 2013-02-01T20:53:38.207 回答