QN031. Write a program to delete a number from array.


1. Objective

To delete a number from array.

2. Theory

In this program we use for loop to travel through all the element of array and apply if statement to check for the element and shift the array element using another loop.

3. Source Code
import java.util.Scanner;
public class Qn031 {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
int[] arrVar = {1, 2, 5, 12, 7, 3, 8};

System.out.println("Available Array:\n");
for(int i = 0; i < arrVar.length; i++){
System.out.print(arrVar[i]+" ");
}
System.out.print("\nEnter Element to be deleted : ");
int element = input.nextInt();

for(int i = 0; i < arrVar.length; i++){
if(arrVar[i] == element){
// shifting elements
for(int j = i; j < arrVar.length - 1; j++){
arrVar[j] = arrVar[j+1];
}
break;
}
}

System.out.println("\nAfter removing element " + element + "\n");
for(int i = 0; i < arrVar.length-1; i++){
System.out.print(arrVar[i]+" ");
}
}
}
4. Output

Available Array:
1 2 5 12 7 3 8
Enter Element to be deleted: 7

After removing element 7
1 2 5 12 3 8

5. Conclusion

In this way, I would like to conclude that, We can delete any number from the array using this program.