FIRST- use difftime to compare:
you can simply use difftime()
function to compare time and return 1
or -1
as follows:
int comparetime(time_t time1,time_t time2){
return difftime(time1,time2) > 0.0 ? 1 : -1;
}
SECOND- Convert string into time:
If you have difficulty to convert string
into time_t
struct, you can use two functions in sequence:
char *strptime(const char *buf, const char *format, struct tm *tm);
function. to convert string into struct tm
Example: to convert date-time string "Mar 21 11:51:20 AM"
into struct tm
you need three formate strings:
%b : Month name, can be either the full name or an abbreviation
%d : Day of the month [1–31].
%r : Time in AM/PM format of the locale. If not available in the locale time format, defaults to the POSIX time AM/PM format: %I:%M:%S %p
.
time_t mktime (struct tm * timeptr);
function to convert struct tm*
to time_t
Below Is my example program:
#include <stdio.h>
#include <time.h>
int main(void){
time_t t1, t2;
struct tm *timeptr,tm1, tm2;
char* time1 = "Mar 21 11:51:20 AM";
char* time2 = "Mar 21 10:20:05 AM";
//(1) convert `String to tm`:
if(strptime(time1, "%b %d %r",&tm1) == NULL)
printf("
strptime failed
");
if(strptime(time2, "%b %d %r",&tm2) == NULL)
printf("
strptime failed
");
//(2) convert `tm to time_t`:
t1 = mktime(&tm1);
t2 = mktime(&tm2);
printf("
t1 > t2 : %d", comparetime(t1, t2));
printf("
t2 > t1 : %d", comparetime(t2, t1));
printf("
");
return 1;
}
And it works as you desire:
$ ./a.out
t1 > t2 : 1
t2 > t1 : -1
To calculate difference between two dates read: How do you find the difference between two dates in hours, in C?
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…