En SQL Server 2012 o superior, puede usar una combinación de IIF
y ISNULL
(o COALESCE
) para obtener el máximo de 2 valores.
Incluso cuando 1 de ellos es NULL.
IIF(col1 >= col2, col1, ISNULL(col2, col1))
O si desea que devuelva 0 cuando ambos son NULL
IIF(col1 >= col2, col1, COALESCE(col2, col1, 0))
Fragmento de ejemplo:
-- use table variable for testing purposes
declare @Order table
(
OrderId int primary key identity(1,1),
NegotiatedPrice decimal(10,2),
SuggestedPrice decimal(10,2)
);
-- Sample data
insert into @Order (NegotiatedPrice, SuggestedPrice) values
(0, 1),
(2, 1),
(3, null),
(null, 4);
-- Query
SELECT
o.OrderId, o.NegotiatedPrice, o.SuggestedPrice,
IIF(o.NegotiatedPrice >= o.SuggestedPrice, o.NegotiatedPrice, ISNULL(o.SuggestedPrice, o.NegotiatedPrice)) AS MaxPrice
FROM @Order o
Resultado:
OrderId NegotiatedPrice SuggestedPrice MaxPrice
1 0,00 1,00 1,00
2 2,00 1,00 2,00
3 3,00 NULL 3,00
4 NULL 4,00 4,00
Pero si uno necesita SUMAR múltiples valores?
Luego sugiero CRUZAR APLICAR a una agregación de los VALORES.
Esto también tiene el beneficio de que puede calcular otras cosas al mismo tiempo.
Ejemplo:
SELECT t.*
, ca.[Total]
, ca.[Maximum]
, ca.[Minimum]
, ca.[Average]
FROM SomeTable t
CROSS APPLY (
SELECT
SUM(v.col) AS [Total],
MIN(v.col) AS [Minimum],
MAX(v.col) AS [Maximum],
AVG(v.col) AS [Average]
FROM (VALUES (t.Col1), (t.Col2), (t.Col3), (t.Col4)) v(col)
) ca
GREATEST
función; SQLite emula el soporte al permitir múltiples columnas en elMAX
agregado.