stefanobaldo
stefanobaldo

Reputation: 2063

Get minimum value greater than zero

I have the following table:

column1   column2   column3
   3         2         0
   5         9         2
   1         4         6

When I run the following code:

SELECT
  id_function = @param,
  MIN(t1.column1) AS c1min, 
  MAX(t1.column2) AS c2max,
  MIN(t1.column3) AS c3min
FROM
  table1 (NOLOCK) AS t1
WHERE
  t1.id = @param

I get:

c1min   c2max   c3min
  1       9       0

My problem is that c3min must be the minimum value greater than zero. The result I need should be:

c1min   c2max   c3min
  1       9       2

Is there any way to do that without using a subselect? Any help will be appreciated.

Thank you!

Upvotes: 9

Views: 18565

Answers (3)

Ardalan Shahgholi
Ardalan Shahgholi

Reputation: 12555

It work .

(But I thing answer of :Hedinn is best answer ).

SELECT  id_function = @param ,
    c1min = ( SELECT    MIN(t1Sub.column1)
              FROM      table1 (NOLOCK) AS t1Sub
              WHERE     t1Sub.id = @param
            ) ,
    c2max = ( SELECT    MAX(t2Sub.column2)
              FROM      table1 (NOLOCK) AS t2Sub
              WHERE     t2Sub.id = @param
            ) ,
    c3min = ( SELECT    MIN(t3Sub.column3)
              FROM      table1 (NOLOCK) AS t3Sub
              WHERE     ( t3Sub.id = @param )
                        AND ( t3Sub.column3 <> 0 )
            )
FROM    table1 (NOLOCK) AS t1
WHERE   ( t1.id = @param )

Upvotes: 3

Hedinn
Hedinn

Reputation: 864

I would recommend using nullif() so your query would be

SELECT id_function = @param,
   MIN(t1.column1) AS c1min, 
   MAX(t1.column2) AS c2max,
   MIN(NULLIF(t1.column3,0) AS c3min
FROM table1 (NOLOCK) AS t1
WHERE t1.id = @param

that way you don't risk altering your results, e.g. if your real minimum in column 3 is 100 the previous answer would affect your results, and also if you only have zeros in your column 3 column the previous answer would also deliver incorrect results

Upvotes: 19

juergen d
juergen d

Reputation: 204756

You could use a case to set the 0 value to a higher value on your min() condition

SELECT id_function = @param,
       MIN(t1.column1) AS c1min, 
       MAX(t1.column2) AS c2max,
       MIN(case when t1.column3 = 0 then 99 else t1.column3 end) AS c3min
FROM table1 (NOLOCK) AS t1
WHERE t1.id = @param

Upvotes: 5

Related Questions