本文介绍了为什么在strcat()之后更改了字符串?的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

这是源代码

int main()
{
    char str[]="dance";
    char str1[]="hello";
    char str2[]="abcd";
    strcat(str1,str2);
    printf("%s",str);
}

输出-bcd

为什么在strcat(str1,str2);之后更改str

output- bcd

why str is changed after strcat(str1,str2);

推荐答案

str1没有足够的空间来连接字符串str2.这会调用未定义的行为.你可能会得到任何东西.预期或意外结果.
现在尝试这个:

str1 has not enough space to concatenate the string str2. This invokes undefined behavior. You may get anything. Either expected or unexpected result.
Now try this:

#include <stdio.h>
#include <string.h> 

int main(void) {
    char str[]="dance";
    char str1[10]="hello";
    char str2[]="abcd";
    strcat(str1,str2);
    printf("%s\n",str1);
    printf("%s\n",str);

    return 0;
}  

输出:

helloabcd
dance

这篇关于为什么在strcat()之后更改了字符串?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

10-29 10:31