存储过程中的SQL with子句

时间:2016-12-11 16:49:21

标签: sql sql-server common-table-expression with-statement

是否可以在存储过程中定义with子句并在if语句中使用它,因为我总是收到错误?

BEGIN
    WITH Test (F, A) AS
    (
        SELECT FM.ID, FM.Name 
        FROM [Test.Abc] FM
        INNER JOIN [Organization] O on O.ABCID = FM.ID
    )

    IF(@var = 'case1')
    BEGIN
        SELECT * 
        FROM Test F
        WHERE NOT F.ID = 'someID'
    END

我总是得到一个"不正确的语法" if语句之前的错误

如果我将with子句移动到if语句中,它可以正常工作。但我需要在外面使用with语句在不同的if语句中重用它。

3 个答案:

答案 0 :(得分:1)

只需使用临时表或表变量。 SQL Server的作用域规则确保在过程结束时删除这样的表:

BEGIN
    select FM.ID, FM.Name
    into #test
    from [Test.Abc] FM inner join
         [Organization] O
         on O.ABCID = FM.ID;

    IF(@var = 'case1')
        BEGIN
            select *
            from #Test F
            where not F.ID = 'someID'
        END;

这样做的好处是可以向表中添加索引,这些可能会提高性能。

答案 1 :(得分:1)

这是您获得的相同答案的另一个版本:

您的with common table expresson必须与调用它的查询位于同一语句中,并且必须由查询(或其他cte)引用,或者它是语法错误。

参考文档创建和使用Common Table Expressions 的指南。

BEGIN -- doing stuff
-- .... doing stuff over here
IF(@var = 'case1')
    BEGIN
        with Test (F, A) as (
        select FM.ID, FM.Name from [Test.Abc] FM
        inner join [Organization] O on O.ABCID = FM.ID
          )     
        select * from Test F
        where not F.ID = 'someID'
    END
-- .... and doing some other stuff over here too
END -- done with this stuff

答案 2 :(得分:0)

WITH不是一个独立的,它总是整个陈述的一部分,只有一个陈述 在声明范围之外无法识别。

BEGIN

    with my_cte (n) as (select 1+1)
    select * from my_cte

    -- The following statement yields the error "Invalid object name 'my_cte'."    
    -- select * from my_cte

END