我正在尝试实现一个在定位器服务后面抽象的日志系统(以本指南的风格),以便日志系统可以针对各种不同的日志情况进行子类化。我希望能够使用 printf 样式格式字符串而不是 <<,但这意味着支持可变数量的参数。可变参数模板可以很容易地解决这个问题,但是它们不能是虚拟的,这意味着基础日志类不能是抽象的(作为接口)。
理想情况下,我需要某种方法使父方法不被模板化,而只是接受一个参数包,它将转发给正确的(模板化的)子方法。我主要见过两种方法,一种是使用 va_list ,这显然是不安全的、复杂的,并且并不真正意味着要轻松地与可变参数模板交互,而 CRTP 可以工作,但意味着不能声明抽象的指针定位器对象中的基类而不知道子类类型,这违背了目的。
这是假设虚拟模板是一个东西的示例代码:
class Logger
{
public:
template <typename ... Args>
virtual void print(char *filename, int line, std::string &&msg, Args&& ... args) = 0;
protected:
template <typename ... Args>
std::string format(char *filename, int line, std::string &msg, Args&& ... args)
{
std::string output = "%s at line %i: " + msg;
int size = std::snprintf(nullptr, 0, output.c_str());
// +1 for null termination
std::vector<char> buf(size + 1);
std::snprintf(&buf[0], buf.size(), output.c_str(), filename, line, args...);
return std::string(&buf[0]);
}
};
class PrintLogger : public Logger
{
public:
template <typename ... Args>
void print(char *filename, int line, std::string &&msg, Args&& ... args)
{
std::cout << format(filename, line, msg, args...);
}
};
这是 CRTP 解决方案的示例代码(它破坏了定位器):
template <typename Loggertype>
class Logger
{
public:
template <typename ... Args>
void print(char *filename, int line, std::string &&msg, Args&& ... args)
{
Loggertype::print(filename, line, msg, args...);
}
protected:
template <typename ... Args>
std::string format(char *filename, int line, std::string &msg, Args&& ... args)
{
std::string output = "%s at line %i: " + msg;
int size = std::snprintf(nullptr, 0, output.c_str());
// +1 for null termination
std::vector<char> buf(size + 1);
std::snprintf(&buf[0], buf.size(), output.c_str(), filename, line, args...);
return std::string(&buf[0]);
}
};
class PrintLogger : public Logger<PrintLogger>
{
public:
template <typename ... Args>
void print(char *filename, int line, std::string &&msg, Args&& ... args)
{
std::cout << format(filename, line, msg, args...);
}
};
这是定位器:
class Global {
public:
static void initialize() { logger = nullptr; }
static Logger& logging()
{
if (logger == nullptr)
{
throw new std::runtime_error("Attempt to log something before a logging instance was created!");
}
return *logger;
}
static void provide_logging(Logger *new_logger) { logger = new_logger; }
private:
static Logger *logger;
};