Reputation: 51927
(Sorry for the unclear title, please edit it if you can come up with a better one)
I wish to run the same tests over two different data stores, I can create the data stores in the Setup() method.
So should I have a super class that contains all the tests and an abstract SetUp()
method, then have a subclass for each data store?
Or is there a better way?
See "Case insensitive string compare with linq-to-sql and linq-to-objects" for what I am testing.
Upvotes: 11
Views: 10882
Reputation: 13258
A simple solution is this.
All your test-cases are in an abstract class for example in the TestBase-class. For example:
public abstract class TestBase
{
protected string SetupMethodWas = "";
[Test]
public void ExampleTest()
{
Console.Out.WriteLine(SetupMethodWas);
}
// other test-cases
}
Then you create two sub-classes for each setup. So each sub-class will be run a individual with it-setup method and also all inherited test-methods.
[TestFixture]
class TestA : TestBase
{
[SetUp]
public void Setup()
{
SetupMethodWas = "SetupOf-A";
}
}
[TestFixture]
class TestB : TestBase
{
[SetUp]
public void Setup()
{
SetupMethodWas = "TestB";
}
}
This works wonderful. However for simpler tests parameterized tests are a better solution
Upvotes: 18