“我是否进入了未定义的行为?”
是的。a[] 末尾的区域已被覆盖。这次它起作用了,但可能属于其他东西。
这里我使用一个struct来控制内存布局,并演示一下:
#include <iostream>
#include <cstring>
using namespace std;
int main()
{
struct S {
char a[8];
char b[5];
char c[7];
};
S s;
strcpy( s.a , "Hello, " );
strcpy( s.b , "Foo!" );
strcpy( s.c , "world!" );
strcat(s.a, s.c);
cout << s.a << endl;
cout << s.b << endl;
cin.get();
return 0;
}
这输出:
Hello, world!
orld!
代替:
Hello, world!
Foo!
strcat() 已经在 b[] 上踩过。
请注意,在现实生活中的示例中,此类错误可能要微妙得多,并导致您想知道为什么完全无辜的函数调用 250 行之后会崩溃并可怕地烧毁。;-)
编辑:我还可以建议您使用 strcat_s 吗?或者,更好的是 std::strings:
#include <string>
#include <iostream>
using namespace std;
int main()
{
string a = "Hello, ";
string b = "world!";
a = a + b;
cout << a;
}