QN032. Write a program to add new number in array.
1. Objective
To add new number in array.
2. Theory
In this program we create a method to add number in the array. This method is able to read all the data of old array and copy to new array and the new number is added in the last index.
3. Source Code
import java.util.*;
public class Qn032{
// Function to add new item in arr
public static int[] addX(int n, int arr[], int x)
{
int i;
// create a new array of size n+1
int newarr[] = new int[n + 1];
for (i = 0; i < n; i++)
newarr[i] = arr[i];
newarr[n] = x;
return newarr;
}
public static void main(String[] args)
{
int n = 10;
int i;
Scanner input = new Scanner(System.in);
int arr[] ={ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
System.out.println("\nInitial Array:\n" + Arrays.toString(arr));
System.out.print("\nEnter the new element for array: ");
int x = input.nextInt();
arr = addX(n, arr, x);
System.out.println("\nArray with " + x + " added:\n" + Arrays.toString(arr));
}
}
4. Output
Initial Array:
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
Enter the new element for array: 15
Array with 15 added:
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 15]
5. Conclusion
In this way, I would like to conclude that by using this program we can add new number in the array.