execve的使用说明

execve函数作用是执行一个新的程序,程序可以是二进制的可执行程序,也可以是shell、pathon脚本
头文件上是unistd.h
函数原型:

int execve(const char * filename,char * const argv[ ],char * const envp[ ]);

参数介绍:

filename:程序所在的路径和名称

argv:传递给程序的参数,数组指针argv必须以程序(filename)开头,NULL结尾

envp:传递给程序的新环境变量,无论是shell脚本,还是可执行文件都可以使用此环境变量,必须以NULL结尾

函数返回值:

成功无返回值,失败返回-1

示例:

在test.c中调用脚本test.sh 并传递2个产生和一个环境变量
test.c

#include
#include
#include

int main()
{
        char *filename = "./test.sh"; /*要执行文件的路径和名称*/
        char *test_argv[4]; /*要传递的函数,从第1个是真正的参数,第0个是要执行文件本身的名称,最后一个是NULL*/
        test_argv[0] = "sh"; 
        test_argv[1] = "fisrt";
        test_argv[2] = "second";
        test_argv[3] = NULL;
        char *envp[] = {"T1=333", NULL};/*要传递的环境变量,最后一个为NULL*/

        if(0 != execve(filename, test_argv, envp)) {
                printf("execve failed\n");
        }   
}

test.sh
确保test.sh 有可执行权限(chmod a+x test.sh)
在脚本中分别打印传递的参数和环境变量的值

#!/bin/bash

echo $1 
echo $2
echo $T1

结果显示

kayshi@ubuntu:~/code/execve$ ./test 
fisrt
second
333

你可能感兴趣的:(C语言特性)