1)我无法在此代码中使用某些命令,例如:cat somefile.txt > somefile2.txt
我也不能使用:cat somefile.txt | less
2)当我使用如( cd ../) (cd ./Desktop)
之类的命令然后我想退出程序时,我需要执行多次退出命令:即“如果我使用3 cd命令,我将需要3退出命令结束程序“
#define MAX_ARGS 5
// Global Declarations
// Mini Functions
void remove_new_line_char(char line[])
{
int i=0;
while(line[i]!= '\n')
i++;
line[i] = '\0';
}
// Grand Functions
int read_line(char line[])
{
fgets(line, 10000, stdin); // File Get String
remove_new_line_char(line); // Remove New Line Charactere
if (strlen(line) > 512)
{
fprintf(stderr,"The Command exceeded available line length\n");
return 0;
}
if (strcmp(line, "exit") == 0)
exit(0);
return 1;
}
int parse_line(char* args[], char line[])
{
int i=0;
args[i] = strtok(line, " ");
if(args[i] == NULL)
{
printf("Command Line is Empty!\n");
return -1;
}
while (args[i] != NULL)
{
int flag = 0;
if(strcmp(args[i],"&") == 0)
flag = 1;
i++;
args[i] = strtok(NULL, " "); // NULL maintains a static pointer to the previously passed string.
if (args[i] == NULL && flag == 1)
{
args[i-1] = NULL; // Remove & From Argument List and Set Background Flag.
return 1;
}
}
return 0;
}
// Main
int main()
{
char* args[MAX_ARGS]; // Array of Strings
char line[10000]; // String
while(1)
{
printf("Shell> ");
if(read_line(line) == 1) // No Errors
{
int background = parse_line(args, line);
if(background != -1) // Command Line isn't Empty
{
// Fork and Execute
pid_t child_pid = fork();
if(child_pid == 0) // Child
{
if (strcmp(args[0], "cd") == 0 && args[1]!= NULL && args[2] == NULL) // Special Handling For CD
{
//printf("%s\n",args[2]);
int check = chdir(args[1]);
if(check == -1)
fprintf(stderr, "Invalid Directory\n");
}
// Handle if args[1]== NULL, Don't even execvp()
else // Other Functions
{
execvp(args[0], args); // args[0] is actually the command.
fprintf(stderr,"an error occured in execution\n%s\n",strerror(errno));
//fprintf(stderr,"Invalid Instruction\n");
}
}
else // Parent
{
if(background == 0)
waitpid(child_pid, 0);
wait(1000);
}
}
}
}
return 0;
}
我怀疑我不能使用任何包含以下字符的命令:> < |
提前致谢
答案 0 :(得分:1)
1)我不能在这段代码中使用一些命令:cat somefile.txt&gt; somefile2.txt我也不能使用:cat somefile.txt |少
在标准shell中,>
和|
是由shell 解释的运算符,而不是命令的参数。因为在这种情况下shell是你自己的程序,如果你必须支持那些操作符,那么你需要自己实现适当的重定向。请参阅open()
,pipe()
和dup2()
,对于管道案例,您还需要明智地应用close()
。
2)当我使用如下命令:(cd ../)(cd ./Desktop)然后我想退出程序时,我需要多次执行退出命令&#34;如果我使用3 cd命令我将需要3个退出命令来结束程序&#34;
在cd
命令的特殊情况下,您在子进程中进行fork然后更改目录,但子进程不会终止或执行另一个进程。这将使您运行两个shell副本。在控制返回到启动程序的任何进程之前,您需要退出两者。可能在这种情况下,您希望在不分叉(或等待孩子)的情况下执行chdir
。