What is the ArrayDeque.getLast method in Java?

The getLast method is used to get the last element of the ArrayDeque object without deleting the item itself.

An ArrayDeque (Array Double Ended Queue) is a growable array that allows us to add or remove an element from both the front and back. This class is the implementation class of the Deque interface. ArrayDeque can be used as a stack or queue. Null elements are prohibited.

Syntax

public E getLast()

Parameters

This method doesn’t take any parameters.

Return value

The getLast method retrieves the last element of the deque object. If the dequeu is empty then the NoSuchElementException exception is thrown.

This method is similar to the peekLast method except that the getLast method throws the NoSuchElementException if the deque is empty whereas the peekLast method returns null.

Code

The code below demonstrates how to use the getLast method.

import java.util.ArrayDeque;
class GetLast {
public static void main( String args[] ) {
ArrayDeque<String> arrayDeque = new ArrayDeque<>();
arrayDeque.add("1");
arrayDeque.add("2");
arrayDeque.add("3");
System.out.println("The arrayDeque is " + arrayDeque);
System.out.println("arrayDeque.getLast() returns : " + arrayDeque.getLast());
}
}

Explanation

In the code above:

  • In line 1: We import the ArrayDeque class.

  • In line 4: We create an ArrayDeque object with the name arrayDeque.

  • From lines 5 to 7: We use the add() method of the arrayDeque object to add three elements ("1","2","3") to dequeu.

  • In line 10: We use the getLast() method of the arrayDeque object to get the last element of the deque. In our case, 3 is returned.