Using MSTest, I needed to obtain the name of the current test from within the [TestInitialize]
method. You can get this from the TestContext.TestName
property.
I found an unexpected difference in behaviour between a static TestContext
that is passed in to the [ClassInitialize]
method and one that is declared as a public property (and gets set by the test runner).
Consider the following code:
using System;
using Microsoft.VisualStudio.TestTools.UnitTesting;
namespace TestContext.Tests
{
[TestClass]
public class UnitTest1
{
public TestContext TestContext { get; set; }
private static TestContext _testContext;
[ClassInitialize]
public static void SetupTests(TestContext testContext)
{
_testContext = testContext;
}
[TestInitialize]
public void SetupTest()
{
Console.WriteLine(
"TestContext.TestName='{0}' static _testContext.TestName='{1}'",
TestContext.TestName,
_testContext.TestName);
}
[TestMethod] public void TestMethod1() { Assert.IsTrue(true); }
[TestMethod] public void TestMethod2() { Assert.IsTrue(true); }
[TestMethod] public void TestMethod3() { Assert.IsTrue(true); }
}
}
This causes the following to be output (copy-pasted from the Resharper test runner output in VS2013):
TestContext.TestName='TestMethod1' static _testContext.TestName='TestMethod1'
TestContext.TestName='TestMethod2' static _testContext.TestName='TestMethod1'
TestContext.TestName='TestMethod3' static _testContext.TestName='TestMethod1'
I had previously assumed that the two instances of TestContext
would be equivalent, but clearly they're not.
- The
public TestContext
property behaves as I expect - The
private static TestContext
value that gets passed to the[ClassInitialize]
method does not. SinceTestContext
has properties that relate to the currently running test, this implementation seems misleading and broken
Is there any scenario where you would actually prefer to use the TestContext
passed to the [ClassInitialize]
method, or it is best ignored and never used?
private static TestContext
behaviour seems wrong. That's what I'm asking about._testContext
is a field which you assigned only once, inside the method marked with the[ClassInitialize]
attribute. Why would you expect it to change between tests? As @mike wrote, each test gets a newTestContext
instance.TestContext
is created for each test. As you can see from the output, TheClassInitialize
method gets just the context of the first test. More on this topic: blog.adilakhter.com/2008/05/04/more-on-unit-testing-testcontext