小编典典

为什么不能使用OBJECT_ID()函数找到外键?

sql

我在MS SQL Server
2012中有一个奇怪的问题。我正在尝试检查升级脚本中是否已存在外键。我过去使用过系统OBJECT_ID()函数来查找表,视图和过程,但是当我尝试使用它来查找外键时,它是行不通的。

-- This query always returns null
SELECT OBJECT_ID(N'FK_Name', N'F')

-- This query works, returning the object ID for the foreign key
SELECT object_id FROM sys.foreign_keys WHERE name=N'FK_Name'

阅读 168

收藏
2021-05-23

共1个答案

小编典典

可能是您的外键正在表中查找的不是默认模式(可能是dbo)。在这种情况下,object_id直到您指定架构,您才能看到以下内容:

SELECT OBJECT_ID(N'<schema>.FK_Name', N'F')

实际上,您的数据库中可能有多个具有相同名称的对象,但它们位于不同的模式中。OBJECT_ID(N'FK_Name', N'F')将在默认架构中返回对象的ID。

您可以像这样测试它:

create schema test
create table test.temp1 (id int primary key)
create table test.temp2 (id int)
go

alter table test.temp2 add constraint FK_temp foreign key(id) references test.temp1(id)

select object_id('FK_temp', 'F')  -- returns null
select object_id('test.FK_temp', 'F') -- returns object id

drop table test.temp2
drop table test.temp1
drop schema test

[sql fiddle demo](http://sqlfiddle.com/#!6/c0059/1)

2021-05-23