最近、WindowsFormsのコントロールの背景色やフォントが設定されているかを取得する必要があったので、Controlについて調べてみました。
なお、背景色やフォントは親コントロールから継承されるので、普通にBackColorプロパティやFontプロパティでは設定されているかを調べられません。
以下のサイトでControlのソースコードを調べました。
Reference Source
結果、internalなRawBackColorプロパティとIsFontSetメソッドをリフレクションで実行すれば取得できそうです。
実装は以下のようになります。
public static class ControlExtension {
private static Func RawBackColorDelegate { get; }
private static Func IsFontSetDelegate { get; }
static ControlExtension() {
RawBackColorDelegate = typeof(Control).CreateGetPropertyDelegate<Func>("RawBackColor", BindingFlags.Instance | BindingFlags.NonPublic | BindingFlags.InvokeMethod);
IsFontSetDelegate = typeof(Control).CreateMethodDelegate<Func>("IsFontSet", BindingFlags.Instance | BindingFlags.NonPublic | BindingFlags.InvokeMethod);
}
public static Color RawBackColor(this Control ctl) {
return RawBackColorDelegate(ctl);
}
public static bool IsFontSet(this Control ctl) {
return IsFontSetDelegate(ctl);
}
}
public static class TypeExtension {
public static TDelegate CreateGetPropertyDelegate<TDelegate>(this Type type, string name, BindingFlags flags) {
var property = type.GetProperty(name, flags);
var info = property.GetGetMethod(flags.HasFlag(BindingFlags.NonPublic));
return (TDelegate)(object)Delegate.CreateDelegate(typeof(TDelegate), info);
}
public static TDelegate CreateMethodDelegate<TDelegate>(this Type type, string name, BindingFlags flags) {
var info = type.GetMethod(name, flags);
return (TDelegate)(object)Delegate.CreateDelegate(typeof(TDelegate), info);
}
}
Controlの拡張メソッドにしましたので、全てのコントロールで使用可能です。
毎回リフレクションは遅いので、staticコンストラクタであらかじめデリゲートを作成しています。
ついでに、Delegate.CreateDelegateメソッドをラップする拡張メソッドも作成しました。