10

我正在执行以下操作来转换和检查日期,但是,我不确定为什么以下日期一直验证为真。

不会%d只检查[01,31] + leading zeros吗?有没有更好更准确的方法来做到这一点?

#include <time.h>
#include <stdio.h>
#include <stdlib.h>

int main () {
    struct tm tm; 

    char buffer [80];
    char *str = "29/Jan/2012";
    if (strptime (str, "%Y/%b/%d", &tm) == NULL)
        exit(EXIT_FAILURE);
    if (strftime (buffer,80,"%Y-%m-%d",&tm) == 0)
        exit(EXIT_FAILURE);

    printf("%s\n", buffer); // prints 29-01-20

    return 0;
}
4

1 回答 1

8

它返回非 NULL,因为初始子字符串29/Jan/20与模式匹配(特别是与模式20中的最终匹配%d)。

如果strptime()返回 non- NULL,则返回一个指针,指向匹配模式的输入字符串部分之后的下一个字符。因此,在这种情况下,它将返回一个指向'1'日期字符串中字符的指针。

如果要确保输入字符串中没有任何剩余内容,则需要检查返回值是否指向输入字符串末尾的终止 null:

int main ()
{
    struct tm tm;

    char buffer [80];
    char *str = "29/Jan/2012";
    char *end = strptime(str, "%Y/%b/%d ", &tm);
    if (end == NULL || *end != '\0')
        exit(EXIT_FAILURE);
    if (strftime (buffer,80,"%Y-%m-%d",&tm) == 0)
        exit(EXIT_FAILURE);

    printf("%s\n", buffer); // prints 29-01-20

    return 0;
}

请注意,我在strptime()模式中添加了一个尾随空格 - 这允许接受输入中的尾随空格。如果您不想允许,请使用您的原始模式。

于 2012-05-30T03:28:35.953 回答