我爱编程

linux系统编程-day09-进程管理(1)

2018-06-05  本文已影响6人  桔子满地

进程是Unix系统中仅次于文件的基本抽象概念。当目标代码执行的时候,进程不仅仅包括汇编代码,它由数据、资源、状态和一个虚拟的计算机组成。

#include <sys/types.h>
#include <unistd.h>
pid_t getpid(void);

getppid( )返回调用进程的父进程的ID

#include <sys/types.h>
#include <unistd.h>
pid_t getppid(void);

一般把pid_t当成int形来printf。

运行新进程

在unix中,载入内存并执行程序映像的操作创建一个新进程分离的。
运行一个新进程:将二进制文件的程序映像载入内存,替换原先进程的地址空间,并开始运行它,该系统调用为exec系统调用(实际上是一系列的系统调用)。
创建一个新的进程:基本上就是复制父进程。通常情况下新的进程会立刻执行一个新的程序。完成创建新进程的这种行为叫做派生(fork),完成这个功能的系统调用就是fork( )。

exec系列系统调用

没有单一的exec系统调用,它们由基于单个系统调用的一组exec函数构成。

#include <unistd.h>
int execl(const char *path, const char *arg, ...);

对execl( )的调用会将path所指路径的映像载入内存,替换当前进程的映像。它的参数列表是可变长度的,但参数列表必须是以NULL结尾的。
例如,下面的代码会用/bin/vi替换当前运行的程序:

int ret;
ret = execl("/bin/vi", "vi", NULL);
if (ret == -1)
    perror("execl");

当fork/exec进程时,shell会把path的后一个成分,即本例中的"vi",放入新进程的第一个参数argv[0]。这样一个程序就可以检测argv[0],从而得知二进制映像文件的名字。
很多情况下,用户会看到一些系统工具有不同的名字,实际上这些名字都是指向同一个程序的硬连接。所以程序需要第一个参数来决定它的具体行为。
如果你想要编辑/home/kidd/hooks.txt,执行以下代码:

int ret;
ret = execl("/bin/vi", "vi", "/home/kidd/hooks.txt", NULL);
if (ret == -1)
  perror("execl");

execl( )成功调用的话不会返回,而是以跳到新的程序的入口点为结束,而刚刚才被运行的代码是不会存在于进程的地址空间中的。
execl( )成功的调用不仅仅改变了地址空间和进程的映像,还改变了进程的一些属性:

然而也有很多进程的属性没有改变,例如pid、ppid、优先级、所属的用户和组。

#include <unistd.h>
int execlp(const char *file, const char *arg, ...);
int execle(const char *path, const char *arg, ..., char * const envp[ ]);
int execv(const char *path, char *const argv[ ]);
int evecvp(const char *file, char *const argv[ ]);
int execve(const char *filename, char *const argv[ ], char *const envp[ ]);

用execvp( )来执行vi的例子:

const char *args[ ] =  {"vi", "/home/kidd/hooks.txt", NULL};
int ret;
/* 这里假设/bin在用户的路径中 */
ret = execvp("vi", args);
if (ret == -1)
  perror ("evecvp");

fork( )系统调用

创建一个和当前进程映像一样的进程可以通过fork( )系统调用:

#include <sys/types.h>
#include <unistd.h>
pid_t fork(void);

成功调用fork( )会创建一个新的进程,它几乎与调用fork( )的进程一模一样。这两个进程都会继续运行。
父进程和子进程在每个方面都非常相近:

fork( )的用法如下:

pid_t pid;
pid = fork( );
if (pid > 0)
  /* 在父进程中fork( )返回子进程的pid */
  printf("I am the parent of pid = %d \n", pid);
else if (!pid)
  /* 成功调用时会返回0 */
  printf("I am the baby! \n");
else if (pid == -1)
  /* 错误时返回-1 */
  perror("fork");

最常见的fork( )用法是创建一个新的进程,然后载入二进制映像,这种派生加执行的方式是很常见的。下面的例子创建了一个新的进程来运行/bin/windlass:

pid_t pid;
pid = fork( );
if (pid == -1)
  perror("fork");
/* the child ... */
if (!pid) {
  const char *args[] = {"windlass", NULL};
  int ret;
  ret = execv("/bin/windlass", args);
  if (ret == -1) {
    perror("execv");
    exit(EXIT_FAILURE);
  }
}

上一篇下一篇

猜你喜欢

热点阅读