C# Program to Determine if a Number is Prime

This C# program prompts the user to input an integer and then determines whether the given number is a prime number or not. A prime number is defined as a number greater than 1 that has no divisors other than 1 and itself. The program will check if the entered number is divisible by any number other than 1 and itself. If it is divisible by any other number, it is not a prime number.

The program uses a loop to check divisibility starting from 2 up to the square root of the number (since factors repeat beyond the square root). If any number divides the input without leaving a remainder, the program will output that the number is not prime. Otherwise, it will confirm that the number is prime.



Group

C# Flow Control Basics

Objective

Write a C# program that asks the user for an integer and determines if it is a prime number or not.

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    static void Main()
    {
        // Ask the user to input an integer
        Console.Write("Enter an integer: ");
        int number = int.Parse(Console.ReadLine()); // Read the number as an integer

        // Check if the number is less than 2, as prime numbers are greater than 1
        if (number <= 1)
        {
            Console.WriteLine($"{number} is not a prime number.");
        }
        else
        {
            bool isPrime = true; // Flag to indicate if the number is prime

            // Check divisibility from 2 to the square root of the number
            for (int i = 2; i <= Math.Sqrt(number); i++)
            {
                if (number % i == 0) // If number is divisible by i, it is not prime
                {
                    isPrime = false;
                    break; // No need to check further, number is not prime
                }
            }

            // Output whether the number is prime or not
            if (isPrime)
            {
                Console.WriteLine($"{number} is a prime number.");
            }
            else
            {
                Console.WriteLine($"{number} is not a prime number.");
            }
        }
    }
}

 Output

//Example 1: Input = 7
Enter an integer: 7
7 is a prime number.

//Example 2: Input = 10
Enter an integer: 10
10 is not a prime number.

//Example 3: Input = 1
Enter an integer: 1
1 is not a prime number.

//Example 4: Input = 13
Enter an integer: 13
13 is a prime number.

Share this C# Exercise

More C# Practice Exercises of C# Flow Control Basics

Explore our set of C# Practice Exercises! Specifically designed for beginners, these exercises will help you develop a solid understanding of the basics of C#. From variables and data types to control structures and simple functions, each exercise is crafted to challenge you incrementally as you build confidence in coding in C#.