我有一个sinks::text_file_backend
接收器。假设我已经有一些旋转的日志文件:
myLog001.log,myLog002.log等
我希望接收器继续写入最后一个旋转的文件 - myLog002.log,附加到其内容并从那里继续旋转。
我只是设法找到keywords::open_mode = append
,但这仅仅附加在现有的myLogX文件之上,使它们更大,当然也很难阅读。
可以在Boost.Log中完成吗?
答案 0 :(得分:14)
该功能内置于文本接收器中,the documentation包含一个示例,用于设置文件名模式以及以特定大小和时间旋转的规则:
// The function registers file sink in the logging library
void init_logging()
{
boost::shared_ptr< logging::core > core = logging::core::get();
boost::shared_ptr< sinks::text_file_backend > backend =
boost::make_shared< sinks::text_file_backend >(
// file name pattern
keywords::file_name = "file_%5N.log",
// rotate the file upon reaching 5 MiB size...
keywords::rotation_size = 5 * 1024 * 1024,
// ...or at noon, whichever comes first
keywords::time_based_rotation = sinks::file::rotation_at_time_point(12, 0, 0)
);
// Wrap it into the frontend and register in the core.
// The backend requires synchronization in the frontend.
typedef sinks::synchronous_sink< sinks::text_file_backend > sink_t;
boost::shared_ptr< sink_t > sink(new sink_t(backend));
core->add_sink(sink);
}
显然没有办法使用此设置将库附加到现有文件。您应该在构建backend->scan_for_files();
之前调用sink
,如文档中的“管理旋转文件”标题所示,但这只会阻止库在清理之前覆盖以前的日志。 / p>
当这个主题在2013年2月的开发邮件列表中出现时,该库的作者解释了adding support for appending would be a nontrivial change无法在当前设计下制作。
答案 1 :(得分:1)
您必须在使用文本文件之前指定open_mode。默认情况下,Boost.Log将使用std :: ios_base :: trunc | std :: ios_base :: out作为打开模式,这显然会截断旧的日志文件。
您可以使用以下参数创建text_file_backend实例:
{
boost::shared_ptr<sinks::text_file_backend> backend =
boost::make_shared<sinks::text_file_backend>(
keywords::file_name = logger_file_path,
keywords::open_mode = std::ios_base::app|std::ios_base::out,
keywords::rotation_size = 5 * 1024 * 1024,
keywords::time_based_rotation = sinks::file::rotation_at_time_point(12, 0, 0));
// Wrap it into the frontend and register in the core.
// The backend requires synchronization in the frontend.
typedef sinks::synchronous_sink<sinks::text_file_backend> sink_t;
boost::shared_ptr<sink_t> sink(new sink_t(backend));
sink->set_formatter(logFmt);
core->add_sink(sink);
}