我正在尝试在HP-UX 11.31上运行的应用程序中获取当前线程的堆栈大小。
在Linux上我使用pthread_getattr_np
,在Solaris上我可以使用thr_stksegment
。
请帮我找一个了解线程堆栈大小的方法,请点击C。
答案 0 :(得分:2)
我在webkit sources找到了解决此问题的方法。但是,如果高性能的应用对您来说非常重要,那么这种解决方案并不合适,因为创建和挂起线程是一项昂贵的操作。
我将base
单词替换为size
,因为在webkit源代码中我们正在寻找堆栈基础,而不是大小。示例代码:
struct hpux_get_stack_size_data
{
pthread_t thread;
_pthread_stack_info info;
};
static void *hpux_get_stack_size_internal(void *d)
{
hpux_get_stack_base_data *data = static_cast<hpux_get_stack_size_data *>(d);
// _pthread_stack_info_np requires the target thread to be suspended
// in order to get information about it
pthread_suspend(data->thread);
// _pthread_stack_info_np returns an errno code in case of failure
// or zero on success
if (_pthread_stack_info_np(data->thread, &data->info)) {
// failed
return 0;
}
pthread_continue(data->thread);
return data;
}
static void *hpux_get_stack_size()
{
hpux_get_stack_size_data data;
data.thread = pthread_self();
// We cannot get the stack information for the current thread
// So we start a new thread to get that information and return it to us
pthread_t other;
pthread_create(&other, 0, hpux_get_stack_size_internal, &data);
void *result;
pthread_join(other, &result);
if (result)
return data.info.stk_stack_size;
return 0;
}