赞
踩
pthread_create
函数是Unix/Linux下创建线程的函数,它的原型如下:
int pthread_create(pthread_t *thread, const pthread_attr_t *attr,
void *(*start_routine)(void*), void *arg);
其中,pthread_attr_t
是用来设置线程属性的,它可以设置线程的栈的大小。但是,需要注意的是,pthread_attr_t
结构体中并没有直接提供设置栈大小的属性。
pthread_create 创建线程时,若不指定分配堆栈大小,系统会分配默认值,查看默认值方法如下
# ulimit -s
8192
#
上述表示为8M;单位为KB。
也可以通过# ulimit -a 其中 stack size 项也表示堆栈大小。ulimit -s value 用来重新设置stack 大小。
一般来说 默认堆栈大小为 8388608; 堆栈最小为 16384 。 单位为字节。
堆栈最小值定义为 PTHREAD_STACK_MIN ,包含#include <limits.h>后可以通过打印其值查看。对于默认值可以通过pthread_attr_getstacksize (&attr, &stack_size); 打印stack_size来查看。
尤其在嵌入式中内存不是很大,若采用默认值的话,会导致出现问题,若内存不足,则 pthread_create 会返回 12,定义如下:
#define EAGAIN 11
#define ENOMEM 12 /* Out of memory */
在Linux下,我们可以使用pthread_attr_setstacksize
函数来设置新线程的栈大小。
下面是一个简单的例子:
- #include <pthread.h>
- #include <stdio.h>
-
- void* thread_start(void* arg) {
- printf("New thread stack size: %ld\n", pthread_get_stacksize_np(pthread_self()));
- return NULL;
- }
-
- int main() {
- pthread_t thread;
- pthread_attr_t attr;
- pthread_attr_init(&attr);
-
- // 设置新线程的栈大小
- size_t stack_size = 1024 * 1024; // 1MB
- pthread_attr_setstacksize(&attr, stack_size);
-
- // 创建线程
- pthread_create(&thread, &attr, &thread_start, NULL);
-
- // 等待线程结束
- pthread_join(thread, NULL);
-
- pthread_attr_destroy(&attr);
- return 0;
- }
在这个例子中,我们创建了一个新的线程,并且设置了它的栈大小为1MB。在线程的入口函数中,我们通过pthread_get_stacksize_np
函数来获取并打印出新线程的栈大小。
需要注意的是,pthread_get_stacksize_np
函数是非标准的,它在GNU libc下可用,但在其他的实现中可能不可用。
另外,设置线程栈的大小应该在创建线程之前进行,一旦线程运行起来,尝试改变栈的大小可能会失败或者引发不可预知的结果。
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。