我正在编写此程序,以将字符串转换为C语言中的字符串数组(使用char **)。但是似乎该程序只能存储第一个值的元素,而其余的只是打印(空)。我可以知道我在这里做错了吗?
以下是我如何测试代码的摘要。我正在为char **分配内存,并将其传递给toStrArray函数,以将argv [1]中的每个字符串存储到arg_1(以分号““分隔)。 这意味着程序每次看到“”时,都会标记为停止并将字符串存储到数组元素中
期望的输出:这个城市很漂亮!但实际输出:此(null)(null)(null)
int main( int argc, char *argv[] )
{
int i;
int numWords; /* Pointer size (row) for arg_1 */
char **arg_1; /* String array for argument 1 */
if( argc == ARGUMENT_SIZE )
{
numWords = getNumWords(argv[1]); /* Get the number of words in arg_1
eg: "This city is beautiful" will return 4 */
/* Allocation of string array of arg_1 */
arg_1 = (char**)malloc(numWords * sizeof(char*));
/* ASSERTION: Iterate through the rows of string array and allocate their memory */
for( i = 0; i < numWords; i++ )
*arg_1 = (char*)malloc(STR_LENGTH * sizeof(char));
arg_1 = toStrArray( argv[1], arg_1, " " ); /* Converts each word in argv[1] to separated string array
so that we can find matching with argv[2] and change it */
for( i = 0; i < numWords; i++ )
printf("%s ", arg_1[i]);
}
return 0;
}
这是我的toStrArray
char** toStrArray(char str[], char **strArr, char delim[])
{
char *token;
int i;
i = 0;
token = strtok(str, delim);
/* ASSERTION: Token the string until the end of the string */
while( token != NULL )
{
strArr[i] = token; /* Assigning each word into element array */
token = strtok(NULL, delim); /* Get the next token (word) */
i++;
}
return strArr;
}
getNumWords函数:
int getNumWords(char str[])
{
int num_words;
char *token;
token = strtok(str, " ");
num_words = 0;
/* ASSERTION: Iterate until we reach the last token */
while( token != NULL )
{
token = strtok(NULL, " ");
num_words++;
}
return num_words;
}
答案 0 :(得分:1)
您不能在内存中的同一字符数组上两次使用strtok
。输入
char str = {'T', 'h', 'i', 's', ' ', 'c', 'i', 't', 'y', ' ', 'i', 's',
' ', 'b', 'e', 'a', 'u', 't', 'i', 'f', 'u', 'l', '!', 0};
将成为
char str = {'T', 'h', 'i', 's', 0, 'c', 'i', 't', 'y', 0, 'i', 's',
0, 'b', 'e', 'a', 'u', 't', 'i', 'f', 'u', 'l', '!', 0};
执行后
char* ret1 = strtok(str, " "); // Sets the null byte after 'This'
char* ret2 = strtok(NULL, " "); // Sets the null byte after 'city'
char* ret3 = strtok(NULL, " "); // Sets the null byte after 'is'
char* ret4 = strtok(NULL, " "); // Doesn't modify str
请注意,每个空格字符都用一个终止的空字节替换。这样做会将输入字符串切成多个子字符串:
printf("%s\n", ret1); // Outputs 'This'
printf("%s\n", ret2); // Outputs 'city'
printf("%s\n", ret3); // Outputs 'is'
printf("%s\n", ret4); // Outputs 'beautiful!'
如果您调用toStrArray
,这已经发生,并且用strtok
调用argv[1]
会返回NULL,因为子字符串'This'不包含分隔符。
因此,我建议使用strchr
来计数分隔符的数量:它返回一个指向字符首次出现的指针。从那里继续搜索,直到找不到更多的空格,即返回NULL。
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "This city is beautiful!";
int count = 0;
for(char* tmp = str; tmp; count++) {
while (tmp[1] == ' ') // Ignore preceding and multiple whitespaces
tmp++;
tmp = strchr(tmp+1, ' '); // Find next whitespace
}
printf("Number of words: %d\n", count);
}