Java Program To Check Even or Odd Numbers

Here's a simple Java program that checks whether a given number is even or odd:

import java.util.Scanner;

public class EvenOddChecker {
    public static void main(String[] args) {
        // Create a Scanner object to read input from the user
        Scanner scanner = new Scanner(System.in);

        // Prompt the user to enter a number
        System.out.print("Enter a number: ");
        int number = scanner.nextInt();

        // Check if the number is even or odd
        if (number % 2 == 0) {
            System.out.println(number + " is an even number.");
        } else {
            System.out.println(number + " is an odd number.");
        }

        // Close the Scanner object
        scanner.close();
    }
}

In this program:

  • We import the Scanner class from the java.util package to read input from the user.
  • We prompt the user to enter a number using System.out.print().
  • We use scanner.nextInt() to read an integer input from the user and store it in the number variable.
  • We check if the number is even or odd using the modulus operator %. If the remainder when dividing the number by 2 is 0, the number is even; otherwise, it is odd.
  • We print the result accordingly using System.out.println().
  • Finally, we close the Scanner object to release system resources.