我有一个可更新的视图,使用而不是触发器来插入/更新。该触发器使用Merge。我发现Merge语句没有应用基础物理表中的默认约束,尽管合并文档表明它应该。
以下示例演示:
create table tblTest
(
id uniqueidentifier not null primary key default newid(),
forename varchar(20),
surname varchar(20) not null default 'xxyyzz'
)
go
create view vwTest as select * from tblTest
go
create Trigger vwTest_trigger_insteadof_insert_update On vwTest
Instead of Insert, Update As
begin
set nocount on
Merge tblTest t
Using
inserted i On (t.id = i.id)
When Matched Then
Update
Set
t.forename = i.forename,
t.surname = i.surname
When Not Matched By Target Then
Insert
(
id,
forename,
surname
)
Values
(
i.id,
i.forename,
i.surname
)
OUTPUT $action, Inserted.*, Deleted.*
;
end
go
--Inserts to physical table work as expected
insert into tblTest (id) values (newid())
insert into tblTest (surname) values ('smith')
--Inserts into updateable view fail as no defaults are set
--from the underlying physical table
insert into vwTest (id) values (newid())
insert into vwTest (surname) values ('jones')
我看到有人在Using default values in an INSTEAD OF INSERT trigger中有类似的东西,并通过将插入的行复制到临时表中然后更改临时表以添加物理表的默认约束来解决它。我不确定我是否能够容忍这些额外步骤的性能问题。
答案 0 :(得分:1)
足够简单。为了使用默认值,您必须使用DEFAULT关键字,或者不在插入中包含它。即使是NULL值也很重要。在这种情况下,您将在触发器中指定插入值。如果你要改变它的那部分
When Not Matched By Target Then
Insert
(
id,
forename,
surname
)
Values
(
i.id,
i.forename,
i.surname
)
到
When Not Matched By Target Then
Insert
(
id,
forename,
surname
)
Values
(
i.id,
i.forename,
DEFAULT
)
您会看到surname start的默认值出现。不幸的是,这对你想要做的事情并没有多大帮助。我能想到的最好的解决方案(并不是很好)是使用isnulls将默认值置于触发器中。
When Not Matched By Target Then
Insert
(
id,
forename,
surname
)
Values
(
ISNULL(i.id,newid()),
i.forename,
ISNULL(i.surname,'xxyyzz')
)
我意识到从维护的角度来看这并不好,但它会起作用。如果您有兴趣,我在DEFAULT关键字here上发布了相当详细的帖子。