Q:

C Program To Find Difference Between Two Dates Using Structure

belongs to collection: Structure Programs in C Programming

0

C Program to Calculate Difference Between Two Time Period ( HH: MM: SS ) Using Structure 

What Is Structure

The structure is a user-defined data type in C which allows you to combine different data types Suppose you want to store a record of Student which consists of student name, address, roll number and age. You can define a structure to hold this information.

Defining a structure

struct keyword is used to define a structure. struct define a new data type which is a collection of different type of data.


Syntax :

struct structure_name
{
//Statements
};

All Answers

need an explanation for this answer? contact us directly to get an explanation for this answer

#include <stdio.h>

struct TIME
{
int seconds;
int minutes;
int hours;
};

void Difference(struct TIME t1, struct TIME t2, struct TIME *diff);

int main()
{

struct TIME t1,t2,diff;

printf("Enter start time: \n");
printf("Enter hours, minutes and seconds respectively: ");
scanf("%d%d%d",&t1.hours,&t1.minutes,&t1.seconds);
printf("Enter stop time: \n");
printf("Enter hours, minutes and seconds respectively: ");

scanf("%d%d%d",&t2.hours,&t2.minutes,&t2.seconds);

Difference(t1,t2,&diff);

printf("\nTIME DIFFERENCE: %d:%d:%d - ",t1.hours,t1.minutes,t1.seconds);
printf("%d:%d:%d ",t2.hours,t2.minutes,t2.seconds);
printf("= %d:%d:%d\n",diff.hours,diff.minutes,diff.seconds);

return 0;
}

void Difference(struct TIME t1, struct TIME t2, struct TIME *differ)
{
if(t2.seconds>t1.seconds)
{
--t1.minutes;
t1.seconds+=60;
}

differ->seconds=t1.seconds-t2.seconds;

if(t2.minutes>t1.minutes)
{
--t1.hours;
t1.minutes+=60;
}

differ->minutes=t1.minutes-t2.minutes;
differ->hours=t1.hours-t2.hours;
}

 

Output:

Enter start time: 

Enter hours, minutes and seconds respectively: 11 35 44

Enter stop time: 

Enter hours, minutes and seconds respectively: 07 42 36

TIME DIFFERENCE: 11:35:44 - 7:42:36 = 3:53:8

need an explanation for this answer? contact us directly to get an explanation for this answer

total answers (1)

<< C Program To Add Two Complex Numbers Using Structu...