如何动态增加进程的堆栈大小

嗨,我试图实现一个进程,通过处理(溢出/分段错误)的例外,动态增加其可用堆栈。

我在这里写一个示例程序,通过递归分配堆栈空间,并因此增长堆栈,直到它提供了一个SIGSEGV,我在处理程序中处理这个异常并通过使用getrlimit和setrlimit来增加进程的资源限制,这似乎并不工作,我不知道为什么,如果我试图通过编程生成一个SIGSEGV通过raise(),我可以增加堆栈大小,这里是我使用的代码

    #include<unistd.h>
    #include<sys/resource.h>
    #include<stdio.h>
    #include<stdlib.h>
    #include<signal.h>
    #include<sys/time.h>
    void allocate(void);
    void handler(int sig)
    {
    struct rlimit r;
    getrlimit(RLIMIT_STACK,&r);
    r.rlim_cur=r.rlim_cur *5; // increasing stack size five times
    setrlimit(RLIMIT_STACK,&r);
    write(1,"Handler",7);  //to check handler invocation
    //signal(SIGSEGV,SIG_DFL);
    }

    int cntz=0xfff; //for adusting recursion

    int main()
    {
    struct sigaction sa;
    sigemptyset(&sa.sa_mask);
    sa.sa_flags=0;
    sa.sa_handler=handler;
    sigaction(SIGSEGV,&sa,NULL);
    //raise(SIGSEGV);    to raise self signal to increase stack size 
    allocate();
    //getchar();
    exit(1);

    } 

    void allocate()
    {
    char staczzk[5000];  //allocating memory on stack in each 
    recursive call
    cntz--;
    printf("%dn",cntz);
    if (cntz==0)
    return;
    allocate();    //recusrive call
    }

默认情况下,您的信号处理程序将使用与程序其余部分相同的堆栈,并且由于allocate所有调用都没有堆栈空间。

解决方法是使用备用信号堆栈。 以下内容基于您的代码以及sigaltstack手册页中的代码:

int main()
{
    struct sigaction sa;
    stack_t ss;

    ss.ss_sp = malloc(SIGSTKSZ);
    if (ss.ss_sp == NULL) { perror("malloc"); exit(1); }
    ss.ss_size = SIGSTKSZ;
    ss.ss_flags = 0;
    if (sigaltstack(&ss, NULL) == -1) { perror("sigaltstack"); exit(1); }

    sigemptyset(&sa.sa_mask);
    sa.sa_flags=SA_ONSTACK;
    sa.sa_handler=handler;
    if(sigaction(SIGSEGV,&sa,NULL)<0) { perror("sigaction"); exit(1); }
    //raise(SIGSEGV);    to raise self signal to increase stack size
    allocate();
    exit(1);
}
链接地址: http://www.djcxy.com/p/14097.html

上一篇: how to dynamically increase the stack size of a process

下一篇: Why is the size of stack segment much smaller than ulimit