How to make copy of a string in Java
In this tutorial, we are going to learn about two different ways to copy a string in Java.
Copying the string
Consider, we have the following string:
str = 'hello'To make a copy of a string, we can use the built-in new String() constructor in Java.
Example:
public class Main
{
public static void main(String[] args) {
String s = "hello";
String copy = new String(s);
System.out.println(copy);
}
}Similarly, we can also copy it by assigning a string to the new variable, because strings are immutable objects in Java.
public class Main
{
public static void main(String[] args) {
String s = "hello";
String copy = s;
System.out.println(copy);
}
}

