如何使用basename()
和dirname()
的GNU C库版本?
如果你
#include <libgen.h>
表示dirname
您已经获得了POSIX,而不是basename()
的GNU版本。 (即使你
#define _GNU_SOURCE
据我所知,C中没有条件导入。是否有gcc特定技巧?
答案 0 :(得分:10)
自己写一下,给它一个不同于basename
的名字。这个GNU坚持创建可以用1-3行写的标准函数的替代不符合版本是完全蹩脚的。
char *gnu_basename(char *path)
{
char *base = strrchr(path, '/');
return base ? base+1 : path;
}
这样,您的程序也将更加便携。
答案 1 :(得分:3)
根据您应该做的手册页
#define _GNU_SOURCE
#include <string.h>
#include <libgen.h>
如果你得到POSIX版本,那么在此之前可能已经包含了libgen.h。您可能希望在CPPFLAGS中包含-D_GNU_SOURCE
以进行编译:
gcc -D_GNU_SOURCE ....
答案 2 :(得分:1)
在检查libgen.h
之后,我非常确定我有一个无警告和无错误的解决方案:
/* my C program */
#define _GNU_SOURCE /* for GNU version of basename(3) */
#include <libgen.h> /* for dirname(3) */
#undef basename /* (snide comment about libgen.h removed) */
#include <string.h> /* for basename(3) (GNU version) and strcmp(3) */
/* rest of C program... */
使用#undef
行,现在我的计划包括来自dirname(3)
的{{1}}和来自libgen.h
的{{1}}的GNU版本。
basename(3)
(版本4.5.2)或string.h
(版本3.3)中没有编译器警告/错误。
答案 3 :(得分:0)
确保使用GNU C库构建,而不是系统(假定的)与POSIX兼容的默认值。
这通常在GCC规范文件中设置。使用 -v 选项显示当前设置:
$ gcc -v
Using built-in specs.
Target: x86_64-linux-gnu
Configured with: ../src/configure -v --with-pkgversion='Ubuntu/Linaro 4.4.4-14ubuntu5' --with-bugurl=file:///usr/share/doc/gcc-4.4/README.Bugs --enable-languages=c,c++,fortran,objc,obj-c++ --prefix=/usr --program-suffix=-4.4 --enable-shared --enable-multiarch --enable-linker-build-id --with-system-zlib --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --with-gxx-include-dir=/usr/include/c++/4.4 --libdir=/usr/lib --enable-nls --with-sysroot=/ --enable-clocale=gnu --enable-libstdcxx-debug --enable-objc-gc --disable-werror --with-arch-32=i686 --with-tune=generic --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu
Thread model: posix
gcc version 4.4.5 (Ubuntu/Linaro 4.4.4-14ubuntu5)
答案 4 :(得分:0)
疯狂的基本名和目录名有两个版本。
我们在一个大项目中工作,看来这两个API已经引起了 潜在的错误。因此,如果出现以下情况,我们将“ basename”“ dirname”标记为不推荐使用 有人使用它:
#ifdef basename
__attribute__ ((deprecated))
char *__xpg_basename(char *path);
#else
__attribute__ ((deprecated))
char *basename(const char *path);
#endif
__attribute__ ((deprecated))
char *dirname(char *path);
我们还尝试引入基础的c基础库,例如glib或libcork, 但是看起来太重了为此,我们为此编写了一个小型库,它 这样的实现:
#include <libgen.h> // for dirname
#include <linux/limits.h> // for PATH_MAX
#include <stdio.h> // for snprintf
#include <string.h> // for basename
#include <stdbool.h> // for bool
bool get_basename(const char *path, char *name, size_t name_size) {
char path_copy[PATH_MAX] = {'\0'};
strncpy(path_copy, path, sizeof(path_copy) - 1);
return snprintf(name, name_size, "%s", basename(path_copy)) < name_size;
}
bool get_dirname(const char *path, char *name, size_t name_size) {
char path_copy[PATH_MAX] = {'\0'};
strncpy(path_copy, path, sizeof(path_copy) - 1);
return snprintf(name, name_size, "%s", dirname(path_copy)) < name_size;
}
然后我们将所有basename
dirname
的呼叫替换为get_basename
get_dirname
。