我想编写LINQ查询来比较两个数组。我希望将查询翻译为以下查询:
SELECT id, name
FROM persons
WHERE '{"dance", "acting", "games"}' && (hobbies);
该条件以这种方式起作用:
'{"dance"}' && '{"dance", "acting", "games"}'; -- true
'{"dance","singins"}' && '{"dance", "acting", "games"}'; -- true
'{"singins"}' && '{"dance", "acting", "games"}'; -- false
我写了这个查询:
List<string> arr = new List<string>(){ "dance", "acting", "games" };
var query = (from p in _context.Persons
where arr.Any(kw => p.hobbies.Contains(kw))
select new
{
id = p.id,
name = p.name
}).ToList();
翻译后的查询为:
SELECT p."id" AS id, p."name" AS name
FROM dataBase."Persons" AS p
它可以理解过滤器在服务器中执行。因此查询从数据库中获取所有数据并在服务器上进行了过滤。这会导致性能问题,并且无法通过负载测试。
我需要一个不仅可以完成任务的查询,还可以将其转换为带有'&&'的上述查询。
LINQ中有什么方法可以执行此查询?
谢谢
答案 0 :(得分:0)
如果您的数据库看起来像我预测的那样,那可能是一个解决方案。虽然还有更多代码,但是我认为这应该作为SQL IN语句执行:
List<string> arr = new List<string>(){ "dance", "acting", "games" };
var matches = from hobby_person in _context.Hobbies_Persons
join person in _context.Persons on person.Id equals hobby_person.PersonId
join hobby in _context.Hobbies on hobby.Id equals hobby_person.HobbyId
where arr.Contains(hobby.Name)
select new
{
id = p.id,
name = p.name
}).ToList();