linux下用C语言编写一个简易shell
时间: 2023-10-05 22:12:56 浏览: 140
以下是一个简易的shell程序,可以在Linux下用C语言编写:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/wait.h>
#define MAX_LINE 80 /* 命令行最大长度 */
int main(void)
{
char *args[MAX_LINE / 2 + 1]; /* 命令行参数 */
char input[MAX_LINE + 1]; /* 命令行输入 */
int should_run = 1; /* 判断是否退出shell */
pid_t pid; /* 进程ID */
while (should_run)
{
printf("osh> ");
fflush(stdout); /* 刷新输出缓冲区 */
fgets(input, MAX_LINE, stdin); /* 读取命令行输入 */
/* 将输入字符串拆分为参数数组 */
char *token;
int i = 0;
token = strtok(input, " \n");
while (token != NULL)
{
args[i++] = token;
token = strtok(NULL, " \n");
}
args[i] = NULL; /* 参数数组以NULL结尾 */
/* 检查是否退出shell */
if (strcmp(args[0], "exit") == 0)
{
should_run = 0;
continue;
}
/* 创建子进程执行命令 */
pid = fork();
if (pid < 0) /* 创建进程失败 */
{
fprintf(stderr, "fork failed\n");
return 1;
}
else if (pid == 0) /* 子进程 */
{
execvp(args[0], args); /* 执行命令 */
fprintf(stderr, "execvp failed\n"); /* 如果execvp返回,则表示执行失败 */
return 1;
}
else /* 父进程 */
{
wait(NULL); /* 等待子进程结束 */
}
}
return 0;
}
```
该程序的基本思路是每次读取一行命令行输入,将输入字符串拆分为参数数组,然后创建一个子进程执行命令,等待子进程结束后再读取下一行输入。如果输入的第一个参数是“exit”,则退出程序。
阅读全文