strtok() C 字符串到数组
strtok() C-Strings to Array
目前正在学习 C,在将 C 字符串标记传递到数组时遇到了一些问题。行通过标准输入输入,strtok 用于拆分行,我想将每个行正确地放入一个数组中。退出输入流需要 EOF 检查。这是我所拥有的,设置它会将标记打印回给我(这些标记将在不同的代码段中转换为 ASCII,只是试图让这部分首先工作)。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main()
{
char string[1024]; //Initialize a char array of 1024 (input limit)
char *token;
char *token_arr[1024]; //array to store tokens.
char *out; //used
int count = 0;
while(fgets(string, 1023, stdin) != NULL) //Read lines from standard input until EOF is detected.
{
if (count == 0)
token = strtok(string, " \n"); //If first loop, Get the first token of current input
while (token != NULL) //read tokens into the array and increment the counter until all tokens are stored
{
token_arr[count] = token;
count++;
token = strtok(NULL, " \n");
}
}
for (int i = 0; i < count; i++)
printf("%s\n", token_arr[i]);
return 0;
}
这对我来说似乎是正确的逻辑,但我仍在学习。问题似乎在于在使用 ctrl-D 发送 EOF 信号之前多行流式传输。
例如,给定输入:
this line will be fine
程序returns:
this
line
will
be
fine
但如果给出:
none of this
is going to work
它returns:
is going to work
</code></p>
<p><code>ing to work
</code></p>
<p><code>to work
非常感谢任何帮助。在此期间我会继续努力。
这里有几个问题:
一旦字符串 "reset" 成为一个新值,您再也不会调用 token = strtok(string, " \n");
,所以 strtok()
仍然认为它正在标记您的原始字符串。
strtok
正在返回指向 string
内的 "substrings" 的指针。您正在更改 string
中的内容,因此您的第二行有效地破坏了您的第一行(因为 string
的原始内容被覆盖)。
要执行您想要的操作,您需要将每一行读入不同的缓冲区或复制 strtok
返回的字符串(strdup()
是一种方法 - 请记住 free()
每个副本...)
目前正在学习 C,在将 C 字符串标记传递到数组时遇到了一些问题。行通过标准输入输入,strtok 用于拆分行,我想将每个行正确地放入一个数组中。退出输入流需要 EOF 检查。这是我所拥有的,设置它会将标记打印回给我(这些标记将在不同的代码段中转换为 ASCII,只是试图让这部分首先工作)。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main()
{
char string[1024]; //Initialize a char array of 1024 (input limit)
char *token;
char *token_arr[1024]; //array to store tokens.
char *out; //used
int count = 0;
while(fgets(string, 1023, stdin) != NULL) //Read lines from standard input until EOF is detected.
{
if (count == 0)
token = strtok(string, " \n"); //If first loop, Get the first token of current input
while (token != NULL) //read tokens into the array and increment the counter until all tokens are stored
{
token_arr[count] = token;
count++;
token = strtok(NULL, " \n");
}
}
for (int i = 0; i < count; i++)
printf("%s\n", token_arr[i]);
return 0;
}
这对我来说似乎是正确的逻辑,但我仍在学习。问题似乎在于在使用 ctrl-D 发送 EOF 信号之前多行流式传输。
例如,给定输入:
this line will be fine
程序returns:
this
line
will
be
fine
但如果给出:
none of this
is going to work
它returns:
is going to work
</code></p>
<p><code>ing to work
</code></p>
<p><code>to work
非常感谢任何帮助。在此期间我会继续努力。
这里有几个问题:
一旦字符串 "reset" 成为一个新值,您再也不会调用
token = strtok(string, " \n");
,所以strtok()
仍然认为它正在标记您的原始字符串。strtok
正在返回指向string
内的 "substrings" 的指针。您正在更改string
中的内容,因此您的第二行有效地破坏了您的第一行(因为string
的原始内容被覆盖)。
要执行您想要的操作,您需要将每一行读入不同的缓冲区或复制 strtok
返回的字符串(strdup()
是一种方法 - 请记住 free()
每个副本...)