Skip to main content
Please wait...
A Kotlin List is an Ordered Collection of Elements
02 Apr, 2025

A Kotlin List is an Ordered Collection of Elements

A Kotlin list is an ordered collection of ordered elements that you can access by their index. Lists in Kotlin are part of the Kotlin Collections framework and are used to store multiple items in a single variable. As in many other programming languages, the index of the first element in a Kotlin list is 0. 

 

Immutable Lists 

An immutable list is a read-only list that cannot be modified after you create it. You can create an immutable list using the listOf function. Here's an example: 

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

In this example, numbers is an immutable list containing five elements. You can access elements using their index, like numbers[0], which returns 1. 

 

Mutable Lists 

A mutable list can be modified after you create it. You can create a mutable list using the mutableListOf function. Here's an example where we use the add() method for element insertion: 

val vegetables = mutableListOf("Carrot", "Potato", "Tomato") 
vegetables.add("Cucumber") 
vegetables.remove("Potato") 
  

In this example, vegetables is a mutable list. You can add new elements using the add method and remove elements using the remove method. 

 

Handling Null Elements

Kotlin lists can handle null elements. You can include null values in both immutable and mutable lists. Here's an example: 

val mixedList = listOf(1, null, 3, null, 5) 
  

In this example, mixedList contains both integer values and null elements. You can access and check for null values using standard list operations. 

 

Filtering Elements 

You can use the filter method to create a new list containing only the elements that match a given condition. Here's an example: 

val numbers = listOf(1, 2, 3, 4, 5, null) 
val nonNullNumbers = numbers.filter { it != null } 
  

In this example, nonNullNumbers will be a list containing [1, 2, 3, 4, 5], excluding the null element. 

 

Common Operations 

Kotlin lists support various operations such as: 

  • Accessing elements: list[index] 

  • Iterating over elements: for (item in list) { ... } 

  • Returns the number of elements: list.size 

  • Filtering: list.filter { it != null } 

  • Mapping: list.map { it?.toString() ?: "null" } 

 

Advantages 

  • Type Safety: Lists in Kotlin are type-safe, meaning you can only store elements of a specific type. 

  • Null Safety: Kotlin's null safety features help prevent null pointer exceptions. 

  • Ease of Use: Kotlin lists are easy to use and integrate well with other Kotlin features. 

Kotlin lists are versatile and powerful, making them a fundamental part of Kotlin programming. Whether you need a fixed collection or one that can change, Kotlin lists provide the functionality you need.