程序師世界是廣大編程愛好者互助、分享、學習的平台,程序師世界有你更精彩!
首頁
編程語言
C語言|JAVA編程
Python編程
網頁編程
ASP編程|PHP編程
JSP編程
數據庫知識
MYSQL數據庫|SqlServer數據庫
Oracle數據庫|DB2數據庫
 程式師世界 >> 編程語言 >> C語言 >> C++ >> C++入門知識 >> C/C++判斷傳入的UTC時間是否在今天

C/C++判斷傳入的UTC時間是否在今天

編輯:C++入門知識

在項目中經常會顯示一個時間,如果這個時間在今日內就顯示為時分秒,否則顯示為年月日。

這裡先給出一個正確的版本:

#include 
#include 

using namespace std;

bool IsInToday(long utc_time){
    
    time_t timeCur = time(NULL);
    struct tm curDate = *localtime(&timeCur);
    
    struct tm argsDate = *localtime(&utc_time);
    
    if (argsDate.tm_year == curDate.tm_year &&
        argsDate.tm_mon == curDate.tm_mon &&
        argsDate.tm_mday == curDate.tm_mday){
        return true;
    }
    
    return false;
}

std::string GetStringDate(long utc_time){
    
    struct tm *local = localtime(&utc_time);
    char strTime[50];
    sprintf(strTime,"%*.*d年%*.*d月%*.*d日",
            4,4,local->tm_year+1900,
            2,2,local->tm_mon+1,
            2,2,local->tm_mday);
    
    return strTime;
}

std::string GetStringTime(long utc_time){
    
    struct tm local = *localtime(&utc_time);
    char strTime[50];
    sprintf(strTime,"%*.*d:%*.*d:%*.*d",
            2,2,local.tm_hour,
            2,2,local.tm_min,
            2,2,local.tm_sec);
    return strTime;
}

void ShowTime(long utc_time){
    
    if (IsInToday(utc_time)){
        printf("%s\n",GetStringTime(utc_time).c_str());
    }else{
        printf("%s\n",GetStringDate(utc_time).c_str());
    }
    
}

int main(){
    
    ShowTime(1389998142);
    ShowTime(time(NULL));
    
    return 0;

}

在函數中struct tm *localtime(const time_t *);中返回的指針指向的是一個全局變量,如果把函數bool IsInToday(long utc_time);寫成樣,會有什麼問題呢?

bool IsInToday(long utc_time){
    
    time_t timeCur = time(NULL);
    struct tm* curDate = localtime(&timeCur);
    
    struct tm* argsDate = localtime(&utc_time);
    
    if (argsDate->tm_year == curDate->tm_year &&
        argsDate->tm_mon == curDate->tm_mon &&
        argsDate->tm_mday == curDate->tm_mday){
        return true;
    }
    
    return false;

}

這裡把curDate和argsDate聲明成了指針。運行程序就會發現,這個函數返回的總是ture,為什麼呢?
因為在struct tm* curDate = localtime(&timeCur);中返回的指針指向的是一個全局變量,即curDate也指向這個全局變量。
在struct tm* argsDate = localtime(&utc_time);中返回額指針也指向的這個全局變量,所以argsDate和cur指向的是同一個全局變量,他們的內存區域是同一塊。
在第二次調用localtime()時,修改了全局變量的值,curDate也隨之改變,因此curDate == argsDate;所以返回的結果衡等於true。

  1. 上一頁:
  2. 下一頁:
Copyright © 程式師世界 All Rights Reserved