Linux/Unix 提供了不同与 windows 的多任务处理,也提供一套用来切换前后台任务的命令
bg fg & Ctrl+z nohup sitsid
- Ctrl-Z 挂起程序
[email protected]:~$ ./test.sh ^Z [1]+ Stopped ./test.sh [email protected]:~$
当作业在运行期间,执行 Ctrl-Z 暂挂起该作业并返回该作业的 JobID 等信息,类似于使用 jobs 命令返回的信息
- bg 后台执行
[email protected]:~$ jobs [1]+ Stopped ./test.sh、 [email protected]:~$ bg 1 [1]+ ./test.sh & [email protected]:~$
bg 将暂挂的作业作为后台作业运行来在当前环境中重新执行这些作业,如果指定的作业已经在后台运行,bg 命令不起作用并成功退出。如果未提供 JobID 参数,bg 命令会使用最近暂挂的作业
- fg 前台运行作业
[email protected]:~$ jobs [1]+ Stopped ./test.sh、 [email protected]:~$ fg 1 ./test.sh [email protected]:~$
fg 使用 JobID 参数来指明在前台下要运行的特定作业。如果提供 JobID,fg 命令使用最近在后台被暂挂的作业
- & 把作业放到后台执行
[email protected]:~$ ./test.sh & [1] 33511 [email protected]:~$
当在前台运行某个作业时,终端被该作业占据;可以使用&命令把作业放到后台执行,而在后台运行作业时,它不会占据终端。实际上,这样是将命令放入到一个作业队列中了。作业在后台运行一样会将结果输出到屏幕上,干扰你的工作。如果放在后台运行的作业会产生大量的输出,最好使用下面的方法把它的输出重定向到某个文件中:command >out.file 2>&1 &
- nohup 忽略挂断信号
[email protected]:~$ nohup ./test.sh > test.log 2>&1 & [1] 33537 [email protected]:~$ jobs
在执行作业时,可以使用小括号() 执行后台作业也能做到类似 nuhup 的效果,使得 当前 Shell 关闭后,作业仍能正常运行。原理同 setsid 和 disown
[email protected]:~$ (./test.sh &) [email protected]:~$ ps -ef | grep test 515 410 1 0 11:49 ? 00:00:00 /bin/sh ./test.sh 515 12483 21734 0 11:59 pts/12 00:00:00 grep test
使用 & | bg 运行后台命令时,其父进程还是当前终端 shell 的进程,而一旦父进程退出,则会发送hangup信号给所有子进程,子进程收到hangup以后也会退出。如果我们要在退出shell的时候继续运行进程,则需要使用nohup忽略hangup信号,或者使用setsid将父进程设为init进程(进程号为1),也可以使用 disown 命令
- setsid
[email protected]:~$ ps -ef | grep test 515 29710 21734 0 11:47 pts/12 00:00:00 /bin/sh ./test.sh 515 29713 21734 0 11:47 pts/12 00:00:00 grep test [email protected]:~$ setsid ./test.sh & [1] 409 [email protected]:~$ ps -ef | grep test 515 410 1 0 11:49 ? 00:00:00 /bin/sh ./test.sh 515 413 21734 0 11:49 pts/12 00:00:00 grep test
对于已经执行的前台作业,setsid 可以将当前作业的父进程设置为1,但对于已经是后台运行的命令我们需要使用 disown 命令
- disown
[email protected]:~$ ./test.sh & [1] 2539 [email protected]:~$ jobs -l [1]+ 2539 Running ./test.sh & [email protected]:~$ disown -h %1 [email protected]:~$ ps -ef | grep test 515 410 1 0 11:49 ? 00:00:00 /bin/sh ./test.sh 515 2542 21734 0 11:52 pts/12 00:00:00 grep test
对于已经执行的后台作业,disown 可以将当前作业的父进程设置为1
- setsid