2

I am trying to perform the following code:

function oldestAges(ages){
    if (ages == []){
      return [0,0]; 
    }else{
      var max = Math.max.apply(null, ages); 
              ages.splice(ages.indexOf(max), 1); 
      var max2 = Math.max.apply(null, ages); 
      return [max2,max];
  }
}

However, when testing [] as ages, the expected was '[0, 0]', instead got: '[-Infinity, -Infinity]'

Also, is there a much easier way to accomplish the same task? I ask because using R I could get the same result in much less number of lines. I am noob in javascript still.

4
  • 1
    You can't use == to compare arrays by their contents. The operator compares only by object identity, so one array will never ever be == to another array. Commented Oct 1, 2018 at 20:32
  • 2
    Use if(ages.length == 0) to test for an empty array. Commented Oct 1, 2018 at 20:33
  • The simple way is to sort the array and then return the first two elements. Commented Oct 1, 2018 at 20:33
  • As @Barmar implied: the problem is in this line: if (ages == []){ - it will always return false Commented Oct 1, 2018 at 20:50

3 Answers 3

4

A simple (not sure about the most optimal) way to achieve this:

const input = [5, 150, 2, 8, 58, 4];

const result = input.sort((x, y) => y - x).slice(0, 2);

console.log(result);

Sign up to request clarification or add additional context in comments.

Comments

1

You can sort your array in descending order so that the first two elements contain the highest values.

ages.sort((a, b) => b - a);

Now ages[0] and ages[1] contain the two biggest numbers.

Comments

1

ages.length == 0 is what you can use to see if the number of the elements in the array is zero.

Your code has an error where you say if (ages == []).

Try this,

function oldestAges(ages){
        if (ages.length == 0){
          return [0,0];
        }else{
          var max = Math.max.apply(null, ages);
                  ages.splice(ages.indexOf(max), 1);
          var max2 = Math.max.apply(null, ages);
          return [max2,max];
      }
    }

Comments

Your Answer

By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.