Das Umschalten von Typen ist in C# definitiv nicht vorhanden ( UPDATE: in C#7 / VS 2017 wird das Einschalten von Typen unterstützt - siehe die Antwort von Zachary Yates ). Um dies ohne eine große if/else-Anweisung zu erreichen, müssen Sie mit einer anderen Struktur arbeiten. Vor einiger Zeit habe ich in einem Blogbeitrag beschrieben, wie man eine TypeSwitch-Struktur aufbaut.
https://docs.microsoft.com/archive/blogs/jaredpar/switching-on-types
Kurzfassung: TypeSwitch wurde entwickelt, um redundantes Casting zu verhindern und eine Syntax zu bieten, die einer normalen switch/case-Anweisung ähnlich ist. Hier ein Beispiel für TypeSwitch in Aktion bei einem Standard-Windows-Formularereignis
TypeSwitch.Do(
sender,
TypeSwitch.Case<Button>(() => textBox1.Text = "Hit a Button"),
TypeSwitch.Case<CheckBox>(x => textBox1.Text = "Checkbox is " + x.Checked),
TypeSwitch.Default(() => textBox1.Text = "Not sure what is hovered over"));
Der Code für TypeSwitch ist eigentlich ziemlich klein und kann leicht in Ihr Projekt eingefügt werden.
static class TypeSwitch {
public class CaseInfo {
public bool IsDefault { get; set; }
public Type Target { get; set; }
public Action<object> Action { get; set; }
}
public static void Do(object source, params CaseInfo[] cases) {
var type = source.GetType();
foreach (var entry in cases) {
if (entry.IsDefault || entry.Target.IsAssignableFrom(type)) {
entry.Action(source);
break;
}
}
}
public static CaseInfo Case<T>(Action action) {
return new CaseInfo() {
Action = x => action(),
Target = typeof(T)
};
}
public static CaseInfo Case<T>(Action<T> action) {
return new CaseInfo() {
Action = (x) => action((T)x),
Target = typeof(T)
};
}
public static CaseInfo Default(Action action) {
return new CaseInfo() {
Action = x => action(),
IsDefault = true
};
}
}