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; ...

Find Minimum and Maximum in 2D Array - C Program

Find Minimum and Maximum in 2D Array - C Program

✅ Find Minimum and Maximum in 2D Array - C Program

#include <stdio.h>

int main() {
    int row, col;

    // Input number of rows and columns
    printf("Enter number of rows and columns:\n");
    scanf("%d %d", &row, &col);

    int arr[row][col];

    // Input 2D array elements
    printf("Enter %d elements:\n", row * col);
    for(int i = 0; i < row; i++) {
        for(int j = 0; j < col; j++) {
            scanf("%d", &arr[i][j]);
        }
    }

    // Initialize min and max with the first element
    int min = arr[0][0];
    int max = arr[0][0];

    // Traverse the array to find min and max
    for(int i = 0; i < row; i++) {
        for(int j = 0; j < col; j++) {
            if(arr[i][j] < min) {
                min = arr[i][j];
            }
            if(arr[i][j] > max) {
                max = arr[i][j];
            }
        }
    }

    // Print results
    printf("Minimum element = %d\n", min);
    printf("Maximum element = %d\n", max);

    return 0;
}
  

πŸ“˜ Explanation:

This C program reads a 2D array (matrix) from the user, then traverses all its elements using nested loops to determine the minimum and maximum values. The min and max variables are initialized with the first element, and the program compares each subsequent value to update these accordingly. This logic is useful for matrix-based problems in C, including search, statistics, and data processing.

🧾 Sample Output:

Enter number of rows and columns:
2 3
Enter 6 elements:
5 7 1 9 4 2
Minimum element = 1
Maximum element = 9
  

πŸ”‘ Keywords:

2D Array in C, Matrix traversal, Find min in matrix, Find max in matrix, C program array problem, Nested loop logic in C

πŸ“Œ Hashtags:

#CProgramming #2DArray #MatrixMinMax #BeginnerC #ArrayTraversal #CodingPractice

Comments

Popular Posts

πŸŒ™