Linux系统编程:kill函数

参数:
pid:可能选择有以下四种

  1. pid大于零时,pid是信号欲送往的进程的标识。
  2. pid等于零时,信号将送往所有与调用kill()的那个进程属同一个使用组的进程。
  3. pid等于-1时,信号将送往所有调用进程有权给其发送信号的进程,除了进程1(init)。
  4. pid小于-1时,信号将送往以-pid为组标识的进程。

sig:准备发送的信号代码,假如其值为零则没有任何信号送出,但是系统会执行错误检查,通常会利用sig值为零来检验某个进程是否仍在执行。

返回值说明: 成功执行时,返回0。失败返回-1,errno被设为以下的某个值 EINVAL:指定的信号码无效(参数 sig 不合法) EPERM;权限不够无法传送信号给指定进程 ESRCH:参数 pid 所指定的进程或进程组不存在
示例一:

#include 
#include 
#include 
#include 
#include 
#include 

int main(int argc, char const *argv[])
{
    /* code */
    pid_t pid = fork();
    if (pid > 0)
    {
        printf("This is partent process, %d", getpid());
        sleep(1);
    }
    else
    {
        sleep(2);
        kill(getppid(), SIGKILL);
    }
    return 0;
}

示例二:

#include 
#include 
#include 
#include 
#include 

int main( void )
{
    pid_t childpid;
    int status;
    int retval;
    
    childpid = fork();
    if ( -1 == childpid )
    {
        perror( "fork()" );
        exit( EXIT_FAILURE );
    }
    else if ( 0 == childpid )
    {
        puts( "In child process" );
        sleep( 100 );//让子进程睡眠,看看父进程的行为
        exit(EXIT_SUCCESS);
    }
    else
    {
        if ( 0 == (waitpid( childpid, &status, WNOHANG )))
        {
            retval = kill( childpid,SIGKILL );
            
            if ( retval )
            {
                puts( "kill failed." );
                perror( "kill" );
                waitpid( childpid, &status, 0 );
            }
            else
            {
                printf( "%d killed\n", childpid );
            }
            
        }
    }
    
    exit(EXIT_SUCCESS);
}

你可能感兴趣的:(Linux,C/C++)