strcpy ,strncpy ,strlcpy的用法
好多人已经知道利用strncpy替代strcpy来防止缓冲区越界。
但是如果还要考虑运行效率的话,也许strlcpy是一个更好的方式。
1. strcpy
strcpy 是依据 \0 作为结束判断的,如果 to 的空间不够,则会引起 buffer overflow。strcpy 常规的实现代码如下(来自 OpenBSD 3.9):
点击(此处)折叠或打开
- char * strcpy(char *to, const char *from)
- {
- char *save = to;
- for (; (*to = *from) != '\0'; ++from, ++to);
- return(save);
- }
2. strncpy
在 ANSI C 中,strcpy 的安全版本是 strncpy
char *strncpy(char *s1, const char *s2, size_t n);
但 strncpy 其行为是很诡异的(不符合我们的通常习惯)。标准规定 n 并不是 sizeof(s1),而是要复制的 char 的个数。一个最常见的问题,就是 strncpy 并不帮你保证 \0结束。
- char buf[8];
- strncpy( buf, "abcdefgh", 8 );
看这个程序,buf 将会被 "abcdefgh" 填满,但却没有 /0 结束符了。
另外,如果 s2 的内容比较少,而 n 又比较大的话,strncpy 将会把之间的空间都用 /0 填充。这又出现了一个效率上的问题,如下:- char buf[80];
- strncpy( buf, "abcdefgh", 79 );
上面的 strncpy 会填写 79 个 char,而不仅仅是 "abcdefgh" 本身。
strncpy 的标准用法为:
- strncpy(path, src, sizeof(path) - 1);
- path[sizeof(path) - 1] = '/0';
- len = strlen(path);
3. strlcpy
原型: size_t strlcpy(char *dst, const char *src, size_t size);
使用 strlcpy,就不需要我们去手动负责 /0 了,仅需要把 sizeof(dst) 告之 strlcpy 即可。当src的长度大于等于size时,拷贝size-1个字符到dst中,并自动填充‘\0’,而且strlcpy返回的是src字符串的长度,而strncpy返回的是dest的指针。
- strlcpy(path, src, sizeof(path));
- len = strlen(path);
- if ( len >= sizeof(path) )
- printf("src is truncated.");
ps:sizeof(“hello”) = 6; strlen(“hello”)=5.
4. [* 一点点历史 *]
strlcpy 并不属于 ANSI C,至今也还不是标准。
strlcpy 来源于 OpenBSD 2.4,之后很多 unix-like 系统的 libc 中都加入了 strlcpy 函数,我个人在 FreeBSD、Linux 里面都找到了strlcpy。(Linux使用的是 glibc,glibc里面有 strlcpy,则所有的 Linux 版本也都应该有 strlcpy)
但 Windows 下是没有 strlcpy 的,对应的是strncpy和memcpy函数
4.1 strncpy
原型:extern char *strncpy(char *dest, char *src, int n);
用法:#include <string.h>
功能:把src所指由NULL(字符串里就是\0, 0)结束的字符串的前n个字节复制到dest所指的数组中。
返回:指向dest的指针。
说明:如果src的前n个字节不含NULL字符,则结果不会以NULL字符结束。
如果src的长度小于n个字节,则以NULL填充dest直到复制完n个字节。
src和dest所指内存区域不可以重叠且dest必须有足够的空间来容纳src的字符串。
点击(此处)折叠或打开
- // strncpy.c
- #include <syslib.h>
- #include <string.h>
- main()
- {
- char *s="Golden Global View";
- char *d="Hello, GGV Programmers";
- char *p=strdup(s);
- clrscr();
- textmode(0x00); // enable 6 lines mode
- strncpy(d,s,strlen(s));
- printf("%s/n",d);
- strncpy(p,s,strlen(d));
- printf("%s",p);
- getchar();
- return 0;
- }
4.2 memcpy
原型:extern void *memcpy(void *dest, void *src, unsigned int count);
用法:#include <string.h>
功能:由src所指内存区域复制count个字节到dest所指内存区域。
说明:src和dest所指内存区域不能重叠,函数返回指向dest的指针。
点击(此处)折叠或打开
- // memcpy.c
- #include <syslib.h>
- #include <string.h>
- main()
- {
- char *s="Golden Global View";
- char d[20];
- clrscr();
- memcpy(d,s,strlen(s));
- d[strlen(s)]=0;
- printf("%s",d);
- getchar();
- return 0;
- }
关于C标准库里strncpy的实现,及功能细节:
所以,对于几种情况:
1) count 和 \0 遇到就停。若是\0,继续把dst后面剩下count的内存置为0,若count过大可能覆盖其他数据,若count过小,dst后面有部分空间未置0