Skip to main content

Featured

C Pattern Programs: Square Number and Alphabet Patterns Explained

πŸ”· Square Star Pattern πŸ“‹ Copy Code #include <stdio.h> int main() { int num; printf("Enter the number:\n"); scanf("%d", &num); for(int i = 1; i <= num; i++) { for(int j = 1; j <= num; j++) { printf("* ");//keep"* " } printf("\n"); } return 0; } πŸ”· Reverse Square Alphabet Pattern (Column-wise) πŸ“‹ Copy Code #include <stdio.h> int main() { int num; printf("Enter the number:\n"); scanf("%d", &num); for(int i = num; i >= 1; i--) { for(int j = num; j >= 1; j--) { printf("%c ", j + 64);//%c for Character and 64 will be ASIIC VALUE } printf("\n"); } return 0; } πŸ”· Reverse Square Alphabet Pattern (Row-wise) πŸ“‹ Copy Code #include <stdio.h> int main() { int num; ...

C Program to Find the Smallest Element in an Array

πŸ” C Program to Find the Smallest Element in an Array

#include<stdio.h>
int main( )
{
    int num, a[100];
    printf("Enter the size of the array:\n");
    scanf("%d", &num);

    if(num <= 0)
    {
        printf("Invalid array size");
        return 1;
    }

    printf("Enter %d elements into the array:\n", num);
    for(int i = 0; i < num; i++)
    {
        scanf("%d", &a[i]);
    }

    int min = a[0]; // Start by assuming first element is smallest

    for(int i = 1; i < num; i++) // Start from 1 to avoid rechecking a[0]
    {
        if(a[i] < min)
        {
            min = a[i];
        }
    }

    printf("The smallest element in the array is %d\n", min);

    return 0;
}
  

πŸ“ Explanation:

This C program reads an array of integers from the user and finds the smallest element by comparing each item with a `min` variable initialized to the first element.

πŸ’‘ Sample Output:

Enter the size of the array:
5
Enter 5 elements into the array:
12 5 9 30 2
The smallest element in the array is 2
  

πŸ” Keywords:

Smallest number in array C program, find minimum element, array comparison logic, beginner C programs, interview C questions

Comments

Popular Posts

πŸŒ™