有没有一种好的,通用的方法可以在不使用第二种方法或大量演员的情况下执行以下操作 - 我希望尽可能保持API的亮度,对我来说似乎没问题:
class Foo
{
public T Bar<T>() where T: IAlpha
{
/* blahblahblah */
}
public T Bar<T>() where T: IBeta
{
/* blahblahblah */
}
}
interface IAlpha
{
string x {set;}
}
interface IBeta
{
string y {set;}
}
感谢
答案 0 :(得分:7)
您不能仅通过返回值(通用或非通用)重载方法。此外,无法解析对Bar
的调用,因为对象可以同时实现IAlpha
和IBeta
,因此使用重载是不可能的。
public class AlphaBeta : IAlpha, IBeta
{
string x {set;}
string y {set;}
}
// too ambiguous
AlphaBeta parkingLot = myFoo.Bar<AlphaBeta>();
以下也不起作用,因为方法仅因返回类型
而不同class Gar
{
public string Foo()
{
return "";
}
public int Foo()
{
return 0;
}
}
不幸的是,您最好的解决方案是使用不太通用的解决方案。命令模式可能在这里很好用。
public class Foo
{
private readonly static Dictionary<Type, Command> factories =
new Dictionary<Type, Command>();
static Foo()
{
factories.Add(typeof(IAlpha), new AlphaCreationCommand());
factories.Add(typeof(IBeta), new BetaCreationCommand());
}
public T Bar<T>()
{
if (factories.ContainsKey(typeof(T)))
{
return (T) factories[typeof(T)].Execute();
}
throw new TypeNotSupportedException(typeof(T));
}
}
// use it like this
IAlpha alphaInstance = myFoo.Bar<IAlpha>();
IBeta betaInstance = myFoo.Bar<IBeta>();
实现Bar的另一种方法是允许你在没有明确声明类型(在斜角括号中)的情况下调用它,就是使用out参数。但是,我会避免这种情况,因为100%的输出参数通常会导致糟糕的设计。
public void Bar<T>(out T returnValue)
{
if (factories.ContainsKey(typeof(T)))
{
returnValue = (T) factories[typeof(T)].Execute();
return;
}
throw new TypeNotSupportedException(typeof(T));
}
// call it like this
// T is inferred from the parameter type
IAlpha alphaInstance;
IBeta betaInstance;
myFoo.Bar(out alphaInstance);
myFoo.Bar(out betaInstance);
我排除了Command
,AlphaCreationCommand
,BetaCreationCommand
和TypeNotSupportedException
。它们的实现应该是相当自我解释的。
或者,您可以使用Func而不是Commands,但这会强制您在Foo
中实现所有实例化代码,这些代码随着代码库的增长而失控。
答案 1 :(得分:1)
这个怎么样?
class Foo
{
public void Bar<T>(Action<T> @return) where T: IAlpha
{
@return(new AlphaImpl());
}
public void Bar<T>(Action<T> @return) where T: IBeta
{
@return(new BetaImpl());
}
}
interface IAlpha
{
string x {set;}
}
interface IBeta
{
string y {set;}
}