我有一个基本接口和几个继承的接口。基本接口有扩展方法,用于修改对象并返回基类的新实例(IChildA.Touch() => IBase
,IBase.Touch() => IBase
)。
对于一个继承路径(IChildB
和后代),我想实现返回与调用对象(IGrandChildB.Touch() => IGrandChild
)类型相同的对象的扩展方法。为此,我想指定一个受限于IChildB
后代的通用扩展方法。
到目前为止这是有效的,但现在编译器无法解析来自IChildA
的调用。它尝试使用IChildB
路径的扩展方法,而不是使用IBase
接口的扩展方法。有没有一种优雅的方法来解决这个问题?
public interface IBase {}
public interface IChildA : IBase {}
public interface IChildB : IBase {}
public static class BaseExtensions
{
public static IBase Touch(this IBase self) { return self; }
public static T Touch<T>(this T self) where T : IChildB { return self; }
}
public static class TestClass
{
public static void Test()
{
IChildA a = null;
IBase firstTry = a.Touch(); //Cannot resolve to BaseExtensions.DoSomething(this IBase obj)
IBase secondTry = ((IBase)a).Touch(); //Resolves to BaseExtensions.DoSomething(this IBase obj)
IChildB b = null;
IChildB touchedB = b.Touch();
}
}
答案 0 :(得分:1)
我不知道你的具体用例,但是如果删除非泛型方法并将泛型方法约束为IBase,该示例仍将编译。
public interface IBase {}
public interface IChildA : IBase {}
public interface IChildB : IBase {}
public static class BaseExtensions
{
public static T Touch<T>(this T self) where T : IBase { return self; }
}
public static class TestClass
{
public static void Test()
{
IChildA a = null;
IBase firstTry = a.Touch();
IChildB b = null;
IChildB touchedB = b.Touch();
}
}