我正在使用AutoFixture定制来测试可访问SQL Compact DB的存储库。
测试完成后,对我删除数据库将非常有帮助。因为数据库是在定制构造函数中创建的,所以我认为删除它的最佳位置是在dispose方法中。
我在想的代码是:
internal class ProjectRepositoryCustomization : ICustomization
{
private readonly String _dbLocation;
public ProjectRepositoryCustomization()
{
var tempDbLocation = Path.Combine(Path.GetTempPath(), "TempDbToDelete");
if (!Directory.Exists(tempDbLocation))
{
Directory.CreateDirectory(tempDbLocation);
}
_dbLocation = Path.Combine(tempDbLocation, Guid.NewGuid().ToString("N") + ".sdf");
}
public void Customize(IFixture fixture)
{
DataContextConfiguration.database = _dbLocation;
var dataContextFactory = new BaseDataContextFactory();
var projRepository = new ProjectRepository(dataContextFactory);
fixture.Register(() => projRepository);
}
public void Dispose()
{
if (File.Exists(_dbLocation))
{
File.Delete(_dbLocation);
}
}
}
可以做类似的事情吗?
最佳答案
正如@Ruben Bartelink在评论中指出的那样,这是可能的。但是,我建议使用其他方法,这就是原因。
通常,您希望IoC容器能够管理对象的生存期。但是,即使AutoFixture看起来像IoC容器,它也确实是not meant to be one:
AutoFixture的主要目标是简化在某些可配置范围内创建anonymous test data的过程。它的API专注于允许程序员自定义测试数据的生成方式,而不是自定义生存时间,因为假定仅使用within the context of a test:
另一方面,测试框架非常擅长管理测试夹具的生命周期。由于您所描述的通常是管理集成测试的上下文的一部分,因此我将在执行固定装置内的所有测试之前和之后运行它。
例如:
[TestFixture]
public class WithDatabaseContext
{
private string dbLocation;
private BaseDataContextFactory dataContextFactory
protected BaseDataContextFactory DataContextFactory
{
get { return this.dataContextFactory; }
}
[TestFixtureSetUp]
public void FixtureInit()
{
// Initialize dbLocation
// Initialize dataContextFactory
}
[TestFixtureTearDown]
public void FixtureDispose()
{
// Delete file at dbLocation
}
}
然后,您的测试可以继承上下文并使用它来配置AutoFixture:
[TestFixture]
public void SomeTest : WithDatabaseContext
{
private IFixture fixture;
[SetUp]
public void Init()
{
this.fixture = new Fixture();
this.fixture.Register(
() => new ProjectRepository(base.DataContextFactory));
}
[Test]
public void Doing_something_should_return_something_else()
{
// ...
}
}
在这种情况下,利用测试框架来管理临时数据库的生存期,可以在测试的上下文中清楚地传达其边界。在我看来,将其隐藏在AutoFixture定制中将使其不那么明显,并且可以说更难使用。
关于c# - 在AutoFixture定制上调用Dispose方法,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15496493/