SQL to add a summary row to MySQL result set

♀尐吖头ヾ 提交于 2019-12-02 05:31:49

I would also do this in the presentation layer, but you can do it MySQL...

DROP TABLE IF EXISTS my_table;

CREATE TABLE my_table
(id INT NOT NULL AUTO_INCREMENT PRIMARY KEY
,pos DECIMAL(5,2)
,neg DECIMAL(5,2)
);

INSERT INTO my_table VALUES
(1,0,0),
(2,1,-2.5),
(3,1.6,-1),
(4,1,-2);


SELECT COALESCE(id,'total') my_id,SUM(pos),SUM(neg) FROM my_table GROUP BY id WITH ROLLUP;

+-------+----------+----------+
| my_id | SUM(pos) | SUM(neg) |
+-------+----------+----------+
|     1 |     0.00 |     0.00 |
|     2 |     1.00 |    -2.50 |
|     3 |     1.60 |    -1.00 |
|     4 |     1.00 |    -2.00 |
|  total|     3.60 |    -5.50 |
+-------+----------+----------+
5 rows in set (0.02 sec)

Here's a hack for the amended problem - it ain't pretty but I think it works...

SELECT COALESCE(id,'') my_id
     , SUM(pos)
     , SUM(neg)
     , COALESCE(string,'') n
  FROM my_table 
 GROUP 
    BY id
     , string
  WITH ROLLUP
HAVING n <> '' OR my_id = ''
;
select keyword,sum(positiveResults)+sum(NegativeResults)
from mytable
group by
Keyword

if you need the absolute value put sum(abs(NegativeResults)

This should be handled at least one layer above the SQL query layer.

The initial query can fetch the detail info and then the application layer can calculate the aggregation (summary row). Or, a second db call to fetch the summary directly can be used (although this would be efficient only for cases where the calculation of the summary is very resource-intensive and a second db call is really necessary - most of the time the app layer can do it more efficiently).

The ordering/layout of the results (i.e. the detail rows followed by the "footer" summary row) should be handled at the presentation layer.

I'd recommend doing this at the presentation layer. To do something like this in SQL is also possible.

create table test (
  keywordid int, 
  positiveresult decimal(10,2), 
  negativeresult decimal(10,2)
);
insert into test values 
(1, 0, 0), (2, 1, -2.5), (3, 1.6, -1), (4, 1, -2);

select * from (
    select keywordid, positiveresult, negativeresult
    from test
      union all
    select null, sum(positiveresult), sum(negativeresult) from test
) main
order by
case when keywordid is null then 1000000 else keywordid end;

I added ordering using a arbitrarily high number if keywordid is null to make sure the ordered recordset can be pulled easily by the view for displaying.

Result:
+-----------+----------------+----------------+
| keywordid | positiveresult | negativeresult |
+-----------+----------------+----------------+
|         1 |           0.00 |           0.00 |
|         2 |           1.00 |          -2.50 |
|         3 |           1.60 |          -1.00 |
|         4 |           1.00 |          -2.00 |
|      NULL |           3.60 |          -5.50 |
+-----------+----------------+----------------+
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!