1

我有一个 IEnumerable<DirectoryInfo> ,我想使用正则表达式数组对其进行过滤以查找潜在匹配项。我一直在尝试使用 linq 加入我的目录和正则表达式字符串,但似乎无法正确处理。这就是我想要做的......

string[] regexStrings = ... // some regex match code here.

// get all of the directories below some root that match my initial criteria.
var directories = from d in root.GetDirectories("*", SearchOption.AllDirectories)
                  where (d.Attributes & (FileAttributes.System | FileAttributes.Hidden)) == 0
                        && (d.GetDirectories().Where(dd => (dd.Attributes & (FileAttributes.System | FileAttributes.Hidden)) == 0).Count() > 0// has directories
                            || d.GetFiles().Where(ff => (ff.Attributes & (FileAttributes.Hidden | FileAttributes.System)) == 0).Count() > 0) // has files)
                  select d;

// filter the list of all directories based on the strings in the regex array
var filteredDirs = from d in directories
                   join s in regexStrings on Regex.IsMatch(d.FullName, s)  // compiler doesn't like this line
                   select d;

...关于如何让它发挥作用的任何建议?

4

3 回答 3

4

如果您只想要与所有正则表达式匹配的目录。

var result = directories
    .Where(d => regexStrings.All(s => Regex.IsMatch(d.FullName, s)));

如果您只想要匹配至少一个正则表达式的目录。

var result = directories
    .Where(d => regexStrings.Any(s => Regex.IsMatch(d.FullName, s)));
于 2009-07-08T18:39:08.017 回答
2

我不认为你所采取的方法正是你想要的。这将根据所有正则表达式字符串检查名称,而不是在第一次匹配时短路。此外,如果一个匹配多个模式,它会复制目录。

我想你想要这样的东西:

string[] regexStrings = ... // some regex match code here.

// get all of the directories below some root that match my initial criteria.
var directories = from d in root.GetDirectories("*", SearchOption.AllDirectories)
                  where (d.Attributes & (FileAttributes.System | FileAttributes.Hidden)) == 0
                        && (d.GetDirectories().Where(dd => (dd.Attributes & (FileAttributes.System | FileAttributes.Hidden)) == 0).Count() > 0// has directories
                            || d.GetFiles().Where(ff => (ff.Attributes & (FileAttributes.Hidden | FileAttributes.System)) == 0).Count() > 0) // has files)
                  select d;

// filter the list of all directories based on the strings in the regex array
var filteredDirs = directories.Where(d =>
    {
        foreach (string pattern in regexStrings)
        {
            if (System.Text.RegularExpressions.Regex.IsMatch(d.FullName, pattern))
            {
                return true;
            }
        }

        return false;
    });
于 2009-07-08T18:19:04.843 回答
0

您在连接前缺少 Where 关键字

于 2009-07-08T18:14:56.160 回答