我用这种方法使单元测试DbContext
更容易。此方法使我的db
Context
内存。它之所以有效,是因为我使用实体(如_context.Projects
、_context.Tests
等,在单元测试中,此方法有效(:
public static TaskManagerDbContext Create()
{
var options = new DbContextOptionsBuilder<TaskManagerDbContext>()
.UseInMemoryDatabase(Guid.NewGuid().ToString())
.EnableSensitiveDataLogging(true)
.Options;
var context = new TaskManagerDbContext(options);
context.SaveChanges();
return context;
}
我的DbContextClass
如下所示:
public class TaskManagerDbContext : IdentityDbContext<ApplicationUser>, ITaskManagerDbContext
{
public TaskManagerDbContext(DbContextOptions<TaskManagerDbContext> options)
: base(options)
{
}
//db sets here
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
base.OnModelCreating(modelBuilder);
modelBuilder.ApplyConfigurationsFromAssembly(typeof(TaskManagerDbContext).Assembly);
}
}
我的问题是,我们能不能像对待IdentityDbContext
一样,在记忆中UserManager
、SignInManager
、RoleManager
?如何对内存中的用户、角色等Identity
进行单元测试,就像我们可以对标准Context
所做的那样?如何在 im 测试时存储在内存中的假上下文中调用此Managers
?
编辑:
基于这个SO问题身份共享context
这是显而易见的。但是如何通过UseInMemoryDatabase()
方法在创建的IdentityDbContext
上使用Managers
呢?
编辑2:
通过夹具注入context
:
public class DatabaseFixture
{
public TaskManagerDbContext Context { get; private set; }
public DatabaseFixture()
{
this.Context = DatabaseContextFactory.Create();
}
}
[CollectionDefinition("DatabaseTestCollection")]
public class QueryCollection : ICollectionFixture<DatabaseFixture>
{
}
以及它的用法:
[Collection("DatabaseTestCollection")]
public class RegisterUserCommandTests
{
private readonly TaskManagerDbContext _context;
public RegisterUserCommandTests(DatabaseFixture fixture)
{
_context = fixture.Create();
}
//and usage of it in class:
var user = _context.Projects.Find(8);
}
我正在使用Xunit
.
您需要创建一个服务集合,向其注册所有内容,然后使用它来提取所需的内容。
var services = new ServiceCollection();
services.AddDbContext<TaskManagerDbContext>(o =>
o.UseInMemoryDatabase(Guid.NewGuid()));
services.AddIdentity<IdentityUser, IdentityRole>()
.AddEntityFrameworkStores<TaskManagerDbContext>();
var provider = services.BuildServiceProvider();
然后,您可以使用provider
:
using (var scope = provider.CreateScope())
{
var userManager = scope.ServiceProvider.GetRequiredService<UserManager<IdentityUser>>();
}