通过分页加子查询优化后代码:
1 var data = from testType in context.TestType 2 join modelType in context.ModelType on testType.ModelType equals modelType.ID into modelJoin 3 from modelType in modelJoin.DefaultIfEmpty() 4 join login in context.Login on testType.TestUserId equals login.ID into createJoin 5 from login in createJoin.DefaultIfEmpty() 6 select new 7 { 8 ID = testType.ID, 9 ModelTypeName = modelType.Type, 10 TestTypeName = testType.TestTypeName, 11 TestUser = login.Name, 12 CreateTime = testType.CreateTime 13 }; 14 int row = data.Count(); 15 // 在数据库端执行排序、分页操作 16 int startIndex = (pageNumber - 1) * pageSize; 17 var pagedData = data.OrderByDescending(t => t.ModelTypeName).Skip(startIndex).Take(pageSize);
优化前
1 var data = from testType in context.TestType 2 join modelType in context.ModelType on testType.ModelType equals modelType.ID into modelJoin 3 from modelType in modelJoin.DefaultIfEmpty() 4 join login in context.Login on testType.TestUserId equals login.ID into createJoin 5 from login in createJoin.DefaultIfEmpty() 6 select new 7 { 8 ID = testType.ID, 9 ProductName = modelType.Type, 10 TestTypeName = testType.TestTypeName, 11 Count = (from testCase in context.TestCaseList 12 where testCase.TestType == testType.ID 13 select testCase).Count(), 14 TestUser = login.Name, 15 CreateTime = testType.CreateTime 16 };
这两段代码的主要区别在于计算 TestType
的相关测试用例数量。第一段代码在 LINQ 查询中使用了子查询来计算测试用例数量,而第二段代码在 LINQ 查询外部使用了一个额外的 LINQ 查询来计算测试用例数量。
在效率上,两者可能会有所不同:
-
第一段代码中的子查询会在数据库端执行,因此它会被合并到主查询中,形成一个单一的 SQL 查询。这意味着数据库可以更好地优化查询计划,并且可以在单次查询中检索所有所需的数据。这通常是更有效率的方式。
-
第二段代码中的额外 LINQ 查询会导致两个独立的 SQL 查询:一个用于获取主数据,另一个用于计算测试用例数量。这可能会导致性能损失,特别是当数据量很大时,因为需要执行额外的数据库查询。
因此,第一段代码中的子查询方法通常更有效率,因为它将所有逻辑合并到一个查询中,在数据库端执行。第二段代码中的额外 LINQ 查询方法则可能会导致性能损失,尤其是在处理大数据集时。
标签:语句,LINQ,查询,modelType,和子,login,testType,ID From: https://www.cnblogs.com/lei-zi/p/18196785