I'm trying to do a query which presents my data in an atypical way. The easiest way to explain is by example:
header:
SELECT
'010' header,
'54' as number1,
'MAC' sender
from dual
table1
select
phonenumber,
clientid
from table1
output:
phonenumer clientid
54234 3
4234 2
41211 5
table2
select
productname,
productid
from table2
output:
productname productid
Apple 9
TV 2
table1, table2, and header are not connected. As output I will expect:
010 54 MAC <- from header
54234 3 <- from query1
Apple 9 <- from query2
010 54 MAC
4234 2
TV 2
and so on.
How can handle this? I was trying to use CROSS JOIN
, and UNION
. Is this possible to do using SQL? Should I create a procedure/function?
You can combine the rows using union all
. Then you can interleave the values using row_number()
or rownum
and order them using order by
:
select header, number1, sender
from ((select header, number1, sender, 1 as priority, NULL as rn
from header
) union all
(select phonenumber, clientid, NULL, 2, rownum as rn
from table1
) union all
(select NULL, productname, productid, 2, rownum as rn
from table2
)
) t
order by priority, rn, header nulls last;