我创建了一个 nunit 测试项目,其中包含 5 个不同的 TestFixture 中的许多集成测试。我有一个名为的类ConfigSettings
,它具有[SetupFixture]
属性和具有属性的方法,[SetUp]
该属性基本上连接到数据库以检索设置。检索到的设置应在整个测试中使用。5 个不同的 TestFixtures 都继承自这个类ConfigSettings
。
我注意到该SetupFixture
[setup]
方法针对每个测试运行,所以我使用了一个标志 ' HasRun
' 来避免这种情况。但是,当 TestFixture1 准备好并且运行器转到 TestFixture2 时,HasRun
它将再次为 0,因为将创建一个新实例。如何让SetupFixture
属性类在 TestSuite 开始时只运行一次?一种解决方案是将HasRun
属性和所有其他属性设为静态,但是如果我随后打开 NUnit 的新实例,则属性将具有与第一个实例相同的值。请问有什么想法吗?
问题基本上是静态类的第二个实例仍然会检索第一个实例的属性值,如果我用新设置覆盖它们,第一个实例将使用第二个实例的值。这种行为有什么解决方法吗?
这是我正在尝试做的示例代码:
下面是 SetupFixture 类,它应该在项目开始时在任何其他 testfixture 之前运行:-
[SetUpFixture]
public class ConfigSettings
{
private static string strConnectionString = @"connectionStringHere";
public string userName { get; set; }
public string userId { get; set; }
public int clientId { get; set; }
public int isLive { get; set; }
public int HasRun { get; set; }
[SetUp]
public void GetSettings()
{
if (HasRun != 1)
{
Console.WriteLine("executing setup fixture..");
HasRun = 1;
using (var db = new autodb(strConnectionString))
{
var currentSession = (from session in db.CurrentSessions
where session.TestSuiteID == 1
orderby session.TestStarted descending
select session).FirstOrDefault();
userId = currentSession.UserId.ToString();
clientId = currentSession.ClientID;
isLive = currentSession.IsLive;
etc...
}
}
}
}
现在从每个 TestFixture 我继承 ConfigSettings 类并访问它的属性,例如:-
[TestFixture]
public class TestFixture1: ConfigSettings
{
[Test]
public void Test1()
{
Console.WriteLine("executing test 1...");
Console.WriteLine(userId);
}
[Test]
public void Test2()
{
Console.WriteLine("executing test 2...");
Console.WriteLine(clientId);
}
}
谢谢。