嗨,由于某种原因,Strcat不喜欢我的结构中的value属性。我不知道为什么。这是我的结构代码:
typedef struct TrieSearchTree{
char value;
struct DynamicList* children;
};
这是我的方法:
void PrintDynamicListContents(struct DynamicList* dynamicList, char* word)
{
struct dynamicListNode* currentRecord;
struct TrieSearchTree* trieSearchTree;
struct dynamicListNode* nextRecord = dynamicList->head;
while(nextRecord != NULL)
{
currentRecord = nextRecord;
nextRecord = currentRecord->next;
trieSearchTree = currentRecord->entity;
if (trieSearchTree != NULL)
{
if (trieSearchTree->value != WORD_END_CHAR)
{
char c[CHAR_LENGTH] = "";
strcat_s(c, CHAR_LENGTH, word);
strcat_s(c, CHAR_LENGTH, trieSearchTree->value);
PrintDynamicListContents(currentRecord, c);
}
else
{
printf("%s", word);
}
}
}
}
Proof that the value from the structure returns something (the 'l' character)
我一直试图让strcat
工作几个小时,即使阅读在线教程也无法让它工作。所有帮助表示赞赏。
答案 0 :(得分:5)
strcat_s
函数需要char *
,特别是指向空终止字符串的指针,作为第三个参数。您传递了一个char
。您的编译器应该已经警告过您。
该字符被解释为指针并被解除引用。这会调用undefined behavior,在这种情况下会出现崩溃。
如果要将单个字符附加到字符串,则需要手动添加它和新的空终止符。
char c[CHAR_LENGTH] = "";
strcat_s(c, CHAR_LENGTH, word);
c[strlen(c) + 1] = '\0';
c[strlen(c)] = trieSearchTree->value;