Wywołaj metodę statyczną z odbiciem


111

Mam kilka klas statycznych w przestrzeni nazw, mySolution.Macrostakich jak

static class Indent{    
     public static void Run(){
         // implementation
     }
     // other helper methods
}

Więc moje pytanie brzmi: jak będzie można nazwać te metody za pomocą refleksji?

Jeśli metody NIE mają być statyczne, mógłbym zrobić coś takiego:

var macroClasses = Assembly.GetExecutingAssembly().GetTypes().Where( x => x.Namespace.ToUpper().Contains("MACRO") );

foreach (var tempClass in macroClasses)
{
   var curInsance = Activator.CreateInstance(tempClass);
   // I know have an instance of a macro and will be able to run it

   // using reflection I will be able to run the method as:
   curInsance.GetType().GetMethod("Run").Invoke(curInsance, null);
}

Chciałbym, aby moje zajęcia były statyczne. Jak będę mógł zrobić coś podobnego za pomocą metod statycznych?

Krótko mówiąc, chciałbym wywołać wszystkie metody Run ze wszystkich klas statycznych w przestrzeni nazw mySolution.Macros.

Odpowiedzi:


150

Zgodnie z dokumentacją MethodInfo.Invoke , pierwszy argument jest ignorowany dla metod statycznych, więc możesz po prostu przekazać null.

foreach (var tempClass in macroClasses)
{
   // using reflection I will be able to run the method as:
   tempClass.GetMethod("Run").Invoke(null, null);
}

Jak wskazuje komentarz, możesz chcieć upewnić się, że metoda jest statyczna podczas wywoływania GetMethod:

tempClass.GetMethod("Run", BindingFlags.Public | BindingFlags.Static).Invoke(null, null);

4
możesz chcieć przekazać jakieś flagi wiążące do GetMethod.
Daniel A. White,

2
Bez BindingFlags.Staticciebie może się nie udać dostać metody na pierwszym miejscu ...
ErikE

1
Możesz chcieć dodać BindingFlags.FlattenHierarchy, jeśli metoda znajduje się w klasie nadrzędnej.
J. Ouwehand

20

Naprawdę, naprawdę, naprawdę można bardzo dużo zoptymalizować swój kod, płacąc cenę za utworzenie delegata tylko raz (nie ma również potrzeby tworzenia instancji klasy w celu wywołania metody statycznej). Zrobiłem coś bardzo podobnego i po prostu buforowałem delegata do metody „Run” przy pomocy klasy pomocniczej :-). To wygląda tak:

static class Indent{    
     public static void Run(){
         // implementation
     }
     // other helper methods
}

static class MacroRunner {

    static MacroRunner() {
        BuildMacroRunnerList();
    }

    static void BuildMacroRunnerList() {
        macroRunners = System.Reflection.Assembly.GetExecutingAssembly()
            .GetTypes()
            .Where(x => x.Namespace.ToUpper().Contains("MACRO"))
            .Select(t => (Action)Delegate.CreateDelegate(
                typeof(Action), 
                null, 
                t.GetMethod("Run", System.Reflection.BindingFlags.Static | System.Reflection.BindingFlags.Public)))
            .ToList();
    }

    static List<Action> macroRunners;

    public static void Run() {
        foreach(var run in macroRunners)
            run();
    }
}

W ten sposób jest DUŻO szybszy.

Jeśli Twoja sygnatura metody różni się od Action, możesz zamienić rzutowania typu i typeof z Action na dowolny z wymaganych typów generycznych Action i Func lub zadeklarować delegata i użyć go. Moja własna implementacja używa Func do ładnego drukowania obiektów:

static class PrettyPrinter {

    static PrettyPrinter() {
        BuildPrettyPrinterList();
    }

    static void BuildPrettyPrinterList() {
        printers = System.Reflection.Assembly.GetExecutingAssembly()
            .GetTypes()
            .Where(x => x.Name.EndsWith("PrettyPrinter"))
            .Select(t => (Func<object, string>)Delegate.CreateDelegate(
                typeof(Func<object, string>), 
                null, 
                t.GetMethod("Print", System.Reflection.BindingFlags.Static | System.Reflection.BindingFlags.Public)))
            .ToList();
    }

    static List<Func<object, string>> printers;

    public static void Print(object obj) {
        foreach(var printer in printers)
            print(obj);
    }
}

0

Wolę prostotę ...

private void _InvokeNamespaceClassesStaticMethod(string namespaceName, string methodName, params object[] parameters) {
    foreach(var _a in AppDomain.CurrentDomain.GetAssemblies()) {
        foreach(var _t in _a.GetTypes()) {
            try {
                if((_t.Namespace == namespaceName) && _t.IsClass) _t.GetMethod(methodName, (BindingFlags.Static | BindingFlags.Public))?.Invoke(null, parameters);
            } catch { }
        }
    }
}

Stosowanie...

    _InvokeNamespaceClassesStaticMethod("mySolution.Macros", "Run");

Ale jeśli szukasz czegoś bardziej niezawodnego, w tym obsługi wyjątków ...

private InvokeNamespaceClassStaticMethodResult[] _InvokeNamespaceClassStaticMethod(string namespaceName, string methodName, bool throwExceptions, params object[] parameters) {
    var results = new List<InvokeNamespaceClassStaticMethodResult>();
    foreach(var _a in AppDomain.CurrentDomain.GetAssemblies()) {
        foreach(var _t in _a.GetTypes()) {
            if((_t.Namespace == namespaceName) && _t.IsClass) {
                var method_t = _t.GetMethod(methodName, parameters.Select(_ => _.GetType()).ToArray());
                if((method_t != null) && method_t.IsPublic && method_t.IsStatic) {
                    var details_t = new InvokeNamespaceClassStaticMethodResult();
                    details_t.Namespace = _t.Namespace;
                    details_t.Class = _t.Name;
                    details_t.Method = method_t.Name;
                    try {
                        if(method_t.ReturnType == typeof(void)) {
                            method_t.Invoke(null, parameters);
                            details_t.Void = true;
                        } else {
                            details_t.Return = method_t.Invoke(null, parameters);
                        }
                    } catch(Exception ex) {
                        if(throwExceptions) {
                            throw;
                        } else {
                            details_t.Exception = ex;
                        }
                    }
                    results.Add(details_t);
                }
            }
        }
    }
    return results.ToArray();
}

private class InvokeNamespaceClassStaticMethodResult {
    public string Namespace;
    public string Class;
    public string Method;
    public object Return;
    public bool Void;
    public Exception Exception;
}

Użycie jest prawie takie samo ...

_InvokeNamespaceClassesStaticMethod("mySolution.Macros", "Run", false);

2
połknięcie każdego możliwego wyjątku jest zwykle złym pomysłem.
D Stanley,

Prawdziwe. To było leniwe, ale proste. Poprawiłem swoją odpowiedź.
dynamichael
Korzystając z naszej strony potwierdzasz, że przeczytałeś(-aś) i rozumiesz nasze zasady używania plików cookie i zasady ochrony prywatności.
Licensed under cc by-sa 3.0 with attribution required.