I have a stored procedure which receives multiple table-type parameters and I want to filter the data using those parameters. The problem with that is those parameters can contain no rows and in that case a join will not work properly.
CREATE TYPE [dbo].[IntListTableType] AS TABLE ([Id] INT NULL);
version 1 - using left joins and where conditions
CREATE PROCEDURE [dbo].[FilterUsers]
@UserRoles IntListTableType READONLY
,@UserTypes IntListTableType READONLY
AS
BEGIN
SELECT UserId, Name
FROM Users u
LEFT JOIN @UserRoles ur on u.RoleId = ur.Id
LEFT JOIN @UserTypes ut on u.UserTypeId = ut.Id
WHERE
(NOT EXISTS(SELECT TOP 1 1 FROM @UserRoles) OR ur.Id IS NOT NULL)
AND
(NOT EXISTS(SELECT TOP 1 1 FROM @UserTypes) OR ut.Id IS NOT NULL)
END
version 2 - without joins
CREATE PROCEDURE [dbo].[FilterUsers]
@UserRoles IntListTableType READONLY
,@UserTypes IntListTableType READONLY
AS
BEGIN
SELECT UserId, Name
FROM Users u
WHERE
(NOT EXISTS(SELECT TOP 1 1 FROM @UserRoles) OR EXISTS(SELECT TOP 1 1 FROM @UserRoles ur where u.RoleId = ur.Id))
AND
(NOT EXISTS(SELECT TOP 1 1 FROM @UserTypes) OR EXISTS(SELECT TOP 1 1 FROM @UserTypes ut where u.UserTypeId = ut.Id))
END
version 3 - dynamic SQL ???
I'm trying to find a solution from the performance perspective, and also to avoid parameter sniffing.