C ++에서 현재 시간과 날짜를 얻는 방법?


455

C ++에서 현재 날짜와 시간을 얻는 플랫폼 간 방법이 있습니까?


2
Ockonal이 여전히 활성화되어 있으면 수락 된 답변을 C ++ 11 접근 방식으로 변경해야합니다. 이 질문은 여전히 ​​많은 견해를 갖고있는 것 같습니다.
JSQuareD


3
@JSQuareD이 질문을 지금도 살펴본 후에도 C 접근법이 tm구조를 사용하는 것이 더 좋습니다 . C ++ 11 접근법은 날짜와 시간을 얻는 것에 관한 질문이지만 유닉스 타임 스탬프 (epoch 이후의 시간)를 제공하지 않습니까?
anddero

와우,이 질문은 1,110,886 건입니다! 사람들은 C ++을 정말 좋아합니다!
User123

답변:


594

C ++ 11에서는 다음을 사용할 수 있습니다 std::chrono::system_clock::now()

예 ( en.cppreference.com 에서 복사 ) :

#include <iostream>
#include <chrono>
#include <ctime>    

int main()
{
    auto start = std::chrono::system_clock::now();
    // Some computation here
    auto end = std::chrono::system_clock::now();

    std::chrono::duration<double> elapsed_seconds = end-start;
    std::time_t end_time = std::chrono::system_clock::to_time_t(end);

    std::cout << "finished computation at " << std::ctime(&end_time)
              << "elapsed time: " << elapsed_seconds.count() << "s\n";
}

다음과 같이 인쇄해야합니다.

finished computation at Mon Oct  2 00:59:08 2017
elapsed time: 1.88232s

28
현재 C ++에서 가장 이식성이 뛰어나고 쉬운 방법이므로이 기능을 추천해야합니다.
Johannes

4
@Johannes, 방금 추가했습니다. 이 속도로, 이것은 2017 년 8 월 15 일 16:31 UTC에 의해 최고 답변이어야합니다 :-)
Martin Broadhurst

62
이 답변은 얻은 값을 사용하는 예없이 거의 사용되지 않습니다. 예를 들어 어떻게 인쇄하고 현지 시간을 구하고 다른 날짜 / 시간과 비교할 수 있습니까?
Steed

32
이것이 가능한 최악의 대답입니다. 다른 c ++ 11은 중복으로 응답하지만 '링크 전용'이므로 아무것도 설명하지 않습니다.
v010dya

10
이 답변보다 더 많은 것을 얻을 수있는 방법은 없습니다. OP는 "C ++로 현재 날짜와 시간을 얻는 플랫폼 간 방법이 있습니까?" 이 질문은 당신에게 이것을 정확하게 제공합니다. 당신은 얻을하는 방법에 대한 의심이있는 경우 string에서 stream, 또는 제대로 형식을 지정하는 방법 time_point<>, 가서 다른 질문을하거나 뒤에 구글.
Tarc

482

C ++는 날짜 / 시간 함수를 C와 공유합니다. tm 구조 는 아마도 C ++ 프로그래머가 작업하기에 가장 쉬운 방법 일 것입니다. 오늘 날짜는 다음과 같습니다.

#include <ctime>
#include <iostream>

int main() {
    std::time_t t = std::time(0);   // get time now
    std::tm* now = std::localtime(&t);
    std::cout << (now->tm_year + 1900) << '-' 
         << (now->tm_mon + 1) << '-'
         <<  now->tm_mday
         << "\n";
}

26
ctime()날짜 문자열을 원하면이 답변과 함께 사용하십시오 .
ralphtheninja

3
인스턴스를 struct tm삭제하는 것은 어떻습니까? 삭제를 호출하는 것이 가능합니까?
Petr

4
@ Petr은 new로 할당 된 메모리에서만 delete를 호출하면됩니다.
iheanyi

4
그래도 여전히 localtime ()에서 포인터를 얻었으므로 구조 인스턴스가 힙에 할당됩니까? 그것은 당신이 어떻게 든 그렇게하지 않으면 청소되지 않는다는 것을 의미합니다. 나는 delete그것에 대한 사용 (c ++ 키워드)을 말한 적이 없으며 어떻게 든 삭제해야한다고 생각했습니다 :) 또는 누가 당신을 위해 그것을 할 것입니까?
Petr

9
@Petr 정적으로 할당되기 때문에 할당 해제 할 필요가 없습니다.이 주제에 대해서는 여기를 참조하십시오 stackoverflow.com/questions/8694365/…
Brandin

180

현재 날짜 / 시간을 얻으려면 다음 크로스 플랫폼 코드를 사용해보십시오.

#include <iostream>
#include <string>
#include <stdio.h>
#include <time.h>

// Get current date/time, format is YYYY-MM-DD.HH:mm:ss
const std::string currentDateTime() {
    time_t     now = time(0);
    struct tm  tstruct;
    char       buf[80];
    tstruct = *localtime(&now);
    // Visit http://en.cppreference.com/w/cpp/chrono/c/strftime
    // for more information about date/time format
    strftime(buf, sizeof(buf), "%Y-%m-%d.%X", &tstruct);

    return buf;
}

int main() {
    std::cout << "currentDateTime()=" << currentDateTime() << std::endl;
    getchar();  // wait for keyboard input
}

산출:

currentDateTime()=2012-05-06.21:47:59

날짜 / 시간 형식에 대한 자세한 내용은 여기 를 방문 하십시오


안녕하세요. "currentDateTime ()"함수 내부에서이 "buf"할당에 약간의 문제가 있습니다. 함수가 반환 된 후에 어떻게 유지됩니까? 고마워.
Léa Massiot 2016 년

7
반환 형식은 "const std :: string"이므로 값으로 반환 된 다음 릴리스하기 전에 버퍼 복사본이 만들어집니다.
barranquero

3
const값을 반환 합니까? 목적이 없습니다.
궤도에서 가벼움 경주

크로스 플랫폼 솔루션의 경우 1 더하기!
Ziagl

139

std C 라이브러리가 제공합니다 time(). 이것은 신기원에서 몇 초이며 H:M:S표준 C 함수를 사용하여 날짜로 변환 할 수 있습니다 . Boost 에는 확인할 수 있는 시간 / 날짜 라이브러리 도 있습니다.

time_t  timev;
time(&timev);

24
아래의 anon의 대답은 더 나은 구조를 가지고 있으며 더 나은 예를 제공합니다.
MDTech.us_MAN

2
또한 그는 C가 아닌 C ++에 대해 물었습니다.
jterm

2
@jterm 괜찮아, C와 C ++는 정확히 같은 시간 라이브러리를 가져 왔는데, 그 이름은 수입 이름이 다릅니다.
Joseph Farah

31

C ++ 표준 라이브러리는 올바른 날짜 유형을 제공하지 않습니다. C ++은 현지화를 고려한 몇 가지 날짜 / 시간 입력 및 출력 함수와 함께 C에서 날짜 및 시간 조작을위한 구조체와 함수를 상속합니다.

// Current date/time based on current system
time_t now = time(0);

// Convert now to tm struct for local timezone
tm* localtm = localtime(&now);
cout << "The local date and time is: " << asctime(localtm) << endl;

// Convert now to tm struct for UTC
tm* gmtm = gmtime(&now);
if (gmtm != NULL) {
cout << "The UTC date and time is: " << asctime(gmtm) << endl;
}
else {
cerr << "Failed to get the UTC date and time" << endl;
return EXIT_FAILURE;
}

25

오래된 질문에 대한 새로운 답변 :

질문은 시간대를 지정하지 않습니다. 두 가지 합리적인 가능성이 있습니다.

  1. UTC로
  2. 컴퓨터의 현지 시간대.

1의 경우이 날짜 라이브러리 와 다음 프로그램을 사용할 수 있습니다 .

#include "date.h"
#include <iostream>

int
main()
{
    using namespace date;
    using namespace std::chrono;
    std::cout << system_clock::now() << '\n';
}

나에게만 출력되는 것 :

2015-08-18 22:08:18.944211

날짜 라이브러리는 기본적으로 스트리밍 연산자를 추가합니다. std::chrono::system_clock::time_point . 또한 다른 멋진 기능을 많이 추가하지만이 간단한 프로그램에서는 사용되지 않습니다.

2 (현지 시간)를 선호하는 경우 날짜 라이브러리 위에 빌드 되는 시간대 라이브러리있습니다 . 컴파일러가 C ++ 11 또는 C ++ 14를 지원한다고 가정하면 이 두 라이브러리는 모두 오픈 소스크로스 플랫폼 입니다.

#include "tz.h"
#include <iostream>

int
main()
{
    using namespace date;
    using namespace std::chrono;
    auto local = make_zoned(current_zone(), system_clock::now());
    std::cout << local << '\n';
}

나에게 그냥 출력 :

2015-08-18 18:08:18.944211 EDT

결과 유형에서 make_zonedA는 date::zoned_time(A)의 페어 인 date::time_zonestd::chrono::system_clock::time_point . 이 쌍은 현지 시간을 나타내지 만 쿼리 방법에 따라 UTC를 나타낼 수도 있습니다.

위의 출력으로 내 컴퓨터가 현재 UTC 오프셋이 -4h이고 약어가 EDT 인 시간대에 있음을 알 수 있습니다.

다른 시간대가 필요한 경우에도 수행 할 수 있습니다. 예를 들어, 시드니에서 현재 시간을 찾으려면 오스트레일리아는 변수 구성을 다음과 같이 변경합니다 local.

auto local = make_zoned("Australia/Sydney", system_clock::now());

그리고 출력은 다음과 같이 변경됩니다.

2015-08-19 08:08:18.944211 AEST

C ++ 20 업데이트

이 라이브러리는 이제 C ++ 20에 크게 채택되었습니다. 네임 스페이스 date가 사라지고 std::chrono이제 모든 것이 네임 스페이스에 있습니다. 그리고 사용하는 zoned_time대신에 make_time. 헤더 드롭 "date.h"하고 "tz.h"그냥 사용<chrono> .

이 글을 쓸 때 일부 플랫폼에서 부분 구현이 시작되었습니다.


localtime나에게 내 시간대의 시간을주고?
Jonathan Mee

예, localtime할 것이다 거의 항상 두 번째 정밀도 현지 시간대에 당신에게 시간을 제공합니다. 때로는 스레드 안전성 문제로 인해 실패하고 1 초 미만의 정밀도로는 작동하지 않습니다.
Howard Hinnant 2016 년

19

(동료 Google 직원)

또한이 부스트 : DATE_TIME는 :

#include <boost/date_time/posix_time/posix_time.hpp>

boost::posix_time::ptime date_time = boost::posix_time::microsec_clock::universal_time();

16
auto time = std::time(nullptr);
std::cout << std::put_time(std::localtime(&time), "%F %T%z"); // ISO 8601 format.

std::time()또는 std::chrono::system_clock::now()(또는 다른 시계 유형 )을 사용하여 현재 시간을 가져옵니다 .

std::put_time()(C ++ 11)과 strftime()(C)는 그 시간을 출력하기 위해 많은 포맷터를 제공합니다.

#include <iomanip>
#include <iostream>

int main() {
    auto time = std::time(nullptr);
    std::cout
        // ISO 8601: %Y-%m-%d %H:%M:%S, e.g. 2017-07-31 00:42:00+0200.
        << std::put_time(std::gmtime(&time), "%F %T%z") << '\n'
        // %m/%d/%y, e.g. 07/31/17
        << std::put_time(std::gmtime(&time), "%D"); 
}

포맷터 순서는 중요합니다.

std::cout << std::put_time(std::gmtime(&time), "%c %A %Z") << std::endl;
// Mon Jul 31 00:00:42 2017 Monday GMT
std::cout << std::put_time(std::gmtime(&time), "%Z %c %A") << std::endl;
// GMT Mon Jul 31 00:00:42 2017 Monday

형식 기는 strftime()비슷합니다.

char output[100];
if (std::strftime(output, sizeof(output), "%F", std::gmtime(&time))) {
    std::cout << output << '\n'; // %Y-%m-%d, e.g. 2017-07-31
}

대문자 포맷터는 종종 "풀 버전"을 의미하고 소문자는 약어를 의미합니다 (예 : Y : 2017, y : 17).


로케일 설정은 출력을 변경합니다.

#include <iomanip>
#include <iostream>
int main() {
    auto time = std::time(nullptr);
    std::cout << "undef: " << std::put_time(std::gmtime(&time), "%c") << '\n';
    std::cout.imbue(std::locale("en_US.utf8"));
    std::cout << "en_US: " << std::put_time(std::gmtime(&time), "%c") << '\n';
    std::cout.imbue(std::locale("en_GB.utf8"));
    std::cout << "en_GB: " << std::put_time(std::gmtime(&time), "%c") << '\n';
    std::cout.imbue(std::locale("de_DE.utf8"));
    std::cout << "de_DE: " << std::put_time(std::gmtime(&time), "%c") << '\n';
    std::cout.imbue(std::locale("ja_JP.utf8"));
    std::cout << "ja_JP: " << std::put_time(std::gmtime(&time), "%c") << '\n';
    std::cout.imbue(std::locale("ru_RU.utf8"));
    std::cout << "ru_RU: " << std::put_time(std::gmtime(&time), "%c");        
}

가능한 출력 ( Coliru , Compiler Explorer ) :

undef: Tue Aug  1 08:29:30 2017
en_US: Tue 01 Aug 2017 08:29:30 AM GMT
en_GB: Tue 01 Aug 2017 08:29:30 GMT
de_DE: Di 01 Aug 2017 08:29:30 GMT
ja_JP: 2017年08月01日 08時29分30秒
ru_RU: Вт 01 авг 2017 08:29:30

std::gmtime()UTC로 변환하는 데 사용 했습니다. std::localtime()현지 시간으로 변환하기 위해 제공됩니다.

있음을 유의하십시오 asctime()/ ctime()지금은 사용되지 않으며으로 다른 답변에서 언급 된 표시됩니다 strftime()선호한다.


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

int main ()
{
  time_t rawtime;
  struct tm * timeinfo;

  time ( &rawtime );
  timeinfo = localtime ( &rawtime );
  printf ( "Current local time and date: %s", asctime (timeinfo) );

  return 0;
} 

12

예, 현재 임베딩 된 로케일로 지정된 형식화 규칙으로 수행 할 수 있습니다.

#include <iostream>
#include <iterator>
#include <string>

class timefmt
{
public:
    timefmt(std::string fmt)
        : format(fmt) { }

    friend std::ostream& operator <<(std::ostream &, timefmt const &);

private:
    std::string format;
};

std::ostream& operator <<(std::ostream& os, timefmt const& mt)
{
    std::ostream::sentry s(os);

    if (s)
    {
        std::time_t t = std::time(0);
        std::tm const* tm = std::localtime(&t);
        std::ostreambuf_iterator<char> out(os);

        std::use_facet<std::time_put<char>>(os.getloc())
            .put(out, os, os.fill(),
                 tm, &mt.format[0], &mt.format[0] + mt.format.size());
    }

    os.width(0);

    return os;
}

int main()
{
    std::cout << timefmt("%c");
}

산출: Fri Sep 6 20:33:31 2013


1
IMHO는 로케일 설정을 존중하는 유일한 방법이므로 세부적으로주의를 기울여 프로그래밍하기 때문에 실제로 가장 적합한 대답 ostream::sentry입니다 (자주 볼 수는 없습니다 ).
DevSolar

@DevSolar 감사합니다. 나는 그것이 최고라고 말하지 않을 것입니다. 더 나은 구현을 보았습니다. 그러나 나는 이것이 예를 위해 충분하다고 생각한다 :)
0x499602D2

나를 위해 컴파일하지 않았습니다. 초보자이기 때문에 이유에 대해 언급 할 수 없습니다.
historystamp

8

C ++ 11 타임 클래스를 사용할 수 있습니다.

    #include <iostream>
    #include <iomanip>
    using namespace std;

    int main() {

       time_t now = chrono::system_clock::to_time_t(chrono::system_clock::now());
       cout << put_time(localtime(&now), "%F %T") <<  endl;
      return 0;
     }

넣어 :

2017-08-25 12:30:08

6

항상 __TIMESTAMP__전 처리기 매크로가 있습니다.

#include <iostream>

using namespace std

void printBuildDateTime () {
    cout << __TIMESTAMP__ << endl;
}

int main() {
    printBuildDateTime();
}

예 : 일요일 4 월 13 일 11:28:08 2014


27
TIMESTAMP 가 현재 시간이 아닌 파일이 생성 된 시간을 제공하므로 작동하지 않습니다 .
feelfree

3
이것을 되돌아 보면, 왜 내가 C ++ 질문에 대답 할 준비가되었는지 전혀 모른다.
James Robert Albert

1
__TIMESTAMP__Ddd Mmm Date hh :: mm :: ss yyyy 형식으로 현재 시간 (컴파일 시간)으로 확장되는 전 처리기 매크로입니다. 이 __TIMESTAMP__매크로는 바이너리가 만들어진 특정 순간에 대한 정보를 제공하는 데 사용될 수 있습니다. 참조 : cprogramming.com/reference/preprocessor/__TIMESTAMP__.html
자체 부팅

4

직접 사용할 수도 있습니다 ctime():

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

int main ()
{
  time_t rawtime;
  struct tm * timeinfo;

  time ( &rawtime );
  printf ( "Current local time and date: %s", ctime (&rawtime) );

  return 0;
} 

4
VS2012에서는 #define _CRT_SECURE_NO_DEPRECATE프로그램 컴파일을 만들기 위해 include 전에 추가 해야합니다
javapowered

4

이 링크는 구현에 매우 유용합니다 .C ++ Date and Time

명확한 "YYYYMMDD HHMMSS"출력 형식을 얻기 위해 구현에 사용하는 코드는 다음과 같습니다. 매개 변수는 UTC와 현지 시간 사이를 전환하는 것입니다. 필요에 맞게 내 코드를 쉽게 수정할 수 있습니다.

#include <iostream>
#include <ctime>

using namespace std;

/**
 * This function gets the current date time
 * @param useLocalTime true if want to use local time, default to false (UTC)
 * @return current datetime in the format of "YYYYMMDD HHMMSS"
 */

string getCurrentDateTime(bool useLocalTime) {
    stringstream currentDateTime;
    // current date/time based on current system
    time_t ttNow = time(0);
    tm * ptmNow;

    if (useLocalTime)
        ptmNow = localtime(&ttNow);
    else
        ptmNow = gmtime(&ttNow);

    currentDateTime << 1900 + ptmNow->tm_year;

    //month
    if (ptmNow->tm_mon < 9)
        //Fill in the leading 0 if less than 10
        currentDateTime << "0" << 1 + ptmNow->tm_mon;
    else
        currentDateTime << (1 + ptmNow->tm_mon);

    //day
    if (ptmNow->tm_mday < 10)
        currentDateTime << "0" << ptmNow->tm_mday << " ";
    else
        currentDateTime <<  ptmNow->tm_mday << " ";

    //hour
    if (ptmNow->tm_hour < 10)
        currentDateTime << "0" << ptmNow->tm_hour;
    else
        currentDateTime << ptmNow->tm_hour;

    //min
    if (ptmNow->tm_min < 10)
        currentDateTime << "0" << ptmNow->tm_min;
    else
        currentDateTime << ptmNow->tm_min;

    //sec
    if (ptmNow->tm_sec < 10)
        currentDateTime << "0" << ptmNow->tm_sec;
    else
        currentDateTime << ptmNow->tm_sec;


    return currentDateTime.str();
}

출력 (UTC, EST) :

20161123 000454
20161122 190454

왜 그런지 묻지 ptmNow->tm_day < 9않았 <10습니까?
STF

우리의 디자인과 일치시키기 위해 공간을 채우려면 9보다 작은 하루 (예 : X 일)가 0X (즉 1-> 01, 9-> 09)가 되길 원합니다. 10 일은 단순히 문자열에서 10 일 수 있습니다.
Joe

따라서 <=99도 포함
STF

참고 1+코드에 있습니다. 일 / 월은 0에서 시작합니다.
Joe

월은 0에서 시작하지만 일은 1에서 시작합니다!
STF

3

이것은 G ++에서 작동합니다. 이것이 도움이되는지 확실하지 않습니다. 프로그램 출력 :

The current time is 11:43:41 am
The current date is 6-18-2015 June Wednesday 
Day of month is 17 and the Month of year is 6,
also the day of year is 167 & our Weekday is 3.
The current year is 2015.

코드 :

#include <ctime>
#include <iostream>
#include <string>
#include <stdio.h>
#include <time.h>

using namespace std;

const std::string currentTime() {
time_t now = time(0);
struct tm tstruct;
char buf[80];
tstruct = *localtime(&now);
strftime(buf, sizeof(buf), "%H:%M:%S %P", &tstruct);
return buf;
}

const std::string currentDate() {
time_t now = time(0);
struct tm tstruct;
char buf[80];
tstruct = *localtime(&now);
strftime(buf, sizeof(buf), "%B %A ", &tstruct);
return buf;
}

int main() {
    cout << "\033[2J\033[1;1H"; 
std:cout << "The current time is " << currentTime() << std::endl;
    time_t t = time(0);   // get time now
    struct tm * now = localtime( & t );
    cout << "The current date is " << now->tm_mon + 1 << '-' 
         << (now->tm_mday  + 1) << '-'
         <<  (now->tm_year + 1900) 
         << " " << currentDate() << endl; 

 cout << "Day of month is " << (now->tm_mday) 
      << " and the Month of year is " << (now->tm_mon)+1 << "," << endl;
    cout << "also the day of year is " << (now->tm_yday) 
         << " & our Weekday is " << (now->tm_wday) << "." << endl;
    cout << "The current year is " << (now->tm_year)+1900 << "." 
         << endl;
 return 0;  
}

이것은 좋은 예이지만 'strftime (buf, sizeof (buf), "% H : % M : % S % P", & tstruct);' % P를 % p로 변환해야합니다 (최신 버전은 표준이고 대문자는 MSVC 2015에서 어설 션을 유발 함).
Fernando Gonzalez Sanchez Sanchez

3

이것은 g ++ 및 OpenMP를 대상으로하는 Linux (RHEL) 및 Windows (x64)에서 나를 위해 컴파일되었습니다.

#include <ctime>
#include <iostream>
#include <string>
#include <locale>

////////////////////////////////////////////////////////////////////////////////
//
//  Reports a time-stamped update to the console; format is:
//       Name: Update: Year-Month-Day_of_Month Hour:Minute:Second
//
////////////////////////////////////////////////////////////////////////////////
//
//  [string] strName  :  name of the update object
//  [string] strUpdate:  update descripton
//          
////////////////////////////////////////////////////////////////////////////////

void ReportTimeStamp(string strName, string strUpdate)
{
    try
    {
        #ifdef _WIN64
            //  Current time
            const time_t tStart = time(0);
            //  Current time structure
            struct tm tmStart;

            localtime_s(&tmStart, &tStart);

            //  Report
            cout << strName << ": " << strUpdate << ": " << (1900 + tmStart.tm_year) << "-" << tmStart.tm_mon << "-" << tmStart.tm_mday << " " << tmStart.tm_hour << ":" << tmStart.tm_min << ":" << tmStart.tm_sec << "\n\n";
        #else
            //  Current time
            const time_t tStart = time(0);
            //  Current time structure
            struct tm* tmStart;

            tmStart = localtime(&tStart);

            //  Report
            cout << strName << ": " << strUpdate << ": " << (1900 + tmStart->tm_year) << "-" << tmStart->tm_mon << "-" << tmStart->tm_mday << " " << tmStart->tm_hour << ":" << tmStart->tm_min << ":" << tmStart->tm_sec << "\n\n";
        #endif

    }
    catch (exception ex)
    {
        cout << "ERROR [ReportTimeStamp] Exception Code:  " << ex.what() << "\n";
    }

    return;
}

3

다음 코드 를 사용하여 C ++ 에서 현재 시스템 날짜시간 을 얻을 수 있습니다 .

    #include <iostream>
    #include <time.h> //It may be #include <ctime> or any other header file depending upon
                     // compiler or IDE you're using 
    using namespace std;

    int main() {
       // current date/time based on current system
       time_t now = time(0);

       // convert now to string form
       string dt = ctime(&now);

       cout << "The local date and time is: " << dt << endl;
    return 0;
    }

추신 : 자세한 내용은 사이트를 방문 하십시오.


2

ffead-CPP는 다양한 작업에 대해 여러 유틸리티 클래스를 제공, 하나 개의 클래스가입니다 날짜 날짜 산술 바로 날짜 작업에서 많은 기능을 제공하는 클래스, 또한 거기에 타이머 타이밍 작업을 위해 제공하는 클래스입니다. 똑같이 볼 수 있습니다.


2

http://www.cplusplus.com/reference/ctime/strftime/

이 내장 기능은 합리적인 옵션을 제공하는 것 같습니다.


1
물론 : time_t rawTime; time(&rawTime); struct tm *timeInfo; char buf[80]; timeInfo = localtime(&rawTime); strftime(buf, 80, "%T", timeInfo); 이 특별한 것은 HH : MM : SS를 넣습니다. 첫 번째 게시물이므로 코드 형식을 올바르게 얻는 방법을 모르겠습니다. 미안합니다.
bduhbya

1

localtime_s () 버전 :

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

int main ()
{
  time_t current_time;
  struct tm  local_time;

  time ( &current_time );
  localtime_s(&local_time, &current_time);

  int Year   = local_time.tm_year + 1900;
  int Month  = local_time.tm_mon + 1;
  int Day    = local_time.tm_mday;

  int Hour   = local_time.tm_hour;
  int Min    = local_time.tm_min;
  int Sec    = local_time.tm_sec;

  return 0;
} 

1
#include <iostream>
#include <chrono>
#include <string>
#pragma warning(disable: 4996)
// Ver: C++ 17 
// IDE: Visual Studio
int main() {
    using namespace std; 
    using namespace chrono;
    time_point tp = system_clock::now();
    time_t tt = system_clock::to_time_t(tp);
    cout << "Current time: " << ctime(&tt) << endl;
    return 0;
}

0
#include <Windows.h>

void main()
{
     //Following is a structure to store date / time

SYSTEMTIME SystemTime, LocalTime;

    //To get the local time

int loctime = GetLocalTime(&LocalTime);

    //To get the system time

int systime = GetSystemTime(&SystemTime)

}

5
이 질문은 크로스 플랫폼을 요구합니다. Windows.h는 Windows 전용이며 void main표준 C / C ++도 아닙니다.
derpface

0

당신은 사용할 수 있습니다 boost:

#include <boost/date_time/gregorian/gregorian.hpp>
#include <iostream>
using namespace boost::gregorian;

int main()
{
    date d = day_clock::universal_day();
    std::cout << d.day() << " " << d.month() << " " << d.year();
}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.