How to SELECT a minimum from two rows? I have tried this:
SELECT `DATE`, `PRICE1`, `PRICE2`, MIN (`PRICE1`, `PRICE2`) AS MINIMUM_OF_P1P2
FROM `TABLE`
I would like to get a result like this
DATE PRICE1 PRICE2 MINIMUM_OF_P1P2
-------------------------------------------
2013-07-08 5.96 5.79 X.XX <-- 5.79 expected
2013-07-09 5.89 6.04 X.XX <-- 5.89 expected
2013-07-10 6.03 5.97 X.XX <-- 5.97 expected
2013-07-11 6.08 6.10 X.XX <-- 6.08 expected
2013-07-12 6.13 5.97 X.XX <-- 5.97 expected
2013-07-15 6.15 6.25 X.XX <-- 6.15 expected
2013-07-16 6.33 6.44 X.XX <-- 6.33 expected
2013-07-17 6.47 6.35 X.XX <-- 6.35 expected
But i get an error: FUNCTION MIN does not exist.
First of all, you're actually using the wrong function. If you need the lowest of two provided values, use the
LEAST()
function.The
MIN()
function is an aggregate function. It returns the lowest value of multiple records.would return only a single record:
because that's the lowest value for
PRICE1
in your table.But why the 'FUNCTION MIN does not exist' error?
However, that's not what's triggering the error here. The problem is that there's a whitespace between the function name and opening parenthesis:
From the MySQL manual:
In other words, the space between
MIN
and(
causes that MySQL doesn't recognizeMIN
correctly, and throws an error message.Solution:
Simply remove the whitespace between the function name and the opening parenthesis
(
.Alternative solution
Or, you could tell MySQL that you'd like to use a space between the function name and opening parenthesis, as described here.
Personally, I'd remove the whitespace, so your code works in all environments.