C strcpy 和 strncpy 组合中的意外结果
unexpected result in C strcpy and strncpy combination
在我高中期末考试的练习中,我们遇到了以下问题:
执行代码后查找字符串 s1、s2 和 s3 的值:
char s1[] = "Short Message Service", *s2, *s3;
s2 = strchr(s1, 'M');
s3 = strrchr(s2,'S');
strncpy(s1 + 1, s2, 1);
strcpy(s1 + 2, s3);
整个 class 预期结果为:
s1 = SMService
s2 = Message Service
s3 = Service
当我们通过执行代码对其进行测试时,我们惊讶地看到结果是:
s1 = SMService
s2 = ice
s3 = Service
问题是没人知道为什么 s2 变短了。在尝试弄清楚时,我发现 s2 一直保持 "Message Service" 直到执行 "strcpy" 函数的最后一行代码。我认为问题可能出在指针地址上,但我无法弄清楚 strcpy 如何影响 s2。
所以我的问题是为什么 s2 不是我们预期的那样,为什么它被缩短了?
在你的代码中 s2
指向 s1
中的 M
然后在你最后的 strcpy
中被 s3
覆盖:
char s1[] = "Short Message Service", *s2, *s3;
s2 = strchr(s1, 'M'); // s2 is pointing to s1 + 6 = Message Service
s3 = strrchr(s2, 'S'); // s3 is pointing to s1 + 14 = Service
strncpy(s1 + 1, s2, 1); // Write M in to s1[1], s1 = SMort Message Service
strcpy(s1 + 2, s3); // Write Service into s1 + 2
// s1 = SMService but s2 is pointing to s1 + 6 = ice
在我高中期末考试的练习中,我们遇到了以下问题:
执行代码后查找字符串 s1、s2 和 s3 的值:
char s1[] = "Short Message Service", *s2, *s3;
s2 = strchr(s1, 'M');
s3 = strrchr(s2,'S');
strncpy(s1 + 1, s2, 1);
strcpy(s1 + 2, s3);
整个 class 预期结果为:
s1 = SMService
s2 = Message Service
s3 = Service
当我们通过执行代码对其进行测试时,我们惊讶地看到结果是:
s1 = SMService
s2 = ice
s3 = Service
问题是没人知道为什么 s2 变短了。在尝试弄清楚时,我发现 s2 一直保持 "Message Service" 直到执行 "strcpy" 函数的最后一行代码。我认为问题可能出在指针地址上,但我无法弄清楚 strcpy 如何影响 s2。
所以我的问题是为什么 s2 不是我们预期的那样,为什么它被缩短了?
在你的代码中 s2
指向 s1
中的 M
然后在你最后的 strcpy
中被 s3
覆盖:
char s1[] = "Short Message Service", *s2, *s3;
s2 = strchr(s1, 'M'); // s2 is pointing to s1 + 6 = Message Service
s3 = strrchr(s2, 'S'); // s3 is pointing to s1 + 14 = Service
strncpy(s1 + 1, s2, 1); // Write M in to s1[1], s1 = SMort Message Service
strcpy(s1 + 2, s3); // Write Service into s1 + 2
// s1 = SMService but s2 is pointing to s1 + 6 = ice