scandir 按子串过滤
scandir filter by substring
我正在尝试按子字符串过滤 scandir
。我的函数可以正常工作,但只能使用预定的字符串。
int nameFilter(const struct dirent *entry) {
if (strstr(entry->d_name, "example") != NULL)
return 1;
return 0;
}
但是我找不到过滤 argv[i]
的方法,因为我无法声明它。
int (*filter)(const struct dirent *)
你们知道解决办法吗?
您可能必须使用全局变量,如果在线程环境中或从信号处理程序中使用,则所有错误 side-effects:
static const char *global_filter_name;
int nameFilter(const struct dirent *entry) {
return strstr(entry->d_name, global_filter_name) != NULL;
}
并在调用 scandir
之前设置 global_filter_name
。
您的函数没有递归风险,因此:
您可以使用 static-storage-duration 或 thread-storage-duration 对象作为附加上下文:
/* At file scope */
static const char ** filter_names;
/* ... */
/*
* Prior to being invoked, populate filter_names
* with a pointer into an array of pointers to strings,
* with a null pointer sentinel value at the end
*/
int nameFilter(const struct dirent *entry){
const char ** filter;
for (filter = filter_names; *filter; ++filter) {
if(strstr(entry->d_name,*filter) != NULL)
return 1;
}
/* chqrlie correction */
return 0;
}
我正在尝试按子字符串过滤 scandir
。我的函数可以正常工作,但只能使用预定的字符串。
int nameFilter(const struct dirent *entry) {
if (strstr(entry->d_name, "example") != NULL)
return 1;
return 0;
}
但是我找不到过滤 argv[i]
的方法,因为我无法声明它。
int (*filter)(const struct dirent *)
你们知道解决办法吗?
您可能必须使用全局变量,如果在线程环境中或从信号处理程序中使用,则所有错误 side-effects:
static const char *global_filter_name;
int nameFilter(const struct dirent *entry) {
return strstr(entry->d_name, global_filter_name) != NULL;
}
并在调用 scandir
之前设置 global_filter_name
。
您的函数没有递归风险,因此:
您可以使用 static-storage-duration 或 thread-storage-duration 对象作为附加上下文:
/* At file scope */
static const char ** filter_names;
/* ... */
/*
* Prior to being invoked, populate filter_names
* with a pointer into an array of pointers to strings,
* with a null pointer sentinel value at the end
*/
int nameFilter(const struct dirent *entry){
const char ** filter;
for (filter = filter_names; *filter; ++filter) {
if(strstr(entry->d_name,*filter) != NULL)
return 1;
}
/* chqrlie correction */
return 0;
}