1

我正在尝试编写一个表达式,在列出目录的内容时会过滤掉几种类型的目录和文件。即,我想避免列出当前目录(.)、上层目录(..)、隐藏文件和其他更具体的目录。

这就是我现在所拥有的:

[\\.+]|cgi-bin|recycle_bin

但是,它不匹配., .., recycle_bin 也不cgi-bin. 如果我删除所有|操作数并将表达式保留为 only [\\.+],则它可以工作(匹配...等)。这很奇怪,因为我很确定|= OR。我错过了什么吗?

更新1:这是我使用的代码:

            regex_t regex;
            int reti;
            char msgbuf[100];

            /* Compile regular expression */
            reti = regcomp(&regex, "[\\.+]|cgi-bin|recycle_bin", 0);


            if( reti )
            { 
                fprintf(stderr, "Could not compile regex\n");
                exit(1);
            }

            reti = regexec(&regex, entry->d_name, 0, NULL, 0);
            if( !reti ){

                printf("directoy %s found -> %s", path, entry->d_name);
                printf("\n");

            }
            else if( reti == REG_NOMATCH ){

                //if the directory is not filtered out, we add it to the watch list
                printf("good dir %s", entry->d_name);                    
                printf("\n");

            }
            else{
                regerror(reti, &regex, msgbuf, sizeof(msgbuf));
                fprintf(stderr, "Regex match failed: %s\n", msgbuf);
            }
4

3 回答 3

3

使用“扩展 REs”。对于常规(“过时”)的, the|是一个普通字符。

regcomp(..., REG_EXTENDED);

另请参阅regcomp()说明

于 2012-05-05T18:34:49.653 回答
0

关注pmg的评论并尝试这个正则表达式:

^([.]{0,2}|cgi-bin|recycle_bin)$

[.]{0,2}它匹配.并且..

于 2012-05-05T18:43:28.043 回答
0

这不是 C 正则表达式库的用途。它的目的是让您构建接受正则表达式作为输入的程序。没有正则表达式可以更好地解决这个问题:

#define SIZE(x) (sizeof (x)/sizeof(*(x)))
char *unwanted[] = {
     ".",
     "cgi-bin",
     "recycle_bin",
};
int x;
for(x=0; x<SIZE(unwanted); x++)
     if(strstr(entry->d_name, unwanted[x])!=NULL)
           goto BadDir;
//good dir
BadDir:

忽略你现在的正则表达式的意思,你可能想要这样的东西:

char *begins[] = {".", "private_"};
char *equals[] = {"recycle_bin", "cgi-bin"};
char *contains[] = {"_reject_"};

for(x=0; x<SIZE(begins); x++)
    if(strncmp(entry->d_name, begins[x], strlen(begins[x]))==0)
          goto BadDir;
for(x=0; x<SIZE(equals); x++)
    if(strcmp(entry->d_name, equals[x])==0)
          goto BadDir;
for(x=0; x<SIZE(contains); x++)
    if(strstr(entry->d_name, contains[x])!=NULL)
          goto BadDir;
//good dir...
BadDir:
于 2012-05-05T19:12:15.923 回答