Issue
i tray to build function to show the high and lowest number but between 0 and 20
"use strict";
let scors = [50, 70, 60, 20, 15, 14, 12, 10, 9, 8, -5, 4, 16, 2, 17.5, 12.75];
function minMax(score) {
let max = score[0];
let min = score[0];
for (let i = 0; i < score.length; i++) {
if (score[i] < min && score[i] >= 0) {
min = score[i];
}
//this part dose not work
if (score[i] > max && score[i] <= 20) {
max = score[i];
}
}
console.log(max);
console.log(min);
}
minMax(scors);
Solution
These are the conditions you applied, the current score must be greater than max
and less than 20
.
if (score[i] > max && score[i] <= 20) {
max = score[i];
}
This is an example of 4th first iteration.
- Iteration 1:
input: 50
>max: 50
- Iteration 2:
input: 70
>max: 50
- Iteration 3:
input: 60
>max = 50
- Iteration 4:
input: 20
>max = 50
In the 4th iteration, the
max
is not assigned as20
because it doesn’t greater than the current max which is 50.
Here is the simple solution:
- Add
score.sort();
for sorting the array before start looping. - Define the
min
with the last index of the array.
'use strict';
let scors = [50, 70, 60, 20, 15, 14, 12, 10, 9, 8, -5, 4, 16, 2, 17.5, 12.75];
function minMax(score) {
score.sort();
let max = score[0];
let min = score[score.length - 1];
for (let i = 0; i < score.length; i++) {
if (score[i] < min && score[i] >= 0) {
min = score[i];
}
// This part now works!
if (score[i] > max && score[i] <= 20) {
max = score[i];
}
}
console.log(max);
console.log(min);
}
minMax(scors);
Answered By – amlxv
Answer Checked By – Terry (BugsFixing Volunteer)