Search code examples
mysqlmysql-workbenchmysql-select-db

count wthout invalid use group of function mysql


I have a table like this,

CREATE TABLE order_match
    (`order_buyer_id` int, `createdby` int, `createdAt` datetime, `quantity` decimal(10,2))
;

INSERT INTO order_match
    (`order_buyer_id`, `createdby`, `createdAt`, `quantity`)
VALUES
    (19123, 19, '2017-02-02', 5),
    (193241, 19, '2017-02-03', 5),
    (123123, 20, '2017-02-03', 1),
    (32242, 20, '2017-02-04', 4),
    (32434, 20, '2017-02-04', 5),
    (2132131, 12, '2017-02-02', 6)
;

here's the fiddle on this table, order_buyer_id is id of the transaction, createdby are the buyer, createdAt are the time of each transaction, quantity are the quantity of transaction

I want to find out the maximum, minimum, median and average for each repeat order (the buyer with transaction > 1)

so on this table, expected results are just like this

+-----+-----+---------+--------+
| MAX | MIN | Average | Median |
+-----+-----+---------+--------+
|   3 |   2 |     2.5 |      3 |
+-----+-----+---------+--------+

note: im using mysql 5.7

I am using this syntax

select -- om.createdby, om.quantity, x1.count_
       MAX(count(om.createdby)) AS max,
       MIN(count(om.createdby)) AS min,
       AVG(count(om.createdby)) AS average
  from (select count(xx.count_) as count_
          from (select count(createdby) as count_ from order_match
                 group by createdby
                 having count(createdby) > 1) xx
        ) x1,
        (select createdby
           from order_match
          group by createdby
          having count(createdby) > 1) yy,
        order_match om
 where yy.createdby = om.createdby
   and om.createdAt <= '2017-02-04'
   and EXISTS (select 1 from order_match om2
                where om.createdby = om2.createdby
                  and om2.createdAt >= '2017-02-02'
                  and om2.createdAt <= '2017-02-04')

but it's said

Invalid use of group function

Solution

  • We can try aggregating by createdby, and then taking the aggregates you want:

    SELECT
        MAX(cnt) AS MAX,
        MIN(cnt) AS MIN,
        AVG(cnt) AS Average
    FROM
    (
        SELECT createdby, COUNT(*) AS cnt
        FROM order_match
        GROUP BY createdby
        HAVING COUNT(*) > 0
    ) t
    

    To simulate the median in MySQL 5.7 is a lot of work, and ugly. If you have a long term need for median, consider upgrading to MySQL 8+.