최상위 답변이 일반적으로 가장 좋지만 인라인 테이블 반환 함수에는 작동하지 않습니다.
MikeTeeVee는 최고 답변에 대한 그의 의견에 이것에 대한 해결책을 주었지만 MAX와 같은 집계 함수를 사용해야했지만 내 상황에 잘 맞지 않았습니다.
집계 대신 select * 와 같은 것을 반환하는 인라인 테이블 값 udf가 필요한 경우에 대한 대체 솔루션으로 엉망이되었습니다 . 이 특별한 경우를 해결하는 샘플 코드는 다음과 같습니다. 누군가 이미 지적했듯이 ... "JEEZ wotta hack" :)이 사례에 대한 더 나은 솔루션을 환영합니다!
create table foo (
ID nvarchar(255),
Data nvarchar(255)
)
go
insert into foo (ID, Data) values ('Green Eggs', 'Ham')
go
create function dbo.GetFoo(@aID nvarchar(255)) returns table as return (
select *, 0 as CausesError from foo where ID = @aID
--error checking code is embedded within this union
--when the ID exists, this second selection is empty due to where clause at end
--when ID doesn't exist, invalid cast with case statement conditionally causes an error
--case statement is very hack-y, but this was the only way I could get the code to compile
--for an inline TVF
--simpler approaches were caught at compile time by SQL Server
union
select top 1 *, case
when ((select top 1 ID from foo where ID = @aID) = @aID) then 0
else 'Error in GetFoo() - ID "' + IsNull(@aID, 'null') + '" does not exist'
end
from foo where (not exists (select ID from foo where ID = @aID))
)
go
--this does not cause an error
select * from dbo.GetFoo('Green Eggs')
go
--this does cause an error
select * from dbo.GetFoo('Yellow Eggs')
go
drop function dbo.GetFoo
go
drop table foo
go