在 c# 中断言属性应用于方法的最短方法是什么?
我正在使用 nunit-2.5
:)
MethodInfo mi = typeof(MyType).GetMethod("methodname");
Assert.IsFalse (Attribute.IsDefined (mi, typeof(MyAttributeClass)));
我不确定 nunit 使用的断言方法,但您可以简单地将这个布尔表达式用于传递给它的参数(假设您能够使用 LINQ:
methodInfo.GetCustomAttributes(attributeType, true).Any()
如果应用了该属性,那么它将返回 true。
如果您想制作通用版本(而不是使用 typeof),您可以使用通用方法为您执行此操作:
static bool IsAttributeAppliedToMethodInfo<T>(this MethodInfo methodInfo)
where T : Attribute
{
// If the attribute exists, then return true.
return methodInfo.GetCustomAttributes(typeof(T), true).Any();
}
然后在您的断言方法中调用它,如下所示:
<assert method>(methodInfo.IsAttributeAppliedToMethodInfo<MyAttribute>());
要使用表达式执行此操作,您可以首先定义以下扩展方法:
public static MethodInfo
AssertAttributeAppliedToMethod<TExpression, TAttribute>
(this Expression<T> expression) where TAttribute : Attribute
{
// Get the method info in the expression of T.
MethodInfo mi = (expression.Body as MethodCallExpression).Method;
Assert.That(mi, Has.Attribute(typeof(TAttribute)));
}
然后用这样的代码调用它:
(() => Console.WriteLine("Hello nurse")).
AssertAttributeAppliedToMethod<MyAttribute>();
请注意,传递给该方法的参数是什么并不重要,因为该方法永远不会被调用,它只需要表达式。
nunit 2.5 的替代方案:
var methodInfo = typeof(MyType).GetMethod("myMethod");
Assert.That(methodInfo, Has.Attribute(typeof(MyAttribute)));