Sql-server – How to count rows with two properties in one index scan in SQL

azure-sql-databaseperformancequery-performancesql serversql-server-2008-r2

I have a table Units where I have rows ItemId, ItemCreationDate, ItemUnitsCount. ItemId is a primary key and I have a clustered index over it.

I need to output the following: for each day I need to count separately

  1. items that were created in that day and have zero ItemUnitsCount
  2. items that were created in that day and have nonzero ItemUnitsCount

and output the count and the date and on any day there can be any number of item of both kinds, maybe none. Each kind of items should be reported separately, so for any day I can have no rows, one row or two rows.

So I crafted the following query:

(SELECT ItemCreationDate, COUNT(ItemId) AS ComputedCount, 1 AS CountType
   FROM Items WHERE ItemUnitsCount<>0 GROUP BY ItemCreationDate )
UNION ALL
(SELECT ItemCreationDate, COUNT(ItemId) AS ComputedCount, 2 AS CountType
   FROM Items WHERE ItemUnitsCount=0 GROUP BY ItemCreationDate )

and this works okay, but when I looks at the actual execution plan I see two clustered index scans one of which has predicate ItemUnitsCount=0 and another has predicate ItemUnitsCount<>0.

ItemUnitsCount can be changed several times over lifetime of the table row, so I'd rather not build an index for it.

Is there a way to build a query with the same effect that results in one index scan instead of two?

Best Answer

Group by your condition

SELECT
    ItemCreationDate,
    COUNT(ItemId) AS ComputedCount,
    CASE WHEN ItemUnitsCount = 0 THEN 2 ELSE 1 END AS CountType
FROM
    Items
GROUP BY
    ItemCreationDate,
    CASE WHEN ItemUnitsCount = 0 THEN 2 ELSE 1 END;