Skip to content
Advertisement

linq query to get possible combinations

I have table1 like

funid reasonid
1 1
1 2
2 1
2 3

and users table(users will repeat) like below

userid reasonid
10 1
10 2
11 1
12 3
13 1
13 3

how to write a query to get the users satisfying table 1 combination {1,2} and {1,3}, so as per the above data userid 10 and 13 should be the output because user should have combination of {1,2} OR {1,3}

Thanks

Advertisement

Answer

I would first count the number or reasons per funid in table1 , and then compare that with the count (distinct reasonid) obtained with a join between table1 and users grouped by userid and funid. If the counts are equal, then that user satisfies the condition.

Something like:

SELECT B.userid, B.funid
FROM (
    SELECT funid, reasonCount = COUNT(*)
    FROM table1
    GROUP BY funid
) A
JOIN (
    SELECT U.userid, T.funid, reasonCount = COUNT(DISTINCT U.reasonid)
    FROM users U
    JOIN table1 T ON T.reasonid = U.reasonid
    GROUP BY U.userid, T.funid
) B ON B.funid = A.funId AND B.reasonCount = A.reasonCount
ORDER BY B.userid, B.funid

The COUNT(DISTINCT …) is only needed if it is possible that a user could reference the same reason more than once. You can drop the funid and add distinct to the final result to eliminate dups caused by users who satisfy more than one rule set (such as a user referencing reasons 1, 2, and 3).

Results:

userid funid
10 1
13 2

See this db<>fiddle for a demo.

User contributions licensed under: CC BY-SA
6 People found this is helpful
Advertisement