guri
guri

Reputation: 684

CASE Statement in SQL WHERE clause

I'm trying to fetch data from table where I'm using a CASE condition in the WHERE clause and currently I'm using following query:-

SELECT count(enq_id) AS total, sum(purchase_amount) AS purchase
FROM temp_stock
WHERE purchase_date <> '0000-00-00'
AND purchase_date < '2012-08-01'
AND (

STATUS = 'Sold'
OR STATUS = 'In Stock'
OR STATUS = 'Ref'
)
AND CASE WHEN (

STATUS = 'Sold'
)
THEN delivery_date >= '2012-08-01'
END

But it returns 0 for total and NULL for purchase.

Upvotes: 6

Views: 24063

Answers (2)

Himanshu
Himanshu

Reputation: 32612

From your comment.

I want to use Case Statement, could u pls clarify me about case statament in where clause

You can use CASE statement in WHERE like this:

SELECT count(enq_id) AS total, sum(purchase_amount) AS purchase
FROM temp_stock
WHERE purchase_date <> '0000-00-00'
AND purchase_date < '2012-08-01'
AND (    STATUS = 'Sold'
      OR STATUS = 'In Stock'
      OR STATUS = 'Ref')
AND CASE STATUS 
         WHEN 'Sold' 
         THEN delivery_date >= '2012-08-01'
         ELSE 1=1
    END

Here you need to use ELSE 1=1. otherwise you will not get desired result. For more explanation see this SQLFiddle

Upvotes: 18

Ian Clelland
Ian Clelland

Reputation: 44192

I don't think that CASE can work that way. What you want is a slightly more complex expression as your WHERE clause. Probably something like this:

SELECT count(enq_id) AS total, sum(purchase_amount) AS purchase
FROM temp_stock
WHERE purchase_date <> '0000-00-00'
  AND purchase_date < '2012-08-01'
  AND (
     (STATUS = 'Sold' AND delivery_date >= '2012-08-01')
   OR STATUS = 'In Stock'
   OR STATUS = 'Ref'
 )

Upvotes: 4

Related Questions