我在处理 C 字符串时遇到了这种奇怪的行为。这是 K&R 书中的一个练习,我应该在其中编写一个函数,将一个字符串附加到另一个字符串的末尾。这显然需要目标字符串分配足够的内存,以便源字符串适合。这是代码:
/* strcat: Copies contents of source at the end of dest */
char *strcat(char *dest, const char* source) {
char *d = dest;
// Move to the end of dest
while (*dest != '\0') {
dest++;
} // *dest is now '\0'
while (*source != '\0') {
*dest++ = *source++;
}
*dest = '\0';
return d;
}
在测试期间,我编写了以下内容,预计程序运行时会发生段错误:
int main() {
char s1[] = "hello";
char s2[] = "eheheheheheh";
printf("%s\n", strcat(s1, s2));
}
据我了解, s1 分配了 6chars
的数组, s2 分配了 13 的数组chars
。我认为当strcat
尝试以高于 6 的索引写入 s1 时,程序会出现段错误。相反,一切正常,但程序并没有干净地退出,而是:
helloeheheheheheh
zsh: abort ./a.out
并以代码 134 退出,我认为这意味着中止。
为什么我没有收到段错误(或者如果字符串分配在堆栈上,则覆盖 s2)?这些字符串在内存中的什么位置(堆栈或堆)?
谢谢你的帮助。