How to find second largest number in an array in Java?

后端 未结 10 968
野的像风
野的像风 2021-01-01 05:57

I\'m just practicing some MIT java assignments. But, I\'m not sure how to find the second largest number. http://ocw.csail.mit.edu/f/13

  public class Marath         


        
10条回答
  •  萌比男神i
    2021-01-01 06:22

    Sorting the array simply to find an order statistics is too wasteful. You can find the second largest element by following an algorithm that resembles the one that you already have, with an additional variable representing the second largest number.

    Currently, the next element could be larger than the max or equal to/smaller than the max, hence a single if is sufficient:

    if (times[i] > maxValue) {
        maxValue = times[i];
    }
    

    With two variables to consider, the next element could be

    • Greater than the max - the max becomes second largest, and the next element becomes the max
    • Smaller than the max but greater than the second largest - the next element becomes second largest.

    A special care must be taken about the initial state. Look at the first two items, and assign the larger one to the max and the smaller to the second largest; start looping at the element number three, if there is one.

    Here is how you can code it:

    if (times[i] > maxValue) {
        secondLargest = maxValue;
        maxValue = times[i];
    } else if (times[i] > secondLargest) {
        secondLargest = times[i];
    }
    

提交回复
热议问题