Understanding the Question

This question requires us to write a C program that

  • Reads marks of five students for a subject.
  • Uses a structure to store student details.
  • Checks if each student has passed or failed (pass marks = 35).
  • Counts and displays the number of students who passed and failed

Approach to Solve the Problem

Step 1: Define a structure (struct Student) to store student marks.
Step 2: Use an array of structures to store marks of 5 students.
Step 3: Take input for student marks.
Step 4: Check each student's marks and count the number of passes and fails.
Step 5: Display the results.

Program: 

#include <stdio.h>
// Define a structure to store student information
struct Student {
 char name[50];
 int marks;
};
int main() {
 struct Student students[5];
 int passCount = 0, failCount = 0;
 // Input marks for 5 students
 printf("Enter the details of 5 students:\n");
 for (int i = 0; i < 5; i++) {
 printf("\nEnter name of student %d: ", i + 1);
 scanf("%s", students[i].name);
 printf("Enter marks of %s: ", students[i].name);
 scanf("%d", &students[i].marks);
 // Check if the student passes or fails
 if (students[i].marks >= 35) {
 passCount++;
 } else {
 failCount++;
 }
 }
 // Display the results
 printf("\nResults:\n");
 for (int i = 0; i < 5; i++) {
 printf("%s: %s\n", students[i].name, (students[i].marks >= 35) ? "Pass" : "Fail");
 }
 printf("\nTotal Passed: %d\n", passCount);
 printf("Total Failed: %d\n", failCount);
 return 0;
}
Output: 
Enter the details of 5 students:
Enter name of student 1: David
Enter marks of David: 45
Enter name of student 2: John
Enter marks of John: 28
Enter name of student 3: Micheal
Enter marks of Micheal: 60
Enter name of student 4: Smith
Enter marks of Smith: 20
Enter name of student 5: Axar
Enter marks of Axar: 34
Results:
David: Pass
John: Fail
Micheal: Pass
Smith: Fail
Axar: Fail
Total Passed: 2
Total Failed: 3


Summary:

  • The program collects names and marks for 5 students.
  • It determines if each student has passed or failed.
  • It counts and displays the number of students who passed and failed.

Post a Comment

Previous Post Next Post