数据库
首页 > 数据库> > 单元测试中的Linq-SQL查询逻辑

单元测试中的Linq-SQL查询逻辑

作者:互联网

我正在尝试为我的代码编写一些单元测试.在out项目中,我们使用从DBML创建的Linq-SQL对象.我试图弄清楚我将如何测试以下逻辑.

例如,我需要使用LINQ从表中获取记录数.

var objectCount = (from x in DB.MyRecords
                  where x.DateAdded.Date == DateTime.Now.Date
                  select x).Count(); //For example this will return 4

if(objectCount > 3)
{
   //Do some logic here
}
else
{
   //Do some logic here
}

现在,我的理解是,如果您访问数据库,则单元测试实际上不是单元测试.
我的查询还涉及很多,因为它的数据结构具有需要维护的外键.
现在的下一个问题是,由于我们使用的是LINQ-SQL对象,因此我们没有使用接口,因此我们不能真正使用模拟框架(或者可以吗????)
我想知道什么过程才能进行单元测试.

解决方法:

您需要在DBML和业务逻辑代码之间进行中介的类才能进行测试.请查看存储库模式以获取有关此内容的更多详细信息.

让我给您举一个非常简单的示例,假设您有一个Product表,并且您想测试数据库中的产品总数是否少于10个产品.您需要一个存储库类,该存储库类以整数形式为您提供数据库中产品的数量,只要您获得该数量(抽象的想法),您就不必关心该方法如何获得该数量.看一下以下代码片段:

public interface IRepository
{
    int CountProduct();
}

// your implementation of repository against real database
public class DBLinqToSQLRepository : IRepository
{
    // some constructor here

    public int CountProduct()
    {
        // your code here to return the actual number of product from db.
    }
}

// your implementation of fake repository that will provide fake data for testing
public class FakeRepository : IRepository
{
    private List<Product> products = new List<Product>();

    // some initialization here

    public int CountProduct()
    {
        return products.Count;
    }
}

然后,在测试环境中,可以使用此FakeRepository而不是实际的数据库存储库来测试业务逻辑.

标签:unit-testing,linq-to-sql,c
来源: https://codeday.me/bug/20191209/2095612.html