Dart| Flutter How to: Insert an element at beginning of a List with Example

This tutorial shows how to insert the data at beginning of a list with examples in dart

List inserts the elements in the insertion order. In the below program, add method inserts the elements to the end of a List.

void main() {
  List wordsList = ['one', 'two', 'three'];
  wordsList.add("five");
  print(wordsList);
}

Output:

[one, two, three, five]

Dart List insert at the beginning with examples

The List insert method provides inserting an element at the index position. with this method, It increases the size of the list and the list must be growable.

void insert(int index, dynamic element)
void main() {
  List wordsList = ['one', 'two', 'three'];
  wordsList.insert(0,"five");
  print(wordsList);
}

Output:

[five, one, two, three]

Similarly, you can add at the start of a list using another way using for-in loop syntax.

void main() {
  List wordsList = ['one', 'two', 'three'];
  wordsList = [
    "five",
    for (String item in wordsList) item,
  ];
  print(wordsList);
}

Output:

[five, one, two, three]