3

我想制作一个考勤系统,它将系统日期和时间作为文件的文件名,例如:这是正常的

int main () {
time_t t = time(0);   // get time now
struct tm * now = localtime( & t );
cout << (now->tm_year + 1900) << '-'
     << (now->tm_mon + 1) << '-'
     <<  now->tm_mday
     << endl;
  ofstream myfile;
  myfile.open ("example.txt");
  myfile << "Writing this to a file.\n";
  myfile.close();
  return 0;
} 

但我想用系统日期和时间代替 example.txt 我已经通过在程序中包含 ctime 头文件来计算时间,上面的程序只是示例。

4

4 回答 4

10

您可以使用strftime()函数将时间格式化为字符串,它根据您的需要提供更多格式化选项。

int main (int argc, char *argv[])
{
     time_t t = time(0);   // get time now
     struct tm * now = localtime( & t );

     char buffer [80];
     strftime (buffer,80,"%Y-%m-%d.",now);

     std::ofstream myfile;
     myfile.open (buffer);
     if(myfile.is_open())
     {
         std::cout<<"Success"<<std::endl;
     }
     myfile.close();
     return 0;
}
于 2014-03-11T07:34:29.650 回答
2
#include <algorithm>
#include <iomanip>
#include <sstream>

std::string GetCurrentTimeForFileName()
{
    auto time = std::time(nullptr);
    std::stringstream ss;
    ss << std::put_time(std::localtime(&time), "%F_%T"); // ISO 8601 without timezone information.
    auto s = ss.str();
    std::replace(s.begin(), s.end(), ':', '-');
    return s;
}

如果您在国外一起工作,请将std::localtime*替换为 *。std::gmtime

用法例如:

#include <filesystem> // C++17
#include <fstream>
#include <string>

namespace fs = std::filesystem;

fs::path AppendTimeToFileName(const fs::path& fileName)
{
    return fileName.stem().string() + "_" + GetCurrentTimeForFileName() + fileName.extension().string();
}

int main()
{
    std::string fileName = "example.txt";
    auto filePath = fs::temp_directory_path() / AppendTimeToFileName(fileName); // e.g. MyPrettyFile_2018-06-09_01-42-00.log
    std::ofstream file(filePath, std::ios::app);
    file << "Writing this to a file.\n";
}

*有关这些功能的线程安全替代方案,请参见此处

于 2018-06-18T19:18:10.787 回答
0

您可以尝试使用 ostringstream 创建一个日期字符串(就像您对 cout 所做的那样),然后使用它的str()成员函数来检索相应的日期字符串。

于 2014-03-11T06:55:02.787 回答
0

您可以为此目的使用 stringstream 类,例如:

int main (int argc, char *argv[])
{
  time_t t = time(0);   // get time now
  struct tm * now = localtime( & t );
  stringstream ss;

  ss << (now->tm_year + 1900) << '-'
     << (now->tm_mon + 1) << '-'
     <<  now->tm_mday
     << endl;

  ofstream myfile;
  myfile.open (ss.str());
  myfile << "Writing this to a file.\n";
  myfile.close();
  return 0;

  return(0);
}
于 2014-03-11T06:55:45.757 回答