179k views
0 votes
Write a C program that accepts a time interval in seconds and prints the equivalent time in hours, minutes, and seconds.

a) The program should calculate and display the time correctly.
b) The program should prompt the user to enter the time interval.
c) The program should use proper formatting for hours, minutes, and seconds.
d) The program should handle invalid inputs gracefully.

User Egle
by
7.3k points

1 Answer

4 votes

Final answer:

To write a C program that accepts a time interval in seconds and prints the equivalent time in hours, minutes, and seconds, you need to prompt the user for the input, calculate the hours, minutes, and seconds, format the output correctly, and handle invalid inputs gracefully.

Step-by-step explanation:

To write a C program that accepts a time interval in seconds and prints the equivalent time in hours, minutes, and seconds, you can use the following steps:

  1. Prompt the user to enter the time interval in seconds.
  2. Calculate the number of hours, minutes, and seconds by dividing the total seconds by 3600 (for hours), then finding the remainder and dividing that by 60 (for minutes), and finally using the remaining seconds as seconds.
  3. Format the output using proper formatting for hours, minutes, and seconds.
  4. Handle invalid inputs by checking if the input is non-negative and displaying an error message if it is not.

Here's an example of how the C program could look:

#include <stdio.h>

int main() {
int seconds, hours, minutes, remaining_seconds;

printf("Enter the time interval in seconds: ");
scanf("%d", &seconds);

if (seconds < 0) {
printf("Invalid input. Time interval must be non-negative.");
return 0;
}

hours = seconds / 3600;
remaining_seconds = seconds % 3600;
minutes = remaining_seconds / 60;
seconds = remaining_seconds % 60;

printf("Equivalent time: %02d:%02d:%02d", hours, minutes, seconds);

return 0;
}

User Jmoody
by
7.7k points