编写三个不同的程序:cmd1.c, cmd2.c, cmd3.c,每个程序输出一句话,分别编译成可执行文件cmd1, cmd2, cmd3。然后再编写一个程序,模拟shell程序的功能,能根据用户输入的字符串(表示相应的命令名),去为相应的命令创建子进程并让它去执行相应的程序,而父进程则等待子进程的结束,然后再等待接收下一条命令。如果接收到的命令为exit,则父进程结束,如果接收到无效命令,则显示”command not found”,继续等待。
时间: 2024-02-22 19:55:20 浏览: 58
以下是三个程序的代码:
cmd1.c:
```c
#include <stdio.h>
int main() {
printf("This is cmd1.\n");
return 0;
}
```
cmd2.c:
```c
#include <stdio.h>
int main() {
printf("This is cmd2.\n");
return 0;
}
```
cmd3.c:
```c
#include <stdio.h>
int main() {
printf("This is cmd3.\n");
return 0;
}
```
我们可以使用以下命令编译这三个程序:
```
gcc -o cmd1 cmd1.c
gcc -o cmd2 cmd2.c
gcc -o cmd3 cmd3.c
```
现在,我们可以编写一个模拟 shell 的程序,代码如下:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/wait.h>
#define MAX_CMD_LEN 100
int main() {
char cmd[MAX_CMD_LEN];
pid_t pid;
int status;
while (1) {
printf("Enter command: ");
fgets(cmd, MAX_CMD_LEN, stdin);
// Remove trailing newline character
cmd[strcspn(cmd, "\n")] = '\0';
if (strcmp(cmd, "exit") == 0) {
printf("Exiting shell.\n");
break;
}
pid = fork();
if (pid < 0) {
perror("Fork failed");
exit(1);
} else if (pid == 0) {
// Child process
char *args[] = {cmd, NULL};
execv(cmd, args);
perror("Execv failed");
exit(1);
} else {
// Parent process
waitpid(pid, &status, 0);
if (WIFEXITED(status) && WEXITSTATUS(status) == 0) {
printf("Command executed successfully.\n");
} else {
printf("Command failed.\n");
}
}
}
return 0;
}
```
这个程序通过读取用户输入的字符串来创建子进程并执行相应的程序。如果用户输入的命令为 exit,则父进程退出。如果用户输入的命令无效,则显示 "command not found" 并继续等待。
阅读全文