1. 获取ID
#include <sys/types.h>
#include <unistd.h>
pid_t getpid(void) //获取本进程ID
pid_t getppid(void) //获取父进程ID
2. 创建子进程
fork
#include <unistd.h>
pid_t fork(void)
调用一次,返回两次,三种返回值
父进程中,fork返回子进程的PID
子进程中,fork返回0
出现错误,返回负值
子进程复制父进程的数据空间和堆栈空间, 从fork之后执行代码
vfork:
#include <sys/types.h>
#include <unistd.h>
pid_t vfork(void)
区别:
fork: 子进程
复制父进程的数据段
vfork: 子进程
共享父进程的数据段
fork: 父子进程的执行顺序不去诶的那个
vfork: 子进程先运行, 父进程后运行
system
#include <stdlib.h>
int system(const char *string)
调用fork产生子进程, 由子进程调用/bin/sh -c string 来执行参数string所代表的命令
例如:
#include <stdlib.h>
main()
{
system("ls -al /etc/passwd")
}
3. exec函数族
exec启动新程序, 替换原有的进程, PID不变
execl
#include <unistd.h>
int execl(const char *path, const char *arg1,...)
path: 新程序所在路径(
完整路径)
arg: 新程序的参数,
arg1为程序名,以空指针NULL结束
例如:
#include <unistd.h>
main()
{
execl("/bin/ls", "ls", "-al" , "/etc/passwd", (char *)0);
}
execlp
#include <unistd.h>
int execl(const char *path, const char *arg1,...)
path: 被执行的程序名,
不含路径, 从path环境变量中查找
其他参数同execl
例如:
#include <unistd.h>
main()
{
execlp("ls", "ls", "-al" , "/etc/passwd", (char *)0);
}
execv
#include <unistd.h>
int execv(const char *path, char *const argv[])
path: 被执行的程序名(
含完整路径)
argv[]: 命令行参数数组
例如:
#include <unistd.h>
main()
{
char *argv[]={"ls" , "-al", "/etc/passwd", (char *)0};
execl("/bin/ls",argv);
}
4.进程等待
wait
#include <sys/types.h>
#include <sys/wait.h>
pid_t wait(int *status)
阻塞该进程,知道其
某个子进程退出
//父进程必然在子进程之后输出
#include <sys/types.h>
#include <sys/wait.h>
#include <unistd.h>
#include <stdlib.h>
#include <stdio.h>
void main(){
pid_t pc, pr;
pc=fork();
if(pc==0){//子进程
printf("This is child process with PID %d\n", getpid());
sleep(5);
}else if(pc >0){//父进程
pr=wait(NULL);//等待
printf("I catch a childe process with PID of %d\n", pr);
}
exit(0);
}