8

您可以在下面看到一些在 Window Phone 单元测试应用程序中使用 Mstest 编写的代码。
我有一个名为 TestMethod1 的普通 TestMethod和一个名为TestMethod2的 DataTestMethod ,它具有三个 DataRows:

[TestClass]
public class UnitTest1
{
    [TestInitialize]
    public void Setup()
    {
        Debug.WriteLine("TestInitialize");
    }

    [TestMethod]
    public void TestMethod1()
    {
        Debug.WriteLine("TestMethod1");
    }

    [DataTestMethod]
    [DataRow("a")]
    [DataRow("b")]
    [DataRow("c")]
    public void TestMethod2(string param)
    {
        Debug.WriteLine("TestMethod2 param=" + param);
    }

    [TestCleanup]
    public void TearDown()
    {
        Debug.WriteLine("TestCleanup");
    }
}

如果我在调试模式下运行测试(Visual Studio 中的 Ctrl+R、Ctrl+T),我会在输出面板中看到:

TestInitialize
TestMethod1
TestCleanup
TestInitialize
TestMethod2 param=c
TestMethod2 param=a
TestMethod2 param=b
TestCleanup

如您所见,TestInitialize 只执行了两次:一次在 TestMethod1 之前,一次在 TestMethod2 之前,参数为 c。
TestCleanup 也是如此,它在 TestMethod1 之后执行一次,在最后执行一次。

我希望在每次测试之前和之后执行 TestInitialize 和 TestCleanup,无论它是 TestMethod 还是 DataTestMethod。否则,一个测试的执行会影响下一个测试。

我希望它是这样的:

TestInitialize
TestMethod1
TestCleanup
TestInitialize
TestMethod2 param=c
TestCleanup
TestInitialize
TestMethod2 param=a
TestCleanup
TestInitialize
TestMethod2 param=b
TestCleanup

我没有发现其他人有同样的问题,我做错了什么?

4

1 回答 1

3

我对此有点陌生,但我认为如果你[DataTestMethod][TestMethod]属性标记它,它应该为每个测试方法运行初始化和清理。

[TestMethod]
[DataTestMethod]
[DataRow("a")]
[DataRow("b")]
[DataRow("c")]
public void TestMethod2(string param)
{
    Debug.WriteLine("TestMethod2 param=" + param);
}

更新: 微软说:TestCleanupAttribute “将在标有TestMethodAttribute的方法之后运行......”

当我对此进行测试时,它确实有效。当您说它不起作用时,请提供更多详细信息。

如果您希望每个测试类只运行一次初始化程序,您可以使用属性 TestClass Attribute。看到这个帖子。

// Use ClassInitialize to run code before running the first test in the class
[ClassInitialize()]
public static void MyClassInitialize(TestContext testContext) { }

// Use ClassCleanup to run code after all tests in a class have run
[ClassCleanup()]
public static void MyClassCleanup() { }
于 2013-04-29T20:46:34.467 回答