我正在SQL Server 2008中工作。我必须在三个可能的字符串值中找到string类型的MIN。如果值来自表的单个列,我知道该怎么做。就我而言,它来自三个不同的别名。
这是SQL的一部分:
SELECT
CustomerId,
leaseType = (CASE
WHEN MIN(CONCAT(L1.LeaseType, L2.LeaseType, L3.LeaseType)) = 'T'
THEN 'Temporary'
WHEN MIN(CONCAT(L1.LeaseType, L2.LeaseType, L3.LeaseType)) = 'P'
THEN 'Permanant'
WHEN MIN(CONCAT(L1.LeaseType, L2.LeaseType, L3.LeaseType)) = 'U'
THEN 'Unknown'
ELSE ''
END)
FROM
Customer
INNER JOIN
(SELECT
CustomerId, LeaseType
FROM
Lease
WHERE
LeaseType = 'T') L1 ON L1.CustomerId = c.CustomerId
INNER JOIN
(SELECT
CustomerId, LeaseType
FROM
Lease
WHERE
LeaseType = 'P') L2 ON L2.CustomerId = c.CustomerId
INNER JOIN
(SELECT
CustomerId, LeaseType
FROM
Lease
WHERE
LeaseType = 'U') L3 ON L3.CustomerId = c.CustomerId
WHERE
CustomerId > 10000
但是,该查询不起作用。除其他错误外,它还会引发
'CONCAT'不是公认的内置函数名称
答案 0 :(得分:1)
如果您希望租赁类型的“最小值”,则可以使用apply
:
SELECT . . .
FROM Customer c JOIN
Lease lt
ON lt.CustomerId = c.CustomerId AND
lt.LeaseType = 'T' JOIN
Lease lp
ON lp.CustomerId = c.CustomerId AND
lp.LeaseType = 'P' JOIN
Lease lu
ON lu.CustomerId = c.CustomerId AND
lu.LeaseType = 'U' CROSS APPLY
(SELECT MIN(v.LeaseType) as LeaseType
FROM (VALUES (lt.LeaseType), (lp.LeaseType), (lu.LeaseType)
) v(LeaseType)
这回答了您提出的问题。我怀疑它是否会有用,因为它将始终返回“ P”。为什么?所有JOIN
是内部联接,因此它们需要匹配。 LeaseType
用于JOIN
条件,因此需要匹配。这仅与同时拥有这三个客户的客户匹配。
我可以推测您可能需要外部联接。不过,与其进行推测,不如提出另一个带有样本数据,所需结果以及对您真正想要完成的事情的解释的问题。