What is the ConcurrentLinkedDeque.removeLast() method in Java?
The
ConcurrentLinkedDequeis thread-safe unbounded deque. Thenullvalue is not permitted as an element. We can use theConcurrentLinkedDequewhen multiple threads are sharing a single Deque.
The removeLast method gets and removes the last element of the ConcurrentLinkedDeque object.
Syntax
public E removeLast()
Parameters
This method doesn’t take any parameters.
Return value
This method retrieves and removes the last element of the Deque object. If the Deque object is empty then NoSuchElementException is thrown.
This method is similar to the
pollLastmethod except that theremoveLastmethod throws theNoSuchElementExceptionif thedequeis empty whereas thepollLastmethod returnsnull.
Code
The code below demonstrates the use of the removeLast method:
import java.util.concurrent.ConcurrentLinkedDeque;class RemoveLast {public static void main( String args[] ) {ConcurrentLinkedDeque<String> deque = new ConcurrentLinkedDeque<>();deque.add("1");deque.add("2");deque.add("3");System.out.println("The deque is " + deque);System.out.println("deque.removeLast() returns : " + deque.removeLast());System.out.println("The deque is " + deque);}}
Explanation
In the code above,
-
In line 1, we import the
ConcurrentLinkedDequeclass. -
In line 4, we create a
ConcurrentLinkedDequeobject nameddeque. -
From lines 5 to 7, we use the
dequeobject to add three elements("1","2","3") todeque. -
In line 10, we use the
removeLast()method of thedequeobject to get and remove the last element. In our case,3will be removed and returned.