有没有办法让strptime()
处理固定格式的时间字符串?
我需要解析一个始终采用固定宽度格式的时间字符串:“yymmdd HHMMSS
”,
但由于并发症有时存在前导零,有时不存在。
阅读strptime
的man(3p)页面我注意到,对于所有转换说明符%y, %m, %d, %H, %M, %S
,它被评论为“允许前导零但不需要。”。因此,我尝试格式说明符%y%m%d %H%M%S
,天真地希望strptime
能够识别出两个子串%y%m%d
和%H%M%S
中的空格等同于(缺少)前导零。
这似乎适用于说明符%m
,但不适用于%M
(除非第二部分小于10),如以下代码所示
#include <stdio.h>
#include <time.h>
int main() {
struct tm buff;
const char ts[]="17 310 22 312";
char st[14];
strptime(ts,"%y%m%d %H%M%S", &buff);
strftime(st,14,"%y%m%d %H%M%S",&buff);
printf("%s\n",ts);
printf("%s\n",st);
return 0;
}
编译并在我的机器输出上运行
17 310 22 312
170310 223102
有关如何克服这一点的任何见解将不胜感激,或者我是否需要使用atoi
手动切断字符串2个字符以转换为整数以填充我的struct tm
实例与?
答案 0 :(得分:1)
最好使用固定格式生成数据的代码。
假设今天早上无法完成,那么也许你应该规范化(不完整)数据,如下:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <time.h>
static inline void canonicalize(char *str, int begin, int end)
{
for (int i = begin; i <= end; i++)
{
if (str[i] == ' ')
str[i] = '0';
}
}
int main(void)
{
struct tm buff;
const char ts[] = "17 310 22 312";
char st[32];
char *raw = strdup(ts);
printf("[%s] => ", raw);
canonicalize(raw, 0, 5);
canonicalize(raw, 7, 12);
printf("[%s] => ", raw);
strptime(raw, "%y%m%d %H%M%S", &buff);
strftime(st, sizeof(st), "%y%m%d %H%M%S", &buff);
printf("[%s] => ", st);
strftime(st, sizeof(st), "%Y-%m-%d %H:%M:%S", &buff);
printf("[%s]\n", st);
free(raw);
return 0;
}
canonicalize()
函数转换在字符串的给定范围内用零替换空格。显然,如果指定超出界限的起点和终点,它将会越界越界。我在const
上保留了ts
并使用strdup()
制作了副本;如果您可以将字符串视为可变数据,则无需制作(或免费)副本。
该代码的输出是:
[17 310 22 312] => [170310 220312] => [170310 220312] => [2017-03-10 22:03:12]