我正在尝试使用C创建一个shell,它可以使用分号(;)分隔多个命令。目前我正在尝试使用strtok来分离命令,但我认为我没有正确使用它。我会在不发布完整代码的情况下发布所有信息。是否正确使用了strtok?
ListView
编辑:根据指示,我删除了最初发布的大部分代码,专注于使用strtok。编译时,临时shell将一次接受一个命令。我正在尝试使用“;”同时分离和运行两个命令。我正确使用strtok吗?如果没有,还有其他选择吗?
答案 0 :(得分:1)
答案 1 :(得分:1)
为了正常工作,strtok
应与while循环一起使用。此外,您无需再运行execvp
次。
我使用您的代码创建了一个小示例程序,以演示如何正确使用您的代码:
#include <string.h>
#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <sys/wait.h>
int main()
{
char str[] = "ls -1; echo 'hello world'"; // Input commands separated by ';'
// Break the commands string into an array
char *commands[10]; // Array to hold a max of 10 commands
char *semi = ";";
char *token = strtok(str, semi);
int i = 0;
while (token != NULL)
{
commands[i] = token;
++i;
token = strtok(NULL, semi);
}
int numCommands = i; // numCommands is the max number of input commands
// Run each input command in a child process
i = 0;
while (i < numCommands)
{
printf("Command: %s\n", commands[i]);
// Tokenize the command so that it can be run using execvp
char *args[10] = {}; // Array to hold command args
args[0] = strtok(commands[i], " ");
int tokenCounter = 0;
while (args[tokenCounter] != NULL)
{
tokenCounter++;
args[tokenCounter] = strtok(NULL, " ");
}
// Create a child process
int childpid = fork();
// If this is child process, run the command
if (childpid == 0)
{
if ((execvp(args[0], args)) < 0)
{
printf("Error! Command not recognized.\n");
}
exit(0);
}
// If this is the parent, wait for the child to finish
else if (childpid > 0)
{
wait(&childpid);
}
// If the child process could not be created, print an error and exit
else
{
printf("Error: Could not create a child process.\n");
exit(1);
}
++i;
}
return 0;
}