我想使用Jon Skeet的SmartEnumerable来循环Regex.Matches
,但它不起作用。
foreach (var entry in Regex.Matches("one :two", @"(?<!\w):(\w+)").AsSmartEnumerable())
有人可以解释一下为什么吗?并提出一个解决方案,使其工作。感谢。
错误是:
'System.Text.RegularExpressions.MatchCollection' does not contain a definition
for 'AsSmartEnumerable' and no extension method 'AsSmartEnumerable' accepting
a first argument of type 'System.Text.RegularExpressions.MatchCollection' could
be found (are you missing a using directive or an assembly reference?)
答案 0 :(得分:7)
编辑:我想您忘了在示例代码中插入.AsSmartEnumerable()
调用。 无法编译的原因是因为extension-method仅适用于IEnumerable<T>
,而不适用于非通用IEnumerable
接口。
并不是说你不能用这种方式枚举比赛;只是entry
的类型将被推断为object
,因为MatchCollection
类没有实现通用IEnumerable<T>
接口,只有IEnumerable
接口。< / p>
如果您想坚持使用隐式类型,则必须生成IEnumerable<T>
以帮助编译器输出:
foreach (var entry in Regex.Matches("one :two", @"(?<!\w):(\w+)").Cast<Match>())
{
...
}
或者,使用显式输入的更好方法(编译器为你插入一个强制转换):
foreach (Match entry in Regex.Matches("one :two", @"(?<!\w):(\w+)"))
{
...
}
生成智能可枚举的最简单方法是使用提供的扩展方法:
var smartEnumerable = Regex.Matches("one :two", @"(?<!\w):(\w+)")
.Cast<Match>()
.AsSmartEnumerable();
foreach(var smartEntry in smartEnumerable)
{
...
}
这将需要源文件中的using MiscUtil.Collections.Extensions;
指令。