Another result from SELECT and from SELECT inside VIEW

The result from the SELECT statement is different from the SELECT result inside the VIEW. How to fix the problem and get the same result in terms?

action table:

+--+---------+--------------+-----------+------+
|id|person_id|action_type_id|currency_id|sum   |
+--+---------+--------------+-----------+------+
|1 |1        |1             |1          | 1.00 |
|2 |1        |1             |1          | 5.00 |
|3 |1        |1             |2          |10.00 | 
|4 |1        |2             |1          | 2.00 |
|5 |2        |1             |1          |20.00 |
|6 |2        |2             |2          | 5.00 |
+--+---------+--------------+-----------+------+

select:

SELECT person_id AS p, currency_id AS c,
(
CAST(
COALESCE(
(SELECT SUM(sum) FROM actions WHERE action_type_id=1 AND person_id=p AND currency_id=c)
, 0)
AS DECIMAL(11,2)) -
CAST(
COALESCE(
(SELECT SUM(sum) FROM actions WHERE action_type_id=2 AND person_id=p AND currency_id=c)
, 0)
AS DECIMAL(11,2))
) AS sum
FROM actions
GROUP BY currency_id, person_id
ORDER BY person_id, currency_id;

Result:

+--+--+------+
|p |c |sum   |
+--+--+------+
|1 |1 | 4.00 |
|1 |2 |10.00 |
|2 |1 |20.00 |
|2 |2 |-5.00 |
+--+--+------+

select interior view:

CREATE VIEW p_sums AS
SELECT person_id AS p, currency_id AS c,
(
CAST(
COALESCE(
(SELECT SUM(sum) FROM actions WHERE action_type_id=1 AND person_id=p AND currency_id=c)
, 0)
AS DECIMAL(11,2)) -
CAST(
COALESCE(
(SELECT SUM(sum) FROM actions WHERE action_type_id=2 AND person_id=p AND currency_id=c)
, 0)
AS DECIMAL(11,2))
) AS sum
FROM actions
GROUP BY currency_id, person_id
ORDER BY person_id, currency_id;

SELECT * FROM p_sums;

Result:

+--+--+------+
|p |c |sum   |
+--+--+------+
|1 |1 |29.00 |
|1 |2 |29.00 |
|2 |1 |29.00 |
|2 |2 |29.00 |
+--+--+------+
+3
source share
1 answer

Can you do:

SELECT person_id AS p, currency_id AS c, SUM(CASE action_Type_id WHEN 1 THEN sum WHEN 2 THEN -sum END) as sum
FROM actions
GROUP BY currency_id, person_id
ORDER BY person_id, currency_id;

those. get rid of subqueries and just build one total amount (making action_type_id 2 values ​​negative)

+3
source

Source: https://habr.com/ru/post/1783860/


All Articles