在运行程序时,我们可能需要以日志文件的形式保存数据,以供记录和分析。
通过fstream
可以实现文件的读写,当文件不存在时,可以自动创建,但前提是文件所在的路径必须存在。
如果我们需要把日志保存在其他不存在的路径下,就必须首先借助boost::filesystem::create_directories
创建需要的路径,然后fstream才能在这个路径下创建文件。
代码如下:
#include <iostream>
#include <fstream>
#include <sstream>
#include <string>
#include <time.h>
#include <boost/filesystem.hpp>
using namespace std;
static fstream ofs;
static string filename;
int main() {
// Set log file name.
char buffer[80];
time_t now = time(NULL);
tm* pnow = localtime(&now);
strftime(buffer, 80, "%Y%m%d_%H%M%S", pnow);
string directory_name = "~/log";
filename = directory_name + "/" + string(buffer) + ".csv";
boost::filesystem::create_directories(boost::filesystem::path(directory_name));
ofs.open(filename.c_str(), std::ios::app);
cout << filename;
// write header for log file
if (!ofs)
{
std::cerr << "Could not open " << filename << "." << std::endl;
exit(1);
}
ofs << "the data you want to save" << endl;
ofs.close();
return 0;
}