Instagram
youtube
Facebook
Twitter

Print Prime Numbers in a Given Range

A Python program to find and print all prime numbers in a given range.

Here’s an explanation of the code in points:

  1. Function Definition (is_prime(num))
     
    • The function is_prime(num) checks whether a given number is prime.
       
    • If num is less than 2, it returns False since prime numbers start from 2.
       
    • It iterates from 2 to sqrt(num), checking if num is divisible by any number in this range.
       
    • If a divisor is found, it returns False; otherwise, it returns True.
       
  2. Function Definition (print_primes(start, end))
     
    • This function prints all prime numbers in the given range [start, end].
       
    • It loops through each number in the range and calls is_prime(i).
       
    • If the number is prime, it prints it on the same line.
       
  3. Taking User Input
     
    • The program prompts the user to enter the start and end of the range.
       
    • The inputs are converted to integers.
       
  4. Calling print_primes(start, end)
     
    • The function is executed with the user-defined range to display all prime numbers in that range.

 

Program:

def is_prime(num):

    if num<2:

        return False

    for i in range (2,int(num**0.5)+1):

        if num%i==0:

            return False

    return True



def print_primes(start,end):

    print(f"Prime numbers between {start} and {end} are:")

    for i in range(start,end+1):

        if is_prime(i):

            print(i,end=" ")

    print()

start=int(input("enter start of range:"))

end=int(input("enter end of range:"))

print_primes(start,end)