具有unique_ptr的 CRTP 会导致段错误



我正在使用CRTP设计模式为我的项目实现日志记录机制。基本 CRTP 类如下所示:

#include <fstream>
#include <memory>
#include <mutex>
#include <iostream>
#include <sstream>
template <typename LogPolicy>
class Logger
{
public:
template <typename... Args>
void operator()(Args... args)
{
loggingMutex.lock();
putTime();
print_impl(args...);
}
void setMaxLogFileSize(unsigned long maxLogFileSizeArg)
{
//if (dynamic_cast<FileLogPolicy *>(policy.get()))
//    policy->setMaxLogFileSize(maxLogFileSizeArg);
}
~Logger()
{
print_impl(END_OF_LOGGING);
}
protected:
std::stringstream buffer;
std::mutex loggingMutex;
std::string d_time;
private:
static constexpr auto END_OF_LOGGING = "***END OF LOGGING***";
void putTime()
{
time_t raw_time;
time(&raw_time);
std::string localTime = ctime(&raw_time);
localTime.erase(std::remove(localTime.begin(), localTime.end(), 'n'), localTime.end());
buffer << localTime;
}
template <typename First, typename... Rest>
void print_impl(First first, Rest... rest)
{
buffer << " " << first;
print_impl(rest...);
}
void print_impl()
{
static_cast<LogPolicy*>(this)->write(buffer.str());
buffer.str("");
}
};

其中一个具体的日志记录类是 logging to file,如下所示:

#include "Logger.hpp"
class FileLogPolicy : public Logger<FileLogPolicy>
{
public:
FileLogPolicy(std::string fileName) : logFile(new std::ofstream)
{
logFile->open(fileName, std::ofstream::out | std::ofstream::binary);
if (logFile->is_open())
{
std::cout << "Opening stream with addr " << (logFile.get()) << std::endl;
}
}
void write(const std::string content)
{
std::cout << "Writing stream with addr " << (logFile.get()) << std::endl;
(*logFile) << " " << content << std::endl;
loggingMutex.unlock();
}
virtual ~FileLogPolicy()
{
}
private:
std::unique_ptr<std::ofstream> logFile; //Pointer to logging stream
static const char *const S_FILE_NAME;   //File name used to store logging
size_t d_maxLogFileSize;         //File max size used to store logging
};

基本上,我创建了策略类的对象,并希望根据选择的策略记录内容。例如,我创建这样的记录器:

FileLogPolicy log("log.txt");

在这种情况下,它应该使用记录器通过调用static_cast<LogPolicy*>(this)->write(buffer.str())将日志保存到文件中。显然调用写入函数工作正常,但流对象正在更改为 null。如果尚未调用FileLogPolicy析构函数,这怎么可能?当我将日志文件更改为普通指针时,一切正常。我不明白有什么区别。

~Logger()
{
print_impl(END_OF_LOGGING);
}

此代码在销毁后代类后运行。

void print_impl()
{
static_cast<LogPolicy*>(this)->write(buffer.str());
buffer.str("");
}

然后,它将this转换为指向this不再是的类的指针。

唯一的 ptr 消失了,甚至访问成员也是 UB。

最新更新