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

Student Structure Program in C

Student Structure Program in C

✅ Student Details using Structure in C

#include <stdio.h>

struct student {
    char name[20];
    int roll;
    float marks;
};

int main() {
    struct student s;

    printf("=== ENTER STUDENT DETAILS ===\n");
    printf("Enter the name of the student:\n");
    scanf(" %[^\n]", s.name);  // Accepts spaces

    printf("Roll Number of the student:\n");
    scanf("%d", &s.roll);

    printf("Enter marks of the student:\n");
    scanf("%f", &s.marks);

    printf("\n=== STUDENT DETAILS ===\n");
    printf("Name: %s\n", s.name);
    printf("Roll Number: %d\n", s.roll);
    printf("Marks: %.2f\n", s.marks);

    return 0;
}
  

πŸ“˜ Explanation:

This C program uses a structure to store and print details of a student. The structure contains three members: name (string), roll (integer), and marks (float). The program takes input using scanf, including a method to accept strings with spaces, and then displays the data using printf. This example introduces basic use of structures, string input handling, and formatted output.

🧾 Sample Output:

=== ENTER STUDENT DETAILS ===
Enter the name of the student:
John Doe
Roll Number of the student:
101
Enter marks of the student:
87.5

=== STUDENT DETAILS ===
Name: John Doe
Roll Number: 101
Marks: 87.50
  

πŸ”‘ Keywords:

Structure in C, student data structure, scanf with spaces, display student info, C program using struct, formatted output, beginner C example

πŸ“Œ Hashtags:

#CProgramming #StructuresInC #StudentDetails #BeginnerC #PrintfScanf #CProjects #LearnC

Comments

Popular Posts

πŸŒ™