I need to formulate a mysql query to select values normalized this way:
normalized = (value-min(values))/(max(values)-min(values))
My attempt looks like this:
select
Measurement_Values.Time,
((Measurement_Values.Value-min(Measurement_Values.Value))/(max(Measurement_Values.Value)-min(Measurement_Values.Value)))
from Measurement_Values
where Measurement_Values.Measure_ID = 49 and Measurement_Values.time >= '2020-05-30 00:00'
but is obviously wrong as it returns only one value. Can you help me finding the correct syntax?
Your question is a little short on explanations, but I think that you want window functions (available in MySQL 8.0 only):
select
time,
value,
(value - min(value) over() / (max(value) over() - min(value) over()) normalized_value
from measurement_values
where measure_id = 49 and time >= '2020-05-30 00:00'
Or, in earlier versions, you can get the same result by joining the table with an aggregate query:
select
mv.time,
mv.value,
(mv.value - mx.min_value) / (mx.max_value - mx.min_value) normalized_value
from measurement_values
cross join (
select min(value) min_value, max(value) max_value
from measurement_values
where measure_id = 49 and time >= '2020-05-30 00:00'
) mx
where measure_id = 49 and time >= '2020-05-30 00:00'