我有一个简单的问题,但我不知道如何处理。我有由值或null
填充的拖柱。
我必须平均这样做:
- 如果两个是值=(a b)/2
- 如果一个人为null,则= a或b。
可以以不同的方式写下它:
case when a is not null and b is not null then....
etc.
如果我使用简单的(a+b)/2
,我会在值之一为 null
的情况下获得null
。
可能是最简单的方法是将outer apply
与avg()
一起使用,因为avg()
忽略了NULL
值:
select v.avg_ab
from t outer apply
(select avg(x) as avg_ab
from (values (t.A), (t.B)
) v
) v;
您也可以使用复杂的case
表达式来完成此操作:
select (case when A is not NULL and B is not NULL then (A + B) / 2
when A is not NULL then A
when B is not NULL then B
end) as avg_ab
. . .
这足以满足2个值;对于3.它是可行的。它并不能超越此范围。使用case
的另一种方法更具概括性:
select ( (coalesce(A, 0) + coalesce(B, 0)) /
((case when A is not null then 1 else 0 end) +
(case when B is not null then 1 else 0 end)
)
)
但是apply
方法仍然更简单。
假设它们都是 null
时,它们的平均值应导致null
的平均值,您可以使用(A+A)/2=A
的数学"技巧",并使用coalesce
以一种非常优雅的时尚,Imho:Imho:Imho:Imho:Imho:
(COALESCE(a, b) + COALESCE(b, a)) / 2
这将是最干净的解决方案
select coalesce((A+B)/2,A,B)
。
。
。
演示:
declare @t table (id int,A int,B int)
insert into @t values (1,30,50),(2,30,null),(3,null,50),(4,null,null)
select id,A,B,coalesce((A+B)/2,A,B) as result
from @t
+----+------+------+--------+
| id | A | B | result |
+----+------+------+--------+
| 1 | 30 | 50 | 40 |
+----+------+------+--------+
| 2 | 30 | NULL | 30 |
+----+------+------+--------+
| 3 | NULL | 50 | 50 |
+----+------+------+--------+
| 4 | NULL | NULL | NULL |
+----+------+------+--------+
尝试以下内容:
SELECT (ISNULL(a, b)+ISNULL(b, a))/2