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ため、すべてのスレッドの完了を待機する便利な方法です (noticebWaitAllパラメータ)。WaitForMultipleObjectsは一度に 64 個を超えるオブジェクトを待機できないため、100 個のスレッドがある場合は 2 回の呼び出しが必要になることに注意してください。

于 2013-02-01T20:53:26.067 に答える
1

computeEnergy() ですべてのスレッドの完了が必要な場合は、各スレッドのハンドルを、スレッドの完了の待機をサポートするWaitForMultipleObjectに渡すことができます。各スレッド内で、オブジェクト内の値を追加または変更できmsmootherます (へのポインターによって渡されますthread_fun)。

msmootherオブジェクトはスレッドがすべて戻るまで存続するため、オブジェクトへのポインタを渡すことは許容されます。

于 2013-02-01T20:53:38.207 に答える