Reputation: 23
I've two tables (table1 and table2) that share a column (day_code number).
I want to obtain the count of records that each table have from a minimum day_code and group by the results by day_code.
20160703 - 5
20160704 - 4
20160703 - 5
20160704 - 4
I need something like that:
----------------------------------------------------
DAY_CODE | TABLE 1 | TABLE 2 |
20160703 | 5 | 5 |
20160704 | 4 | 4 |
I'm using that query:
SELECT *
FROM
(
SELECT day_code, COUNT(day_code) AS TB1 FROM TABLE1 GROUP BY day_code
UNION ALL
SELECT day_code, COUNT(day_code) AS TB2 FROM TABLE2 GROUP BY day_code
) s
where day_code between 20160703 and 20160704
I'm obtaing this:
DAY_CODE | TB1
20160703 | 5
20160704 | 4
20160703 | 5
20160704 | 4
Can you help me?
Thank you in advance for your advices, LR
Upvotes: 2
Views: 1794
Reputation:
Here is a solution using pivot. I created more data to show proper treatment of null values.
with table1 (day_code, ct) as (
select 20160703, 5 from dual union all
select 20160704, 4 from dual union all
select 20160705, 7 from dual
),
table2 (day_code, ct) as (
select 20160703, 5 from dual union all
select 20160704, 8 from dual
)
select *
from (select day_code, ct, 1 as t from table1
union all
select day_code, ct, 2 as t from table2
)
pivot (min(ct) for t in (1 as table1, 2 as table2))
order by day_code;
Output:
DAY_CODE TABLE1 TABLE2
---------- ---------- ----------
20160703 5 5
20160704 4 8
20160705 7
Upvotes: 0
Reputation: 36097
Try:
SELECT coalesce( t1.day_code, t2.day_code) As daycode,
nvl( cnt1, 0 ) cnt1,
nvl( cnt2, 0 ) cnt2
FROM (
SELECT day_code, count(*) cnt1
FROM tab1
GROUP BY day_code
) t1
FULL OUTER JOIN (
SELECT day_code, count(*) cnt2
FROM tab2
GROUP BY day_code
) t2
ON t1.day_code = t2.day_code
ORDER BY 1
Upvotes: 1