我试图编写一个expression式,当列出目录的内容时会过滤出几种types的目录和文件。 也就是说,我想避免列出当前目录(。),上层目录(..),隐藏文件和其他更具体的目录。
这是我现在所拥有的:
[\\.+]|cgi-bin|recycle_bin
但是,它不匹配.
, ..
,recycle_bin和cgi-bin
。 如果我删除所有的|
操作数并将expression式仅保留为[\\.+]
,它可以工作(匹配.
, ..
等)。 这很奇怪,因为我很确定|
= OR。 我想念什么?
更新1:这是我使用的代码:
regex_t regex; int reti; char msgbuf[100]; /* Compile regular expression */ reti = regcomp(®ex, "[\\.+]|cgi-bin|recycle_bin", 0); if( reti ) { fprintf(stderr, "Could not compile regex\n"); exit(1); } reti = regexec(®ex, 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, ®ex, msgbuf, sizeof(msgbuf)); fprintf(stderr, "Regex match failed: %s\n", msgbuf); }
使用“扩展RE” 。 定期(“过时”) , |
是一个普通的人物。
regcomp(..., REG_EXTENDED);
另请参阅regcomp()
说明 。
让pmg的评论,并尝试这个正则表达式:
^([.]{0,2}|cgi-bin|recycle_bin)$
它匹配[.]{0,2}
.
和..
这不是什么C正则表达式库。 它的目的是让你建立接受regexen作为输入的程序。 这个问题没有正则表达式解决得更好:
#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: