5

我有一个查询,如下所示 column1 is int anothercolumn is varchar(100)

INSERT INTO TABLE1 (column1,column2)
SELECT (MAX(column1) FROM TABLE1)+1 ,anotherColumn FROM TABLE2

表1 查询前

column1  column2
-------  -------
3         test1
4         test2

表1查询后

column1  column2
-------  -------
3         test1
4         test2
5         anotherVal1
5         anotherVal2
5         anotherVal3

但我想要

column1  column2
-------  -------
3         test1
4         test2
5         anotherVal1
6         anotherVal2
7         anotherVal3

如何在 SQLserver 2008 StoredProcedure 中实现这一点?我一直认为查询是迭代的,他们会检查每一行的条件。但似乎聚合函数只执行一次!

编辑 1

请也回答这个问题 仅在完成 ​​SELECT 语句后,INSERT 才会起作用。这就是为什么我没有得到预期的结果???我对么?

4

2 回答 2

9

使用row_number函数给你的行序号

insert into Table1 (column1,column2)
select 
    (select max(column1) from Table1) + row_number() over (order by T2.anotherColumn),
    T2.anotherColumn
from Table2 as T2

或更安全的版本(即使您在 Table1 中没有任何行也可以使用):

insert into Table1 (column1,column2)
select 
    isnull(T1.m, 0) + row_number() over (order by T2.anotherColumn),
    T2.anotherColumn
from Table2 as T2
    outer apply (select max(column) as m from Table1) as T1
于 2013-08-10T08:06:27.660 回答
5

我知道这个问题已经得到回答,但也许解决方案甚至可以进一步简化?关于什么

INSERT INTO TABLE1 (column1,column2)
SELECT ISNULL((SELECT MAX(column1) FROM TABLE1),0)
 +ROW_NUMBER() OVER (ORDER BY anotherColumn),
 anotherColumn FROM TABLE2
于 2013-08-10T10:33:26.100 回答