Java Arrays - copyOf() Method
The java.util.Arrays.copyOf() method is used to copy the specified array, truncating or padding with null characters (if necessary) so the copy has the specified length. For all indices that are valid in both the original array and the copy, the two arrays will contain identical values. For any indices that are valid in the copy but not the original, the copy will contain '\\u000'. Such indices will exist if and only if the specified length is greater than that of the original array.
Syntax
public static char[] copyOf(char[] original, int newLength)
Parameters
original |
Specify the array to be copied. |
newLength |
Specify the length of the copy to be returned. |
Return Value
Returns a copy of the original array, truncated or padded with null characters to obtain the specified length.
Exception
- Throws NegativeArraySizeException, if newLength is negative.
- Throws NullPointerException, if original is null.
Example:
In the example below, the java.util.Arrays.copyOf() method returns a copy of the given array, truncated or padded with null characters to obtain the specified length.
import java.util.*; public class MyClass { public static void main(String[] args) { //creating a char array char Arr1[] = {'a', 'e', 'i'}; //copy Arr1 into Arr2 with length 5 char Arr2[] = Arrays.copyOf(Arr1, 5); Arr2[3] = 'o'; Arr2[4] = 'u'; //printing Arr1 System.out.print("Arr1 contains:"); for(char c: Arr1) System.out.print(" " + c); //printing Arr2 System.out.print("\nArr2 contains:"); for(char c: Arr2) System.out.print(" " + c); } }
The output of the above code will be:
Arr1 contains: a e i Arr2 contains: a e i o u
❮ Java.util - Arrays