Program C na výpočet rozdielu medzi dvoma časovými obdobiami

V tomto príklade sa naučíte vypočítať rozdiel medzi dvoma časovými obdobiami pomocou používateľom definovanej funkcie.

Aby ste pochopili tento príklad, mali by ste mať znalosti nasledujúcich tém programovania v jazyku C:

  • C Užívateľom definované funkcie
  • C štruktúr
  • C Štruktúra a funkcia
  • Štruktúry C a ukazovatele

Vypočítajte rozdiel medzi dvoma časovými obdobiami

 #include struct TIME ( int seconds; int minutes; int hours; ); void differenceBetweenTimePeriod(struct TIME t1, struct TIME t2, struct TIME *diff); int main() ( struct TIME startTime, stopTime, diff; printf("Enter the start time. "); printf("Enter hours, minutes and seconds: "); scanf("%d %d %d", &startTime.hours, &startTime.minutes, &startTime.seconds); printf("Enter the stop time. "); printf("Enter hours, minutes and seconds: "); scanf("%d %d %d", &stopTime.hours, &stopTime.minutes, &stopTime.seconds); // Difference between start and stop time differenceBetweenTimePeriod(startTime, stopTime, &diff); printf("Time Difference: %d:%d:%d - ", startTime.hours, startTime.minutes, startTime.seconds); printf("%d:%d:%d ", stopTime.hours, stopTime.minutes, stopTime.seconds); printf("= %d:%d:%d", diff.hours, diff.minutes, diff.seconds); return 0; ) // Computes difference between time periods void differenceBetweenTimePeriod(struct TIME start, struct TIME stop, struct TIME *diff) ( while (stop.seconds> start.seconds) ( --start.minutes; start.seconds += 60; ) diff->seconds = start.seconds - stop.seconds; while (stop.minutes> start.minutes) ( --start.hours; start.minutes += 60; ) diff->minutes = start.minutes - stop.minutes; diff->hours = start.hours - stop.hours; )

Výkon

Zadajte čas začiatku. Zadajte hodiny, minúty a sekundy: 13 34 55 Zadajte čas zastavenia. Zadajte hodiny, minúty a sekundy: 8 12 15 Časový rozdiel: 13:34:55 - 8:12:15 = 5:22:40

V tomto programe je užívateľ vyzvaný k zadaniu dvoch časových období a tieto dve obdobia sú uložené v štruktúrnych premenných startTime a stopTime.

Potom funkcia differenceBetweenTimePeriod()vypočíta rozdiel medzi časovými obdobiami. Výsledok sa zobrazí z main()funkcie bez jej vrátenia (pomocou volania pomocou referenčnej techniky).

Zaujímavé články...