我有一组方法,我想找出任何包含Func<(,,,)>
参数的方法(最好是通过反射)。
通过使用[IsFuncAttribute]标记此类参数就足够简单了,但是如果可能的话,我想避免这种方法。
例如,如果我有以下方法,如何可靠地确定第三个参数为Func<,>
?
public T MyMethod<T>(T param1, bool param2, Func<t,bool> param3)
{
// do something
}
或者,将第三个参数标识为具有非void返回类型的委托也将同样有用。
答案 0 :(得分:1)
MethodInfo methodInfo = ...;
ParameterInfo[] parameters = methodInfo.GetParameters();
bool thirdParameterIsFunc =
parameters.Length >= 3 &&
parameters[2].ParameterType.IsGenericType &&
parameters[2].ParameterType.GetGenericTypeDefinition() == typeof(Func<,>));
这是专门针对Func<,>
的。如果要匹配具有任何数量参数的任何类型的Func,则需要typeof(Func<>)
,typeof(Func<,>)
,typeof(Func<,,>)
等的列表,或者您需要匹配类型的全名。
答案 1 :(得分:0)
如果您需要将 Func 与任意数量的参数匹配,作为针对每个 Func 版本(其中有 17 个)进行显式测试的替代方法,您可以使用类似此扩展方法的方法(请注意,此特定示例是特定于 .NET Core/.Net 5.0):
public static bool IsAnyFunc(this Type type)
{
int typeParameterCount = type.GenericTypeArguments.Length;
if (typeParameterCount == 0)
{
return false;
}
Type funcType = typeof(Func<>)
.Assembly
.GetTypes()
.FirstOrDefault(t =>
t.Name.StartsWith("Func`")
&& t.GetTypeInfo().GenericTypeParameters.Length == typeParameterCount);
return funcType == null ? false : type.GetGenericTypeDefinition() == funcType;
}
编辑:
虽然,如果您要经常进行此检查,则上述方法的性能可能不够高。在这种情况下,您可能希望明确列出每个可能的 Func。但是,如果您按参数计数对它们进行索引,则您实际上并不需要全部检查它们:
private static readonly List<Type> FuncTypes = new()
{
typeof(Func<>),
typeof(Func<,>),
typeof(Func<,,>),
typeof(Func<,,,>),
typeof(Func<,,,,>),
typeof(Func<,,,,,>),
typeof(Func<,,,,,,>),
typeof(Func<,,,,,,,>),
typeof(Func<,,,,,,,,>),
typeof(Func<,,,,,,,,,>),
typeof(Func<,,,,,,,,,,>),
typeof(Func<,,,,,,,,,,,>),
typeof(Func<,,,,,,,,,,,,>),
typeof(Func<,,,,,,,,,,,,,>),
typeof(Func<,,,,,,,,,,,,,,>),
typeof(Func<,,,,,,,,,,,,,,,>),
typeof(Func<,,,,,,,,,,,,,,,,>)
};
public static bool IsAnyFunc(this Type type)
{
int typeParameterCount = type.GenericTypeArguments.Length;
if (typeParameterCount < 1 || typeParameterCount > FuncTypes.Count)
{
return false;
}
return type.GetGenericTypeDefinition() == FuncTypes[typeParameterCount - 1];
}