Skip to main content

Featured

C Program to Check Prime Number Using Efficient Logic

  Introduction A prime number is a number that has exactly two distinct positive divisors: 1 and itself. In this program, we check whether a given number is prime or not using a simple and efficient logic. This type of program is commonly used in mathematics, competitive programming, and basic algorithm learning for beginners in C programming. Problem Statement The task is to write a C program that determines whether a given integer is a prime number or not. The program takes a single integer input from the user and analyzes its divisibility. If the number has no divisors other than 1 and itself, it should be identified as a prime number; otherwise, it is not prime. This problem is important in number theory and has practical relevance in areas such as cryptography, data validation, and algorithm design.  Algorithm / Logic Explanation To check whether a number is prime, we need to verify that it is not divisible by any number other than 1 and itself. The algorithm follows a si...

Print Even Numbers Between Two Numbers in C

Print Even Numbers Between Two Numbers in C

✅ C Program to Print Even Numbers Between Two Numbers

#include <stdio.h>

int main() {
    int start, end;

    // Input the range
    printf("Enter the starting number: ");
    scanf("%d", &start);
    printf("Enter the ending number: ");
    scanf("%d", &end);

    // Validate input
    if (start > end) {
        printf("Invalid input! Starting number must be less than or equal to ending number.\n");
        return 1;
    }

    // Print even numbers
    printf("\nEven numbers between %d and %d are:\n", start, end);
    for (int i = start; i <= end; i++) {
        if (i % 2 == 0) {
            printf("%d ", i);
        }
    }

    printf("\n");
    return 0;
}
  

๐Ÿ“˜ Explanation:

✅ This program takes a range (start and end) from the user.
✅ It uses a for loop to iterate between the numbers.
✅ It checks for i % 2 == 0 to print only even numbers.
✅ Invalid input is handled if start > end.
✅ The output is displayed on the same line for clarity.

๐Ÿงพ Sample Output:

Enter the starting number: 10
Enter the ending number: 20

Even numbers between 10 and 20 are:
10 12 14 16 18 20
  

๐Ÿ”‘ Keywords:

even numbers in C, print even range, C for loop program, beginner logic in C, range input validation

๐Ÿ“Œ Hashtags:

#CProgramming #EvenNumbers #BeginnerC #CodingPatterns #LoopLogic #ForLoopC #InterviewPrep

Comments

Popular Posts

๐ŸŒ™