我正在尝试使用strndup
函数,但出现错误
我四处搜索,发现它不是标准函数,因此必须使用不同的标志进行编译。但是,通过编译以下内容会收到相同的问题:
-std=gnu11
-Wall
-Wextra
-Werror
-Wmissing-declarations
-Wmissing-prototypes
-Werror-implicit-function-declaration
-Wreturn-type
-Wparentheses
-Wunused
-Wold-style-definition
-Wundef
-Wshadow
-Wstrict-prototypes
-Wswitch-default
-Wunreachable-code
-D_GNU_SOURCE
我正在做一个分配,因此我必须使用所有这些,但是我发现必须使用'-D_GNU_SOURCE'进行编译才能使错误消失,但事实并非如此。
编辑:
我也包括这些:
#define __STDC_WANT_LIB_EXT2__ 1
#include <string.h>
#include <stdio.h>
#include <stdlib.h>
#include "list.h"
非常感谢帮助解决此问题。
最佳答案
函数strdup
和strndup
尚未成为标准C的一部分。它们在Posix.1-2008中进行了标准化,并在Posix系统上的<string.h>
中进行了声明。您是否包含<string.h>
?
如果您的系统不提供这些功能,则可以通过以下方式自己定义它们:
#include <string.h>
#include <stdlib.h>
char *strdup(const char *s) {
size_t size = strlen(s) + 1;
char *p = malloc(size);
if (p != NULL) {
memcpy(p, s, size);
}
return p;
}
char *strndup(const char *s, size_t n) {
char *p;
size_t n1;
for (n1 = 0; n1 < n && s[n1] != '\0'; n1++)
continue;
p = malloc(n + 1);
if (p != NULL) {
memcpy(p, s, n1);
p[n1] = '\0';
}
return p;
}
关于c - C strndup隐式声明,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/46013382/