在了解到两者strncmp
都不是它看起来的样子并且strlcpy
在我的操作系统(Linux)上不可用之后,我想我可以尝试自己编写它。
我找到了 libc 维护者 Ulrich Drepper 的一句话,他发布了strlcpy
使用mempcpy
. 我也没有mempcpy
,但它的行为很容易复制。首先,这是我的测试用例
#include <stdio.h>
#include <string.h>
#define BSIZE 10
void insp(const char* s, int n)
{
int i;
for (i = 0; i < n; i++)
printf("%c ", s[i]);
printf("\n");
for (i = 0; i < n; i++)
printf("%02X ", s[i]);
printf("\n");
return;
}
int copy_string(char *dest, const char *src, int n)
{
int r = strlen(memcpy(dest, src, n-1));
dest[r] = 0;
return r;
}
int main()
{
char b[BSIZE];
memset(b, 0, BSIZE);
printf("Buffer size is %d", BSIZE);
insp(b, BSIZE);
printf("\nFirst copy:\n");
copy_string(b, "First", BSIZE);
insp(b, BSIZE);
printf("b = '%s'\n", b);
printf("\nSecond copy:\n");
copy_string(b, "Second", BSIZE);
insp(b, BSIZE);
printf("b = '%s'\n", b);
return 0;
}
这是它的结果:
Buffer size is 10
00 00 00 00 00 00 00 00 00 00
First copy:
F i r s t b =
46 69 72 73 74 00 62 20 3D 00
b = 'First'
Second copy:
S e c o n d
53 65 63 6F 6E 64 00 00 01 00
b = 'Second'
您可以在内部表示(insp()
创建的行)中看到混入了一些噪音,例如printf()
第一个副本后检查中的格式字符串,以及第二个副本中的外部 0x01。
字符串被原封不动地复制,它可以正确处理太长的源字符串(让我们暂时忽略将 0 作为长度传递的可能问题copy_string
,稍后我会修复它)。
但是为什么我的目的地中有外部数组内容(来自格式字符串)?就好像目的地实际上已调整大小以匹配新长度。