我有一个事件表,其中有一个作者字段和一个演示者字段。我的人员表中的人员既可以是同一事件的作者也可以是演示者,也可以是演示者也可以是作者。我需要根据他们的人员ID以及他们选择的类型或过滤器将过滤器应用于结果集。我拥有的过滤器是:

全部:这将返回其中任何记录是作者或演示者的记录。

AllPresenter:作为演示者的所有记录。

AllAuthor:所有记录为作者。

PresenterOnly:仅记录为演示者,而非作者。

AuthorOnly:仅记录为作者而不是演示者。

PresenterAndAuthorOnly:他们是演示者和作者的所有记录。

我目前有一个存储过程,它使用下面的外部ifs,我试图找到一种方法将所有这些类似的select语句组合为一个。我没有太多运气找到更好的解决方案,我想知道我是否缺少一种技术。

If (@filter = 'PandAOnly' or @filter = 'AllP' or @filter = 'AllA')
begin
    Select * from Event
    Where
        PresenterId = Case @personId is null then PresenterId else @personId end
        and
        AuthorId = Case @personId  is null then AuthorId else @personId end
end
else if (@filter = 'All')
begin
    Select * from Event
    Where
        PresenterId = @personId
        Or
        AuthorId = @personId
end
else if (@fitler = 'POnly')
begin
   Select * from Event
   Where
       PresenterId = @personId
       and
       AuthorId <> @personId
end
else
begin
    Select * from Event
    Where
        AuthorId = @personId
        and
        PresenterId <> @personId
end

最佳答案

Select * from Event
Where
   (
        ((@personId is null) OR (PresenterId =@personId ))
        and
        ((@personId  is null) OR (AuthorId = @personId))
        AND
        (@filter = 'PandAOnly' or @filter = 'AllP' or @filter = 'AllA')
    )
OR
  (
       (PresenterId = @personId
        Or
        AuthorId = @personId )
    AND (@filter = 'All')
  )
OR
  (
       PresenterId = @personId
       and
       AuthorId <> @personId
       and
       @fitler = 'POnly'
  )
OR
 (
        AuthorId = @personId
        and
        PresenterId <> @personId
       and
       @fitler = 'AOnly'
 )

注意

我宁愿坚持使用存储过程,上述查询的执行计划会很可怕:)

关于SQL Select语句在哪里,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30716655/

10-11 02:50