Home »
Java »
Java Programs
Java program to create the clone of a HashSet collection
Java example to create the clone of a HashSet collection.
Submitted by Nidhi, on May 09, 2022
Problem statement
In this program, we will create a set using the HashSet collection to store integer elements. Then we will create a clone of created HashSet using the clone() method. The clone() method created the shallow copy of a HashSet collection.
Java program to create the clone of a HashSet collection
The source code to create the clone of a HashSet collection is given below. The given program is compiled and executed successfully.
// Java program to create the clone of
// the HashSet collection
import java.util.*;
public class Main {
public static void main(String[] args) {
HashSet < Integer > nums = new HashSet();
nums.add(1);
nums.add(2);
nums.add(3);
nums.add(4);
HashSet < Integer > clone = (HashSet < Integer > ) nums.clone();
System.out.println("Set items: ");
Iterator < Integer > itr = nums.iterator();
while (itr.hasNext()) {
System.out.println(" " + itr.next());
}
System.out.println("Cloned Set items: ");
Iterator < Integer > itr1 = clone.iterator();
while (itr1.hasNext()) {
System.out.println(" " + itr1.next());
}
}
}
Output
Set items:
1
2
3
4
Cloned Set items:
1
2
3
4
Explanation
In the above program, we imported the "java.util.*" package to use the HashSet collection. Here, we created a public class Main that contains a main() method.
The main() method is the entry point for the program. And, we created a set nums to store integer data elements using HashSet collection. Then we cloned the nums HashSet and created a clone HashSet using the clone() method and printed both collections.
Java HashSet Programs »