如何使用basename()
和dirname()
的GNU C库版本?
如果你
#include <libgen.h>
对于dirname您已经获得了POSIX,而不是GNU,版本的basename()
。 (即使你
#define _GNU_SOURCE
据我所知,在C中没有条件导入。是否有gcc特定技巧?
只需自己写一下,给它一个不同于basename
的名字。这种GNU坚持创建可以用1-3行编写的标准函数的备用不符合版本是完全蹩脚的。
char *gnu_basename(char *path)
{
char *base = strrchr(path, '/');
return base ? base+1 : path;
}
这样,您的程序也将更加便携。
根据手册页你应该做
#define _GNU_SOURCE
#include <string.h>
#include <libgen.h>
如果你得到POSIX版本,那么在此之前可能已经包含了libgen.h。您可能希望在CPPFLAGS中包含-D_GNU_SOURCE
以进行编译:
gcc -D_GNU_SOURCE ....
在检查了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)
的libgen.h
和来自basename(3)
的GNU版本的string.h
。
gcc
(版本4.5.2)或clang
(版本3.3)中没有编译器警告/错误。
确保使用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)
这是疯狂的basename和dirname有两个版本。
我们在一个大项目中工作,看起来这两个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
电话。