我最近一直在教自己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();
}
答案 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)
答案 2 :(得分:0)
matches.Cast<Match>();