Reputation: 1067
I have 2 columns like this:
word | amount |
---|---|
dog | 1 |
dog | 5 |
elephant | 2 |
I want to sum the amounts, to get the result
word | amount |
---|---|
dog | 6 |
elephant | 2 |
What I have tried so far (and failed) is this:
SELECT word, SUM(amount) FROM `Data` GROUP BY 'word'
Upvotes: 57
Views: 113583
Reputation: 1238
SELECT column_name1, SUM(column_name2)
FROM table_name
GROUP BY column_name1
Upvotes: 1
Reputation: 442
It should be grave accent symbol not single quote:
SELECT word, SUM( amount )
FROM Data
GROUP BY `word`;
Output:
word SUM(amount)
dog 6
Elephant 2
Upvotes: 17
Reputation: 35
Try this unconventional approach.
SELECT word, SUM(amount)
FROM Data
Group By word
Upvotes: 1
Reputation: 263893
Remove the single quote around the WORD
. It causes the column name to be converted as string.
SELECT word, SUM(amount)
FROM Data
Group By word
Upvotes: 89