strncpy()函数
原型:extern char *strncpy(char *dest, char *src, int n);
使用方法:#include <string.h>
功能:把src所指由NULL结束的字符串的前n个字节拷贝到dest所指的数组中。
说明:假设src的前n个字节不含NULL字符,则结果不会以NULL字符结束。
假设src的长度小于n个字节,则以NULL填充dest直到复制完n个字节。
src和dest所指内存区域不能够重叠且dest必须有足够的空间来容纳src的字符串。
返回指向dest的指针(该指向dest的最后一个元素)
相关函数:memccpy,memcpy,stpcpy,strcpy
strcpy ,strncpy ,strlcpy地使用方法
好多人已经知道利用strncpy替代strcpy来防止缓冲区越界。
可是假设还要考虑执行效率的话,或许strlcpy是一个更好的方式。
1. strcpy
我们知道,strcpy 是根据 作为结束推断的,假设 to 的空间不够。则会引起 buffer overflow。
strcpy 常规的实现代码例如以下(来自 OpenBSD 3.9):
char *
strcpy(char *to, const char *from)
{
char *save = to;
for (; (*to = *from) != ”; ++from, ++to);
return(save);
}
但通常,我们的 from 都来源于用户的输入,非常可能是非常大的一个字符串。因此 strcpy 不够安全。
2. strncpy
在 ANSI C 中,strcpy 的安全版本号是 strncpy。
char *strncpy(char *s1, const char *s2, size_t n);
但 strncpy 其行为是非常诡异的(不符合我们的通常习惯)。
标准规定 n 并非 sizeof(s1),而是要复制的 char 的个数。一个最常见的问题,就是 strncpy 并不帮你保证
结束。
char buf[8];
strncpy( buf, "abcdefgh", 8 );
看这个程序。buf 将会被 "abcdefgh" 填满,但却没有 结束符了。
另外,假设 s2 的内容比較少,而 n 又比較大的话,strncpy 将会把之间的空间都用 填充。这又出现了一个效率上的问题,例如以下:
char buf[80];
strncpy( buf, "abcdefgh", 79 );
上面的 strncpy 会填写 79 个 char,而不不过 "abcdefgh" 本身。
strncpy 的标准使用方法为:(手工写上 )
strncpy(path, src, sizeof(path) – 1);
path[sizeof(path) – 1] = ”;
len = strlen(path);
3. strlcpy
// Copy src to string dst of size siz. At most siz-1 characters
// will be copied. Always NUL terminates (unless siz == 0).
// Returns strlen(src); if retval >= siz, truncation occurred.
size_t
strlcpy(char *dst, const char *src, size_t siz);
而使用 strlcpy,就不须要我们去手动负责 了,仅须要把 sizeof(dst) 告之 strlcpy 就可以:
strlcpy(path, src, sizeof(path));
len = strlen(path);
if ( len >= sizeof(path) )
printf("src is truncated.");
而且 strlcpy 传回的是 strlen(str),因此我们也非常方便的能够推断数据是否被截断。
[* 一点点历史 *]
strlcpy 并不属于 ANSI C,至今也还不是标准。
strlcpy 来源于 OpenBSD 2.4,之后非常多 unix-like 系统的 libc 中都增加了 strlcpy 函数,我个人在 FreeBSD、Linux 里面都找到了 strlcpy。(Linux使用的是 glibc,
glibc里面有 strlcpy,则全部的 Linux 版本号也都应该有 strlcpy)
但 Windows 下是没有 strlcpy 的,相应的是strcpy_s函数
///////////////////////////////////////////////////////////////////////////
strncpy
原型:extern char *strncpy(char *dest, char *src, int n);
使用方法:#include <string.h>
功能:把src所指由NULL结束的字符串的前n个字节拷贝到dest所指的数组中。
说明:
假设src的前n个字节不含NULL字符,则结果不会以NULL字符结束。
假设src的长度小于n个字节,则以NULL填充dest直到复制完n个字节。
src和dest所指内存区域不能够重叠且dest必须有足够的空间来容纳src的字符串。
返回指向dest的指针。
举例:
// 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
",d);
strncpy(p,s,strlen(d));
printf("%s",p);
getchar();
return 0;
}
最新评论