我有多个具有单个识别码的客户端,以及两个具有多个标识符的客户端。我正在尝试找到一种将客户端代码用作存储过程的参数的好方法,其中where子句中的单个代码和多个代码都可以使用
。我当前有一个变量,该变量接受输入的参数并将其转换为单个字符(客户端代码),但是将变量与“ in”一起使用不起作用。我还尝试将客户端代码的格式设置为where子句中的case表达式,但无法弄清楚其格式。
ALTER PROCEDURE [dbo].[client_tonnage] @input varchar(100)
as
select input =
case
when @input = 'client1' then 'C1'
when @input = 'client2' then '''C2'', ''C3'', ''C4'''
if object_id('tempdb..#temp_table') is not null drop table #temp_table
insert into #temp_table (date_time, clientid, ACTUAL_WEIGHT)
from Log
where clientid in (@input)
select * from #temp_table
我希望能够包含具有多个客户端代码的客户端,但以上格式不起作用。任何解决方法将不胜感激!
答案 0 :(得分:2)
如果要保留多个值,请使用表变量:
ALTER PROCEDURE [dbo].[client_tonnage] @input varchar(100)
as
BEGIN
DECLARE @ClientIDs TABLE (ClientID VARCHAR(10))
IF @input = 'client1'
INSERT INTO @ClientIDs (ClientID) VALUES ('C1')
ELSE IF @input = 'client2'
INSERT INTO @ClientIDs (ClientID) VALUES ('C2'),('C3'),('C4')
if object_id('tempdb..#temp_table') is not null
drop table #temp_table
insert into #temp_table (date_time, clientid, ACTUAL_WEIGHT)
SELECT
-- The proper columns
from
Log AS L
INNER JOIN @ClientIDs AS C ON L.clientid = C.ClientID
select * from #temp_table
END
尽管您正在硬编码输入ID和客户端ID之间的“映射”。更好的方法是将这种关系存储在物理表中:
CREATE TABLE ClientMappings (
ClientID VARCHAR(10) PRIMARY KEY,
ClientCode VARCHAR(10))
INSERT INTO ClientMappings (
ClientID,
ClientCode)
VALUES
('C1', 'client1'),
('C2', 'client2'),
('C3', 'client2'),
('C4', 'client2')
因此,您可以通过简单的连接来解决此问题:
ALTER PROCEDURE [dbo].[client_tonnage] @input varchar(100)
as
BEGIN
if object_id('tempdb..#temp_table') is not null
drop table #temp_table
insert into #temp_table (date_time, clientid, ACTUAL_WEIGHT)
SELECT
-- The proper columns
from
Log AS L
INNER JOIN ClientMappings AS C ON L.clientid = C.ClientID
WHERE
C.clientcode = @input
select * from #temp_table
END
如果您的SP仅选择该数据,则不需要临时表。
答案 1 :(得分:0)
您正在做
select input =
与参数不同,因为您缺少@
符号。
您要
select @input =
case
when @input = 'client1' then 'C1'
when @input = 'client2' then '''C2'', ''C3'', ''C4'''
答案 2 :(得分:0)
您可以通过将所有逻辑放在case
内来使用case
表达式。请注意,case
表达式返回一个值,然后您必须使用该值来执行某些操作,例如比较一下。
insert into #temp_table (date_time, clientid, ACTUAL_WEIGHT)
from Log
where case
when @input = 'client1' and clientid = 'C1' then 1
when @input = 'client2' and clientid in ( 'C2', 'C3', 'C4' ) then 1
else 0 end = 1;
这很可能会患parameter sniffing。