基于类型的条件逻辑
本文关键字:条件逻辑 类型 于类型 | 更新日期: 2023-09-27 17:47:46
给定:
interface I
{
}
class B: I
{
}
class C: I
{
}
class A
{
public void Method(B arg)
{
}
public void Method(C arg)
{
}
public void Method(I arg)
{
// THIS is the method I want to simplify.
if (I is B)
{
this.Method(arg as B);
}
else if (I is C)
{
this.Method(arg as C);
}
}
}
我知道有更好的方法来设计这种类型的交互,但因为解释这一点需要很长时间的细节是不可能的。由于此模式将重复多次,我想替换有一个通用实现的条件逻辑,我可以只用一行。我看不到实现这个通用方法/类的简单方法,但我的直觉告诉我这应该是可能的。
如有任何帮助,我们将不胜感激。
我会把方法放在接口中,然后让多态性决定调用的方法
interface I
{
void Method();
}
class B : I
{
public void Method() { /* previously A.Method(B) */}
}
class C : I
{
public void Method() { /* previously A.Method(C) */ }
}
class A
{
public void Method(I obj)
{
obj.Method();
}
}
现在,当你需要添加一个新的类时,你只需要实现I.Method。你不需要触摸a.Method.
您想要的是双重调度,尤其是访问者模式。
这有点难看,但它完成了任务:
public void Method(B arg)
{
if (arg == null) return;
...
}
public void Method(C arg)
{
if (arg == null) return;
...
}
public void Method(I arg)
{
this.Method(arg as B);
this.Method(arg as C);
}
不过,我不认为我会这样做。看到这个真的很痛苦。很抱歉,我强迫大家也看这个。
interface I
{
}
class B : I
{
}
class C : I
{
}
class A
{
public void Method(B arg)
{
Console.WriteLine("I'm in B");
}
public void Method(C arg)
{
Console.WriteLine("I'm in C");
}
public void Method(I arg)
{
Type type = arg.GetType();
MethodInfo method = typeof(A).GetMethod("Method", new Type[] { type });
method.Invoke(this, new I[] { arg });
}
}
它在C#中并不以方便的形式存在——请参阅此处,了解基于F#模式匹配的想法,这正是您想要的。您可以使用反射在运行时选择重载,但这将非常缓慢,并且如果有任何东西同时满足这两个重载,则会出现严重问题。如果您有一个返回值,您可以使用条件运算符;
return (I is B) ? Method((B)I) : ((I is C) ? Method((C)I) : 0);
再说一遍——不漂亮。
简单。在Visual Basic中,我一直使用CallByName来执行此操作。
Sub MethodBase(value as Object)
CallByName(Me, "RealMethod", CallType.Method, value)
这将调用RealMethod的重载,该重载与值的运行时类型最匹配。
我相信您可以通过导入Microsoft.VisualBasic.Interaction或使用反射创建自己的版本来使用C#中的CallByName。