I have the below table:
CREATE TABLE products
(
date DATE,
productname VARCHAR(80),
quantity INT(5)
);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-12-16','toy',5);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-12-18','santa',8);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-12-23','tree',15);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-11-16','toy',5);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-11-19','santa',2);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-11-24','tree',5);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-10-01','toy',10);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-10-04','santa',20);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-10-09','tree',30);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-10-01','toy',40);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-10-04','santa',30);
INSERT INTO `products`(`date`, `productname`, `quantity`) VALUES ('2016-10-09','tree',20)
I would like to see the sum of quantities having the dates per month one per row and the products names as columns, so I've created a query like:
SELECT DATE_FORMAT(`date`, '%Y-%m') As Date,
IF(`productname` = 'santa', SUM(`quantity`), 'none') As santa,
IF(`productname` = 'toy', SUM(`quantity`), 'none') As toy,
IF(`productname` = 'tree', SUM(`quantity`), 'none') As tree
FROM `products`
GROUP BY DATE_FORMAT(`date`, '%Y-%m'),`productname`
Which gives me something like this:
+---------+-------+------+------+
| Date | santa | toy | tree |
+---------+-------+------+------+
| 2016-10 | 50 | none | none |
+---------+-------+------+------+
| 2016-10 | none | 50 | none |
+---------+-------+------+------+
| 2016-10 | none | none | 50 |
+---------+-------+------+------+
| 2016-11 | 2 | none | none |
+---------+-------+------+------+
| 2016-11 | none | 5 | none |
+---------+-------+------+------+
| 2016-11 | none | none | 5 |
+---------+-------+------+------+
| 2016-12 | 8 | none | none |
+---------+-------+------+------+
| 2016-12 | none | 5 | none |
+---------+-------+------+------+
| 2016-12 | none | none | 15 |
+---------+-------+------+------+
Which is almost nice, but I would like it to be like this, so only one row for a particular month:
+---------+-------+------+------+
| Date | santa | toy | tree |
+---------+-------+------+------+
| 2016-10 | 50 | 50 | 50 |
+---------+-------+------+------+
| 2016-11 | 2 | 5 | 5 |
+---------+-------+------+------+
| 2016-12 | 8 | 5 | 15 |
+---------+-------+------+------+
Is it possible to achieve with queries?