Вот два решения C #, одно из них в основном то же самое, но более аккуратное и хорошо, когда у вас небольшое количество дочерних классов.
public class Parent
{
}
public class Child1 : Parent
{
}
public class Child2 : Parent
{
}
public class Action
{
private static Dictionary<Type, Action<Parent>> _d = new Dictionary<Type, Action<Parent>>()
{
{typeof(Child1), p=>action((Child1)p)},
{typeof(Child2), p=>action((Child2)p)},
{typeof(Parent), p=>action(p)}
};
public static void perform(Parent p)
{
_d[p.GetType()](p);
}
private static void action(Parent p)
{
}
private static void action(Child1 c1)
{
}
private static void action(Child2 c2)
{
}
}
class Program
{
static void Main(string[] args)
{
Parent p = new Child1();
Action.perform(p);
}
}`enter code here`
В любом случае, это нарушает OCP, но быстрее, чем использование отражения.Этот не нарушает OCP, но использует отражение для заполнения словаря:
public class Action
{
private static Dictionary<Type, Action<Parent>> _d;
static Action()
{
Initialize();
}
private static void Initialize()
{
var methods = typeof(Action)
.GetMethods(BindingFlags.Static | BindingFlags.Public | BindingFlags.NonPublic)
.Where(IsActionMethod)
.ToList();
_d = methods.ToDictionary(m => m.GetParameters().First().ParameterType,
m => (Action<Parent>) (x => m.Invoke(null, new[] {x})));
}
private static bool IsActionMethod(MethodInfo methodInfo)
{
var parameters = methodInfo.GetParameters();
return parameters.Length == 1
&& typeof(Parent).IsAssignableFrom(parameters.First().ParameterType)
&& methodInfo.ReturnType == typeof(void);
}
public static void perform(Parent p)
{
_d[p.GetType()](p);
}
private static void action(Parent p)
{
}
private static void action(Child1 c1)
{
}
private static void action(Child2 c2)
{
}
}