1

我刚刚开始学习C++。在浏览本网站上的代码时,我遇到了一个验证用户输入日期的代码。但问题是它甚至可以采用未来的值,因此需要调整这个逻辑才能接受 DOB。所以我决定使用“time()”函数获取当前时间,然后将其与输入的日期进行比较。首先,我在代码中添加了两行(在下面的代码中注释的那些),它们是

time(&tNow);

const struct tm *now = localtime(&tNow);

这是我的代码:

#include <iostream>
#include <sstream>
#include <ctime>

using namespace std;
// function expects the string in format dd/mm/yyyy:
bool extractDate(const std::string& s, int& d, int& m, int& y){
    std::istringstream is(s);
    char delimiter;
    if (is >> d >> delimiter >> m >> delimiter >> y) {
        struct tm t = {0};
        t.tm_mday = d;
        t.tm_mon = m - 1;
        t.tm_year = y - 1900;
        t.tm_isdst = -1;

        // normalize:
        time_t when = mktime(&t);

        time_t tNow;

      //   time(&tNow);

          const struct tm *norm = localtime(&when);

      //  const struct tm *now = localtime(&tNow);       /* when I uncomment this line the code                              
      //                                                   does not accept future date   */



      // validate (is the normalized date still the same?):   
        return (norm->tm_mday == d    &&
                norm->tm_mon  == m - 1 &&
                norm->tm_year == y - 1900);
    }
    return false;
}


int main() {

    std::string s("11/01/2015");
    int d,m,y;

    if (extractDate(s, d, m, y))
        std::cout << "date " 
                  << d << "/" << m << "/" << y
                  << " is valid" << std::endl;
    else
        std::cout << "date is invalid" << std::endl;
}

当我取消注释时const struct tm *now = localtime(&tNow);,代码会为任何未来的日期值提供正确的输出作为“无效日期”......但为什么会发生这种情况。我得到正确的输出但我想知道为什么。

4

2 回答 2

4

好的,所以问题是localtime当您多次调用它时返回相同的缓冲区。您需要复制结果(或使用localtime_r它需要一个额外的参数,但它不是那么便携)。

这是我的代码调试会话(带有未注释部分):

(gdb) p norm 
$1 = (const tm *) 0x7ffff75aca60 <_tmbuf>
(gdb) p now
$2 = (const tm *) 0x7ffff75aca60 <_tmbuf>

我解决它的方法是这样的:

  const struct tm norm = *localtime(&when);

  const struct tm now = *localtime(&tNow);


  // validate (is the normalized date still the same?):   
  return (norm.tm_mday == d    &&
      norm.tm_mon  == m - 1 &&
      norm.tm_year == y - 1900);

同一主题还有其他几个变体,但这应该可以。

于 2015-01-10T13:34:04.803 回答
1

大多数localtime()实现使用内部本地静态struct tm。返回的指针是指向此单个实例的指针,因此请输入您的案例normnow指向同一个struct tm实例,然后第二次调用会修改它。

一些实现可能使用线程本地存储,以便在不同线程中的使用至少获得一个单独的struct tm,但这不会影响这种情况,也不是必需的行为。

大多数文档对此都很清楚,例如链接的参考资料说:

返回的值指向一个内部对象,其有效性或值可能会被任何后续调用 gmtime 或 localtime 更改。

于 2015-01-10T14:44:20.227 回答