1

我正在编写一个 shell,我正在使用 getline() 和键盘上的标准输入来获取命令。我在标记输入时遇到了麻烦。我尝试在 strtok() 函数中使用 \n 作为分隔符,但它似乎不起作用。

例如,我包含了一个 if 语句来检查用户是否键入了“exit”,在这种情况下它将终止程序。它没有终止。

这是我正在使用的代码:

void main() {
int ShInUse = 1;
char *UserCommand;   // This holds the input
int combytes = 100;
UserCommand = (char *) malloc (combytes);
char *tok;

while (ShInUse == 1) {
   printf("GASh: ");   // print prompt
   getline(&UserCommand, &combytes, stdin);
   tok = strtok(UserCommand, "\n");
   printf("%s\n", tok);

   if(tok == "exit") {
      ShInUse = 0;
      printf("Exiting.\n");
      exit(0);
   }
}
4

2 回答 2

3
if (tok == "exit")

tokandexit是指针,所以你正在比较两个指针。这会导致未定义的行为,因为它们不属于同一个聚合。

这不是比较字符串的方法。使用宁strcmp

 if (strcmp (tok, "exit") == 0)
于 2013-02-27T15:17:42.410 回答
0

正如@Kirilenko 所说,您不能使用 == 运算符比较字符串。

但事实并非如此。如果您使用的是getline(),则无论如何都不需要将输入拆分为行,因为 getline() 仅读取一行。如果您确实想将输入拆分为其他分隔符,您将在循环中调用 strtok() 直到它返回 NULL。

于 2013-02-27T15:24:09.987 回答