在实现类型化和非类型化接口的情况下,扩展方法存在歧义
本文关键字:类型化 扩展 方法 存在 歧义 情况下 实现 接口 | 更新日期: 2023-09-27 18:19:35
考虑以下代码:
public static class Extensions {
public static bool isEmpty<T>(this ICollection<T> collection) {
return collection.Count == 0;
}
public static bool isEmpty(this ICollection collection) {
return collection.Count == 0;
}
}
public class A {
IList<string> typedList;
IList rawList;
List<string> list;
public void b() {
bool d = typedList.isEmpty();
bool e = rawList.isEmpty();
}
}
上面的代码没有问题,因为IList
实现ICollection
,IList<T>
实现ICollection<T>
。如果我们删除其中一个扩展方法,b()
中的一行就不会编译。这就是我声明这两个扩展方法的原因。然而,如果我们调用list.isEmpty()
:ambiguous call
,就会出现问题。然而,也就是说,因为List<T>
实现了ICollection
和ICollection<T>
。如何绕过这个问题?当然,我可以添加扩展方法isEmpty(this List<T> list)
,但这自然不会修复同时实现类型化和非类型化接口的任何其他集合(也适用于实现同一接口的类型化和无类型化版本的任何非集合)。
您可以简单地为IEnumerable
添加Extension,它将适用于所有序列。
public static class Extensions
{
public static bool IsEmpty(this IEnumerable collection)
{
return !collection.Cast<object>().Any();
}
}
或
public static class Extensions
{
public static bool IsEmpty(this IEnumerable collection)
{
IEnumerator enumerator = null;
try
{
enumerator = collection.GetEnumerator();
return !enumerator.MoveNext();
}
finally
{
IDisposable disposable = enumerator as IDisposable;
if (disposable != null)
{
disposable.Dispose();
}
}
}
}
您可以使用反射来确定类型并调用正确的方法,但这太过分了。我建议创建一个使用非通用IEnumerable
的扩展方法,并像这样实现它:
public static bool isEmpty(this IEnumerable collection)
{
var enumerator = collection.GetEnumerator();
if(enumerator.MoveNext()) return false;
return true;
}