Я работаю над библиотекой, которая включает в себя получение методов заданного типа. Я использовал Type.GetMethods
, но я заметил проблему. Предположим, что метод в данном типе использует ConditionalAttribute
, а значение для этого условия ложно. GetMethods по-прежнему будет включать этот метод, но я хотел бы проигнорировать его.Получить значение ConditionalAttribute во время выполнения с помощью отражения
Вот простой пример того, что я пытаюсь. Эта программа запускается в режиме отладки, поэтому я хочу найти способ, в котором вызывается только foo() и fooDebug(), а fooBar() игнорируется.
using System;
using System.Diagnostics;
using System.Reflection;
namespace ConsoleApplication
{
class ClassA
{
public static void foo()
{
Console.WriteLine("foo");
}
[Conditional("DEBUG")]
public static void fooDebug()
{
Console.WriteLine("fooDebug");
}
[Conditional("BAR")]
public static void fooBar()
{
Console.WriteLine("fooBar");
}
}
class Program
{
//In this example, I want to find a way where only foo() and fooDebug() are called and fooBar() is ignored, when reflected.
static void Main(string[] args)
{
//Call methods directly.
//Methods are called/ignored as expected.
ClassA.foo();//not ignored
ClassA.fooDebug();//not ignored
ClassA.fooBar();//ignored
//Call methods with reflection
MethodInfo[] methods = typeof(ClassA).GetMethods(BindingFlags.Static | BindingFlags.Public);
foreach (MethodInfo method in methods)
{
//All methods are called, regardless of the ConditionalAttribute.
method.Invoke(null, null);
//I figured there would be some workaround like this:
ConditionalAttribute conditional =
Attribute.GetCustomAttribute(method, typeof(ConditionalAttribute)) as ConditionalAttribute;
if (conditional == null)
{
//The method calls if it has no ConditionalAttribute
method.Invoke(null, null);
}
else
{
//I can get the string of the condition; but I have no idea how, at runtime, to check if it's defined.
string conditionString = conditional.ConditionString;
//I also cannnot do a hardcoded (conditionString == "BAR") because the library would not know about BAR
bool conditionIsTrue = true;
//conditionIsTrue = ??
//If the method has a ConditionalAttribute, only call it if the condition is true
if (conditionIsTrue)
{
method.Invoke(null, null);
}
}
}
}
}
}
В конечном счете, я хотел бы знать, какие методы не включают ложные условные атрибуты.
EDIT
Эта идея для библиотеки, что другие будут использовать, так предположить, что ClassA является типом, который они определяют и передают в моей библиотеке.
Вы можете получить тело метода с помощью отражения и проверить, если он пуст. –
@TobiasBrandt: ложный условный атрибут не делает метод пустым. Метод полностью скомпилирован, но прямые вызовы к нему игнорируются. – Rubixus
Игнорируется в каком смысле? У методов есть какой-то маркер, чтобы сообщить исполняемой программе не выполнять их? –