A resposta principal é geralmente melhor, mas não funciona para funções com valor de tabela embutida.
MikeTeeVee deu uma solução para isso em seu comentário sobre a resposta principal, mas exigiu o uso de uma função agregada como MAX, que não funcionou bem para a minha circunstância.
Eu brinquei com uma solução alternativa para o caso em que você precisa de uma tabela embutida com valor udf que retorne algo como select * em vez de um agregado. O código de exemplo que resolve este caso específico está abaixo. Como alguém já apontou ... "JEEZ wotta hack" :) Congratulo-me com qualquer solução melhor para este caso!
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