Java Find Max Min in Array

1. Introduction

Finding the maximum and minimum values in an array is a common task in Java programming. This is useful in various scenarios such as data analysis, algorithm optimization, etc. In this blog post, we will explore how to find the maximum and minimum values in an array in Java.

2. Program Steps

1. Initialize the array with some integer values.

2. Set the first element of the array as the initial maximum and minimum.

3. Traverse the array starting from the second element.

a. Compare each element with the current maximum, and if it is greater, update the maximum.

b. Compare each element with the current minimum, and if it is smaller, update the minimum.

4. Print the maximum and minimum values found.

3. Code Program

public class MaxMinArray {

    public static void main(String[] args) {
        // Step 1: Initialize the array with some integer values
        int[] array = {10, 4, 3, 5, 7};

        // Step 2: Set the first element of the array as initial maximum and minimum
        int max = array[0];
        int min = array[0];

        // Step 3: Traverse the array starting from the second element
        for (int i = 1; i < array.length; i++) {
            // Compare each element with the current maximum
            // If it is greater, update the maximum
            if (array[i] > max) {
                max = array[i];
            }

            // Compare each element with the current minimum
            // If it is smaller, update the minimum
            if (array[i] < min) {
                min = array[i];
            }
        }

        // Step 4: Print the maximum and minimum values found
        System.out.println("Maximum Value: " + max);
        System.out.println("Minimum Value: " + min);
    }
}

Output:

Maximum Value: 10
Minimum Value: 3

4. Step By Step Explanation

In Step 1, we initialize the array with some integer values.

In Step 2, we set the first element of the array as the initial max and min.

During Step 3, we start traversing the array from the second element, comparing each element with the current max and min. If the element is greater than the current max, we update max. If it's smaller than the current min, we update min.

Finally, in Step 4, we print out the max and min values found in the array, which are 10 and 3 respectively.

Comments