依据用户提供的时间,修改时间结构体,将mktime的时间处理后保留当前年月日时分秒毫秒的毫秒位C语言
时间: 2024-09-15 14:14:03 浏览: 43
C语言中的时间函数
4星 · 用户满意度95%
在C语言中,你可以使用`struct tm`时间结构体来表示日期和时间,并通过`mktime()`函数将用户输入的时间转换为`time_t`类型的值。如果你想保留到毫秒级别,你需要先创建一个包含毫秒的自定义时间结构,然后手动处理。
这里是一个简单的示例:
```c
#include <stdio.h>
#include <time.h>
#include <stdlib.h>
// 定义一个自定义时间结构,包含年月日、小时、分钟、秒和毫秒
typedef struct {
int year;
int month;
int day;
int hour;
int minute;
int second;
int millisecond;
} CustomTime;
// 将struct tm转换为CustomTime结构
CustomTime* convertToCustom(struct tm *tm) {
CustomTime *custom = (CustomTime*)malloc(sizeof(CustomTime));
custom->year = tm->tm_year + 1900; // 加上1900修正与系统之间的偏移
custom->month = tm->tm_mon + 1; // 月份从0开始计数
custom->day = tm->tm_mday;
custom->hour = tm->tm_hour;
custom->minute = tm->tm_min;
custom->second = tm->tm_sec;
// mktime()返回的是精确到秒的时间戳,所以我们需要从那里获取毫秒部分
custom->millisecond = ((double)clock() - (double)tm->tv_sec) * 1000 % 1000; // 使用clock()获取微秒,除以1000得到毫秒
return custom;
}
int main() {
struct tm input_time; // 用户输入的时间
scanf("%d-%d-%d %d:%d:%d", &input_time.tm_year, &input_time.tm_mon, &input_time.tm_mday,
&input_time.tm_hour, &input_time.tm_min, &input_time.tm_sec); // 格式化输入
// 使用gmtime_r()处理UTC时间,避免夏令时影响
if (gmtime_r(&input_time, &input_time) == NULL) {
perror("Error converting time");
return 1;
}
CustomTime *custom_time = convertToCustom(&input_time);
printf("Custom Time: %04d-%02d-%02d %02d:%02d:%02d.%03d\n", custom_time->year, custom_time->month,
custom_time->day, custom_time->hour, custom_time->minute, custom_time->second, custom_time->millisecond);
free(custom_time); // 释放内存
return 0;
}
```
阅读全文