这是我的表:
ID Q1 Q2 Q3 Q4
----------------------------------------------------------------
20130712 NULL 728.63 NULL NULL
20130712 8881.55 9673.68 2629.566 6251.984
20130713 1813 1813 84.49 1728.51
20130714 3632.65 3632.65 1209.412 2423.238
20130714 70.758 2637.43 70.758 0
20130714 1601.578 3569.73 204.745 1396.833
20130714 728.63 728.63 0 728.63
20130714 1401.629 2251.39 94.418 1307.211
20130715 583.956 5089.19 583.956 0
20130805 6317.277 8958 2629.566 3687.711
我想要输出如下。(列可能会动态更改,需要按行计算总和)
ID Q1 Q2 Q3 Q4 SUM(Q1:Q4)
---------------------------------------------------------------------------
20130712 NULL 728.63 NULL NULL 728.63
20130712 8881.55 9673.68 2629.566 6251.984 27436.78
20130713 1813 1813 84.49 1728.51 5439
20130714 3632.65 3632.65 1209.412 2423.238 ...
20130714 70.758 2637.43 70.758 0
20130714 1601.578 3569.73 204.745 1396.833
20130714 728.63 728.63 0 728.63
20130714 1401.629 2251.39 94.418 1307.211
20130715 583.956 5089.19 583.956 0
20130805 6317.277 8958 2629.566 3687.711
答案 0 :(得分:10)
您尚未显示您的查询尝试,但它可能是这样的:
SELECT
ID, Q1, Q2, Q3, Q4,
Q1 + Q2 + Q3 + Q4 AS "Total"
FROM MyTable
如果Q1
,Q2
,Q3
或Q4
值中的任何一个为空,则Q1 + Q2 + Q3 + Q4
将为空。要将空值视为零并获得正确的总和,请改为:
SELECT
ID, Q1, Q2, Q3, Q4,
COALESCE(Q1,0) + COALESCE(Q2,0) + COALESCE(Q3,0) + COALESCE(Q4,0) AS "Total"
FROM MyTable
COALESCE
function将返回列表中的第一个非空值。
答案 1 :(得分:3)
不知道是否有更短的路,但我能做的最优雅的是:
select
ID, Q1, Q2, Q3, Q4,
(
select sum(S.Q)
from (values (Q1), (Q2), (Q3), (Q4)) as S(Q)
where S.Q is not null
) as [Total]
from Table1 as T
如果您想要动态SQL,请尝试类似
的内容declare @stmt nvarchar(max), @stmt1 nvarchar(max)
select
@stmt = isnull(@stmt + ', ', '') + name,
@stmt1 = isnull(@stmt1 + ', ', '') + '(' + name + ')'
from sys.columns
where object_id = object_id('Table1') and name not in ('ID')
select @stmt =
'select ID, ' + @stmt +
', (select sum(S.Q) from (values ' + @stmt1 +
') as S(Q) where S.Q is not null) as [Total] ' +
'from Table1 as T'
exec sp_executesql @stmt = @stmt
答案 2 :(得分:0)
扩展Roman Pekar,如果您正在使用临时表并希望这样做,则需要使用如下所示的tempdb:
select
@stmt = isnull(@stmt + ', ', '') + '[' + name + ']',
@stmt1 = isnull(@stmt1 + ', ', '') + '(' + '[' + name + ']'+ ')'
from tempdb.sys.columns
where object_id = object_id('tempdb..##TempTable') and name not in ('ID')
--ID would be one of the column names you DONT want to sum.
--also notice the double pound sign. you need to declare your temp table with double pounds or it wont work
--also notice how I put brackets around name, that's because my columns weren't working because they had slashes in their names.
--the rest of the code is the same
select @stmt =
'select Date_Packed, ' + @stmt + '' +
', (select sum(S.Q) from (values ' + @stmt1 +
') as S(Q) where S.Q is not null) as [Total] ' +
'from tempdb..##TempTableas T'
print @stmt
exec sp_executesql @stmt = @stmt
--don't forget to drop it
drop table ##TempTable