计算创建n个线程所花费的时间

时间:2016-04-24 23:38:24

标签: c++ multithreading pthreads

我正在尝试创建1000个线程,以便我知道创建它们需要多少时间。我正在使用pthreads。但我得到分段错误:11。 谷歌搜索告诉我,可能是使用太多内存的情况,但我怀疑这是可能的原因。

关于可能是什么原因的任何指示?

代码:

int main(int argc , char *argv[])
{
   int *i;          // Matti's answer below:  ... = (int*)malloc(sizeof(int));
   *i = 0;
   while( *i < 100)
   {
     pthread_t thread_id;
     puts("Connection accepted");
     if( pthread_create( &thread_id , NULL , connection_handler ,  (void*) &i) < 0)
     {
        error("could not create thread");
        return 1;
     }

     //pthread_detach(thread_id);
     *i = *i + 1;
   }

    return 0;
}

void *connection_handler(void *i)
{
  sleep(1);
  return 0;
}

2 个答案:

答案 0 :(得分:4)

您的问题是您正在取消引用从未初始化的指针:

int *i;
*i = 0;

int i;只有什么问题?

答案 1 :(得分:1)

  

谷歌搜索它告诉我可能是使用太多内存的情况

在Ubuntu 15.10上,使用g ++ v5.2.1,

 default stack size per thread is 8M bytes

因此,1000 * 8M可能高达8G字节。

我的旧戴尔只有4G字节,总数为dram。我认为这可能意味着超过1/2的线程堆栈将进入/退出交换分区。

不确定您是否想花时间测量它,也不用担心它。

顺便说一句,线程上下文切换非常慢,比函数/方法调用慢约3个数量级......明智地使用它们。

在我的旧戴尔上 - 使用c ++ _ 11线程和std :: mutex:

     50 nano seconds per std::mutex lock and std::mutex::unlock
~12,000 nano seconds per context switch enforced by std::mutex

我在上面的代码片段中没有看到的是:: pthread_exit()。您可能可以对创建和退出进行合理的测量...也许您打算在内存不足之前退出每个线程?

更新 - 使用posix获取线程堆栈大小

void stackShow() // posix thread stack size
{
   pthread_attr_t tattr;  
   int stat = pthread_attr_init (&tattr); 
   assert(0 == stat);

   size_t size; 
   stat = pthread_attr_getstacksize(&tattr, &size); 
   assert(0 == stat);

   std::cout << "  ----------------------------------------------------\n"
             << "  getstacksize: (" << stat << ")   size is " << size 
             << "\n\n";

   stat = pthread_attr_destroy(&tattr);
   assert(0 == stat);
}