如何在单元测试中访问真实的数据库?

How to access real DataBase in unit testing?

我想在单元测试中从我的实际数据库中获取数据。 我有一个 table 命名的人,我在那个 table 中有数据。现在,我想在单元测试中从 table 获取数据。 下面是我用来从数据库中获取数据的代码。

public class PersonAppService_Tests: AppTestBase
{
private readonly IRepository<Person> _PersonRepositroy;
private readonly IUnitOfWorkManager _unitOfWorkManager;

public PersonAppService_Tests()
        {
            
            _PersonRepositroy = Resolve<IRepository<Person>>();
            _unitOfWorkManager = Resolve<IUnitOfWorkManager>();

        }
public async Task<List<PersonListDto>> GetAll()
        {
           List<PersonListDto> a = new List<PersonListDto>();
            using (var uow = _unitOfWorkManager.Begin())
            {
                var test = from Person in _PersonRepositroy.GetAll()
                           select new PersonListDto
                           {
                               Id = Person.Id,
                               Text = Person.Text,
                               Code = Person.Code,                               
                               TenantId = Person.TenantId
                           };
                a = test.ToList();//No Data is apppearing, event though database has the data
                await uow.CompleteAsync();
            }

            
        }

}

使用此代码我得到空数据,因为我的数据库中有数据。

我正在使用 asp.net Core (3.0) +Entity Framework 5.0

I am using in-memory Db but for some scenarios I want to access the real Db is it possible to access real Db in unit testing?

一般来说,我们不建议使用单元测试来测试实际的数据库查询或更新。相反,我们在对使用 DbContext 的内容进行单元测试时使用 EF in-memory 数据库。在这种情况下,使用 EF in-memory 数据库是合适的,因为测试不依赖于数据库行为。

如果您还想使用实际的数据库,可以参考下面的代码,在Unit Test应用程序和实际应用程序中使用相同的连接字符串。

public class UnitTest1: IDisposable
{
    BlogDBContext _context;
    private PostRepository repository;
    public static DbContextOptions<BlogDBContext> dbContextOptions { get; }
    //using the same connection string
    public static string connectionString = $"Server=(localdb)\mssqllocaldb;Database=UnitTestBlogDB;Trusted_Connection=True;MultipleActiveResultSets=true";

    public UnitTest1()
    {
        var serviceProvider = new ServiceCollection()
            .AddEntityFrameworkSqlServer()
            .BuildServiceProvider();

        var builder = new DbContextOptionsBuilder<BlogDBContext>(); 
        builder.UseSqlServer(connectionString)
                .UseInternalServiceProvider(serviceProvider); 
        _context = new BlogDBContext(builder.Options); 

        repository = new PostRepository(_context);

    }
    [Fact]
    public void Test1()
    { 
        var data1 = repository.GetCategories().Result;

        var data = _context.Category.ToList();

    }

结果是这样的: