Skip to content
DeveloperMemos

Looping through an Array in Kotlin and Including the Previous Value

Kotlin, Programming1 min read

When working with arrays in Kotlin, there are instances where you might need to access not only the current element but also its preceding one during iteration. This can be useful for various algorithms and data manipulation tasks. In this article, we will delve into how to effectively loop through an array in Kotlin while including the previous value, offering clear examples to illustrate the process.

Iterating through an Array

Let's start with a basic example of how to iterate through an array in Kotlin without including the previous value. Consider the following array:

1val numbers = arrayOf(1, 2, 3, 4, 5)

To loop through the elements of this array, we can use a simple for loop as shown below:

1for (number in numbers) {
2 println(number)
3}

The output of this code would be each number printed on a new line, demonstrating a straightforward iteration through the array.

Including the Previous Value

Now, let's move on to including the previous value while iterating through the array. One way to achieve this is by using the forEachIndexed function in Kotlin. This function allows us to access both the index and the corresponding element of the array, thus enabling us to retrieve the previous value.

1numbers.forEachIndexed { index, number ->
2 if (index > 0) {
3 val previousNumber = numbers[index - 1]
4 println("Current number: $number, Previous number: $previousNumber")
5 } else {
6 println("Current number: $number, No previous number")
7 }
8}

In this example, we utilize the forEachIndexed function to iterate through the array numbers. Within the lambda expression, we check if the index is greater than 0 to ensure that a previous element exists. If so, we access the previous number using numbers[index - 1]. This approach allows us to include the previous value while looping through the array.

Practical Example

Let's consider a practical scenario to demonstrate the usefulness of including the previous value when working with arrays. Suppose we have an array of temperatures, and we want to calculate the temperature differences between consecutive days. We can use the technique we've discussed to achieve this.

1val temperatures = arrayOf(25, 28, 22, 30, 27)
2
3temperatures.forEachIndexed { index, temperature ->
4 if (index > 0) {
5 val previousTemperature = temperatures[index - 1]
6 val temperatureDifference = temperature - previousTemperature
7 println("Temperature difference from day ${index - 1} to day $index: $temperatureDifference")
8 }
9}

In this example, as we iterate through the temperatures array, we calculate the temperature difference between each day and the previous day. By including the previous value, we can perform this calculation accurately.