The java.util.Set.addAll(Collection C) method is used to append all of the elements from the mentioned collection to the existing set. The elements are added randomly without following any specific order.
Syntax:
boolean addAll(Collection C)
Parameters: The parameter C is a collection of any type that is to be added to the set.
Return Value: The method returns true if it successfully appends the elements of the collection C to this Set otherwise it returns False.
Below programs illustrate the Java.util.Set.addAll() method:
Program 1 : Appending a tree set.
import java.io.*;
import java.util.*;
public class TreeSetDemo {
public static void main(String args[])
{
Set<String> st1 = new TreeSet<String>();
st1.add( "Welcome" );
st1.add( "To" );
st1.add( "Geeks" );
st1.add( "4" );
st1.add( "Geeks" );
st1.add( "TreeSet" );
System.out.println( "Set: " + st1);
Set<String> st2 = new TreeSet<String>();
st2.add( "Hello" );
st2.add( "World" );
st1.addAll(st2);
System.out.println( "Set: " + st1);
}
}
|
Output:
Set: [4, Geeks, To, TreeSet, Welcome]
Set: [4, Geeks, Hello, To, TreeSet, Welcome, World]
Program 2 : Appending an ArrayList.
import java.io.*;
import java.util.*;
public class SetDemo {
public static void main(String args[])
{
Set<String> st1 = new TreeSet<String>();
st1.add( "Welcome" );
st1.add( "To" );
st1.add( "Geeks" );
st1.add( "4" );
st1.add( "Geeks" );
st1.add( "Set" );
System.out.println( "Initial Set: " + st1);
ArrayList<String> collect = new ArrayList<String>();
collect.add( "A" );
collect.add( "Computer" );
collect.add( "Portal" );
st1.addAll(collect);
System.out.println( "Final Set: " + st1);
}
}
|
Output:
Initial Set: [4, Geeks, Set, To, Welcome]
Final Set: [4, A, Computer, Geeks, Portal, Set, To, Welcome]
Reference: https://docs.oracle.com/javase/7/docs/api/java/util/Set.html#addAll(java.util.Collection)