这是我的观点:
Create View [MyView] as
(
Select col1, col2, col3 From Table1
UnionAll
Select col1, col2, col3 From Table2
)
我需要添加一个名为Id
的新列,我需要将此列设置为唯一,因此我认为将新列添加为标识。我必须提到这个视图返回了大量的数据,所以我需要一个性能良好的方法,而且我还使用了两个带有union的select查询,我觉得这可能有些复杂,所以你的建议是什么?
答案 0 :(得分:24)
使用SQL Server 2008中的ROW_NUMBER()
函数。
Create View [MyView] as
SELECT ROW_NUMBER() OVER( ORDER BY col1 ) AS id, col1, col2, col3
FROM(
Select col1, col2, col3 From Table1
Union All
Select col1, col2, col3 From Table2 ) AS MyResults
GO
答案 1 :(得分:3)
视图只是一个不包含数据本身的存储查询,因此您可以添加稳定的ID。如果您需要用于其他目的的id,例如分页,您可以执行以下操作:
create view MyView as
(
select row_number() over ( order by col1) as ID, col1 from (
Select col1 From Table1
Union All
Select col1 From Table2
) a
)
答案 2 :(得分:2)
除非满足以下条件,否则无法保证使用ROW_NUMBER()的查询返回的行与每次执行的顺序完全相同:
这里有一个次要问题,这是一个观点。 Order By不总是在视图中工作(长期sql bug)。忽略row_number()一秒钟:
create view MyView as
(
select top 10000000 [or top 99.9999999 Percent] col1
from (
Select col1 From Table1
Union All
Select col1 From Table2
) a order by col1
)
答案 3 :(得分:0)
使用“ row_number()over(由col1排序)作为ID”非常昂贵。 这种方式的成本效率更高:
Create View [MyView] as
(
Select ID = isnull(cast(newid() as varchar(40)), '')
, col1
, col2
, col3
From Table1
UnionAll
Select ID = isnull(cast(newid() as varchar(40)), '')
, col1
, col2
, col3
From Table2
)
答案 4 :(得分:0)
在ROW_NUMBER()中使用“ order by(选择null)”,这样可以节省成本并获得结果。
Create View [MyView] as
SELECT ROW_NUMBER() over (order by (select null)) as id, *
FROM(
Select col1, col2, col3 From Table1
Union All
Select col1, col2, col3 From Table2 ) R
GO