In this tutorial, we will learn to write a Java program to create an array and print the odd elements stored in the array. Our program will first take the input of the array size and then the elements of the array and then print all the odd numbers from the elements of the input array.
For example
Case 1: If the user enters 4 as the array size and the array elements as 1,2,3,4, the output should be 1, 3.
Case 2: If the user enters 5 as the array size and the array elements as 9, 8, 7, 6, 5, the output should be 9, 7, 5.
Print Odd Numbers from Array in Java
import java.util.*;
public class ArrayExample {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
System.out.println("Java Program to print all even numbers in array ");
System.out.print("Enter the size of array: ");
int size = sc.nextInt();
int arr[] = new int[size];
for (int i = 0; i < size; i++) {
System.out.print("Please give value for index " + i + " : ");
arr[i] = sc.nextInt();
}
System.out.println("Even number in array are");
for (int i = 0; i < size; i++) {
if (arr[i] % 2 != 0) {
System.out.print(arr[i] + "\t");
}
}
}
}
Explanations
For the input array [1, 2, 3, 4, 5], while the elements of the array are iterated. For elements 1, 3, and 5, the if condition is satisfied because they are odd numbers, and then the numbers 1, 3, and 5 are printed as the output of the program.
Output
Java Program to print all even numbers in array
Enter the size of array: 5
Please give value for index 0 : 1
Please give value for index 1 : 2
Please give value for index 2 : 3
Please give value for index 3 : 4
Please give value for index 4 : 5
Even number in array are
1 3 5