您好,由于某些原因,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);
            }
        }
    }
}


Here is the error message:

Proof that the value from the structure returns something (the 'l' character)

我一直在尝试使strcat工作数小时,即使阅读在线教程也无法使它工作。所有帮助表示赞赏。

最佳答案

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;

关于c - 串联时的Strcat问题,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41765523/

10-11 21:29