我将一个结构传递给pthread_create。结构的一个组成部分是矢量数据。每个线程中的循环中的“数据” push_back。当循环的大小小时,代码将正确运行。当循环很大时。我收到以下错误消息:
munmap_chunk():无效的指针 munmap_chunk():无效的指针 中止(核心已弃用)
我尝试了m <100,它可以工作。尝试m <1000时,显示错误。
// compile using: g++ parallel_2.C -o oo -lpthread
#include <iostream>
#include <cstdlib>
#include <vector>
#include <thread>
using namespace std;
const unsigned NUM_THREADS = std::thread::hardware_concurrency();
//
struct INPUT
{
int start;
int end;
vector<int> data;
};
//
void *Loop(void *param)
{
INPUT *in = (INPUT*)param;
int start = in->start;
int end = in->end;
cout<<" start: "<<start<<" end: "<<end<<endl;
//for(int m=0; m<100000000; m++)
for(int i = start;i < end;i++)
for(int m=0; m<1000; m++) {
in->data.push_back(i);
}
//pthread_exit(NULL);
}
//
int main ()
{
pthread_t threads[NUM_THREADS];
INPUT input[NUM_THREADS];
for( int i=0; i < NUM_THREADS; i++ ){
cout << "main() : creating thread, " << i << endl;
input[i].start = i*5;
input[i].end = input[i].start + 5;
int rc = pthread_create(&threads[i], NULL,
Loop, (void *)&input[i]);
if (rc){
cout << "Error:unable to create thread," << rc << endl;
exit(-1);
}
}
for(int i = 0; i<NUM_THREADS; i++)
cout<<"!! size of "<<i<<": "<<input[0].data.size()<<endl;
pthread_exit(NULL);
}
munmap_chunk():无效的指针 munmap_chunk():无效的指针 中止(核心已弃用)
答案 0 :(得分:3)
在此示例的特定情况下(main()
假定线程已完成,并查询了已修改的结构),必须先join()
个线程,然后才能访问要修改的结构。
for(int i = 0; i<NUM_THREADS; i++)
{
pthread_join(threads[i], NULL);
cout<<"!! size of "<<i<<": "<<input[0].data.size()<<endl;
}
这样,您可以确定它已经完成,并且不再修改结构。
该问题并没有通过很少的迭代出现,因为在您main()
中的最后一个循环尝试访问它们的结构之前,线程可能已经(但不确定)结束了他们的任务。
顺便说一句,您应该考虑使用std::thread
。
(https://en.cppreference.com/w/cpp/thread/thread/thread)