在Microsoft测试资源管理器中创建具有相同工作项id的测试方法的播放列表
本文关键字:工作 id 测试方法 播放列表 测试 Microsoft 资源管理器 创建 | 更新日期: 2023-09-27 18:07:22
我在Microsoft测试管理器中有一个测试套件。每个测试都映射到特定的WorkItem ID。我想运行所有测试具有相同的工作项id一起作为播放列表。以下是示例测试的示例。
[TestMethod]
[TestCategory("Cat A")]
[Priority(1)]
[WorkItem(5555)]
public void SampleTest()
{
Do some thing
}
我尝试了,但无法按工作项id制作播放列表。请建议是否可以这样做。
你必须使用反射。
获取类的类型,获取类的方法,然后搜索具有正确属性的方法。
MethodInfo[] methods = yourClassInstance.GetType()
.GetMethods()).Where(m =>
{
var attr = m.GetCustomAttributes(typeof(WorkItem), false);
return attr.Length > 0 && ((WorkItem)attr[0]).Value == 5555;
})
.ToArray();
请注意,如果您愿意,您可以检查多个属性。
然后,您只需要使用父类的一个实例作为启动这些方法的目标。
foreach (var method in methods)
{
method.Invoke(yourClassInstance, null);
}
如果您的方法有参数,将null
替换为包含参数的object[]
。
这里有一个完整的工作示例供您尝试:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Reflection;
namespace ConsoleApplication7
{
public class MyAttribute : Attribute
{
public MyAttribute(int val)
{
Value = val;
}
public int Value { get; set; }
}
class Test
{
[MyAttribute(1)]
public void Method1()
{
Console.WriteLine("1!");
}
[MyAttribute(2)]
public void Method2()
{
Console.WriteLine("2!");
}
[MyAttribute(3)]
public void Method3()
{
Console.WriteLine("3!");
}
[MyAttribute(1)]
public void Method4()
{
Console.WriteLine("4!");
}
}
class Program
{
static void Main(string[] args)
{
var test = new Test();
var types = Assembly.GetAssembly(test.GetType()).GetTypes();
MethodInfo[] methods = test.GetType().GetMethods()
.Where(m =>
{
var attr = m.GetCustomAttributes(typeof(MyAttribute), false);
return attr.Length > 0 && ((MyAttribute)attr[0]).Value == 1;
})
.ToArray();
foreach (var method in methods)
{
method.Invoke(test, null);
}
}
}
}