C ++에서 현재 시간과 날짜를 얻는 방법?
C ++에서 현재 날짜와 시간을 얻는 플랫폼 간 방법이 있습니까?
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
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";
}
현재 날짜 / 시간을 얻으려면 다음 크로스 플랫폼 코드를 사용해보십시오.
#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
날짜 / 시간 형식에 대한 자세한 내용은 여기 를 방문 하십시오
std C 라이브러리가 제공합니다 time()
. 이것은 신기원에서 몇 초이며 H:M:S
표준 C 함수를 사용하여 날짜로 변환 할 수 있습니다 . Boost 에는 확인할 수 있는 시간 / 날짜 라이브러리 도 있습니다.
time_t timev;
time(&timev);
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;
}
오래된 질문에 대한 새로운 답변 :
질문은 시간대를 지정하지 않습니다. 두 가지 합리적인 가능성이 있습니다.
- UTC로
- 컴퓨터의 현지 시간대
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_zoned
A는 date::zoned_time
(A)의 쌍이다 date::time_zone
하고 std::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
(동료 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();
#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;
}
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()
선호한다.
예. 현재 임베딩 된 로케일로 지정된 형식화 규칙으로 수행 할 수 있습니다.
#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
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
항상 __TIMESTAMP__
전 처리기 매크로가 있습니다.
#include <iostream>
using namespace std
void printBuildDateTime () {
cout << __TIMESTAMP__ << endl;
}
int main() {
printBuildDateTime();
}
예 : 일요일 4 월 13 일 11:28:08 2014
직접 사용할 수도 있습니다 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;
}
이 링크는 구현에 매우 유용합니다 .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
이것은 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;
}
ffead-CPP는 다양한 작업에 대해 여러 유틸리티 클래스를 제공, 하나 개의 클래스가입니다 날짜 날짜 산술 바로 날짜 작업에서 많은 기능을 제공하는 클래스, 또한 거기에 타이머 타이밍 작업을 위해 제공하는 클래스입니다. 똑같이 볼 수 있습니다.
http://www.cplusplus.com/reference/ctime/strftime/
이 내장은 합리적인 옵션 세트를 제공하는 것 같습니다.
이것은 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;
}
다음 코드를 사용하여 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;
}
추신 : 자세한 내용은이 사이트를 방문 하십시오.
localtime_s () 버전 :
#include <stdio.h>
#include <time.h>
int main ()
{
time_t current_time;
struct tm local_time;
time ( ¤t_time );
localtime_s(&local_time, ¤t_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;
}
#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)
}
당신은 사용할 수 있습니다 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();
}
#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;
}
참고 URL : https://stackoverflow.com/questions/997946/how-to-get-current-time-and-date-in-c
'development' 카테고리의 다른 글
node.js를 사용하여 JSON을 예쁘게 인쇄하려면 어떻게해야합니까? (0) | 2020.02.22 |
---|---|
Javascript / Chrome-웹킷 관리자에서 객체를 코드로 복사하는 방법 (0) | 2020.02.22 |
문자 목록을 문자열로 변환 (0) | 2020.02.22 |
원격 브랜치에서 커밋을 영구적으로 제거하는 방법 (0) | 2020.02.22 |
UUID는 얼마나 독특합니까? (0) | 2020.02.22 |