为什么动态SQL不能工作
本文关键字:工作 不能 SQL 动态 为什么 | 更新日期: 2023-09-27 18:02:05
为什么动态SQL不工作??
c#中的代码:
this.DataAccess.AddParametr("@where","WHERE ta.IdMoinRef in(112,113,115)");
sqlServer中的代码:
ALTER Procedure [dbo].[sp_tblAsnad_SelectAllForReport]
@where nvarchar(max)
As
Begin
Select
ta.IdMoinRef,
ta.IdTafzeliRef,
ta.ShHesab,
ta.Bd,
ta.Bs,
ta.ShSnd,
ta.AtfSnd,
ta.DateSnd,
mo.Hmoin,
co.Hcol,
gr.Hgroup,
co.IdGroupRef,
mo.IdColRef
From tblAsnad as ta
inner join tblMoin as mo on ta.IdMoinRef=mo.IdMoin
inner join tblCol as co on mo.IdColRef=co.IdCol
inner join tblGroup as gr on co.IdGroupRef=gr.IdGroup
exec(@where)
End
你糊涂了。您需要将整个语句封装到命令中。您正在尝试执行一个查询,然后执行另一个查询。您需要将主查询与参数一起解析,例如
DECLARE @sql VARCHAR(1000)
SET @sql = "SELECT ... " + @where -- Your full query.
exec(@sql)
您试图只执行where子句。对于动态SQL语句,必须将整个语句构建为字符串:
@s = "select * from T " + @where_clause
exec(@s)
您需要将整个查询作为一个字符串执行,而不仅仅是WHERE子句。
您的代码正在将WHERE字符串作为字符串参数传入。那么你的程序将执行如下:
ALTER Procedure [dbo].[sp_tblAsnad_SelectAllForReport]
@where nvarchar(max)
As
Begin
Select
ta.IdMoinRef,
ta.IdTafzeliRef,
ta.ShHesab,
ta.Bd,
ta.Bs,
ta.ShSnd,
ta.AtfSnd,
ta.DateSnd,
mo.Hmoin,
co.Hcol,
gr.Hgroup,
co.IdGroupRef,
mo.IdColRef
From tblAsnad as ta
inner join tblMoin as mo on ta.IdMoinRef=mo.IdMoin
inner join tblCol as co on mo.IdColRef=co.IdCol
inner join tblGroup as gr on co.IdGroupRef=gr.IdGroup
exec('WHERE ta.IdMoinRef in(112,113,115)')
End
这显然是错误的。整个命令需要在这里的命令文本中。