Scala program to find maximum and minimum of an array

1. Introduction

Finding the maximum and minimum values in an array is a fundamental problem in computer science and is frequently used in various algorithms and applications. Scala, with its robust collection library, makes this task straightforward. In this post, we will explore how to determine the maximum and minimum values of an array using Scala.

2. Program Steps

1. Set up the Scala environment.

2. Create an object to house the main function.

3. Define an array of numbers.

4. Utilize built-in Scala functions to determine the maximum and minimum values in the array.

5. Print the determined maximum and minimum values.

6. Run the program.

3. Code Program

object MaxMinApp {
  def main(args: Array[String]): Unit = {
    // Define an array of numbers
    val numbers = Array(45, 12, 89, 33, 76, 50)

    println("Array contents: " + numbers.mkString(", "))

    // Determine the maximum and minimum using built-in functions
    val maxVal = numbers.max
    val minVal = numbers.min

    println(s"\nMaximum value in the array: $maxVal")
    println(s"Minimum value in the array: $minVal")
  }
}

Output:

Array contents: 45, 12, 89, 33, 76, 50
Maximum value in the array: 89
Minimum value in the array: 12

Explanation:

1. We begin with an object named MaxMinApp. In Scala, the main method, serving as the program's entry point, is housed inside an object.

2. Inside the main function, we define an array named numbers containing a few integer values.

3. We print the array's contents to provide clarity to the user.

4. To determine the maximum and minimum values in the array, we employ Scala's built-in max and min methods. These methods traverse the array to find the highest and lowest values, respectively.

5. We then print out the determined maximum and minimum values.

6. As evidenced in the output, when executed, the program displays the array's contents, followed by its maximum and minimum values.


Comments