将非泛型集合转换为泛型集合的最佳方法是什么?

时间:2010-02-17 07:05:38

标签: c# generics linq-to-objects

我最近一直在教自己LINQ并将它应用于各种小谜题。但是,我遇到的一个问题是LINQ-to-objects只适用于泛型集合。是否有将非泛型集合转换为泛型集合的秘密技巧/最佳实践?

我当前的实现将非泛型集合复制到一个数组然后对其进行操作,但我想知道是否有更好的方法?

public static int maxSequence(string str)
{
    MatchCollection matches = Regex.Matches(str, "H+|T+");
    Match[] matchArr = new Match[matches.Count];
    matches.CopyTo(matchArr, 0);
    return matchArr
        .Select(match => match.Value.Length)
        .OrderByDescending(len => len)
        .First();
}

3 个答案:

答案 0 :(得分:10)

最简单的方法通常是Cast扩展方法:

IEnumerable<Match> strongMatches = matches.Cast<Match>();

请注意,这是延迟并对其数据进行流式处理,因此您没有这样的完整“集合” - 但它是LINQ查询的完美数据源。

如果在查询表达式中为范围变量指定类型,则会自动调用

Cast

所以要完全转换你的查询:

public static int MaxSequence(string str)
{      
    return (from Match match in Regex.Matches(str, "H+|T+")
            select match.Value.Length into matchLength
            orderby matchLength descending
            select matchLength).First();
}

public static int MaxSequence(string str)
{      
    MatchCollection matches = Regex.Matches(str, "H+|T+");
    return matches.Cast<Match>()
                  .Select(match => match.Value.Length)
                  .OrderByDescending(len => len)
                  .First();
}

实际上,您无需在此处拨打OrderByDescending然后再调用First - 您只需要Max方法获取的最大值。更好的是,它允许您指定从源元素类型到您尝试查找的值的投影,因此您也可以不使用Select

public static int MaxSequence(string str)
{      
    MatchCollection matches = Regex.Matches(str, "H+|T+");
    return matches.Cast<Match>()
                  .Max(match => match.Value.Length);
}

如果您的集合中包含某些元素,而某些元素可能不是,则可以使用OfType代替。 Cast遇到“错误”类型的项时会抛出异常; OfType只是跳过它。

答案 1 :(得分:1)

您可以在IEnumerable上使用CastOfType进行转换。如果元素无法转换为声明的类型,Cast将抛出非法转换,而OfType将跳过任何无法转换的元素。

答案 2 :(得分:0)

matches.Cast<Match>();