将可变参数函数参数转发到另一个可变参数函数而无需成本
Forward variadic function arguments to another variadic function without cost
我有一个用于日志写入的可变参数函数LogDebug
。日志记录以两种模式进行。
在大多数情况下,我的应用程序将可变参数转发给另一个可变参数 LogDebugEx
,因此该路径需要优化。
具体来说,我对 callgrind 图表的一些请求需要 vsnprintf
的 38%。请注意,此函数会针对单个请求调用多次。
void LogDebug(const char* zFormat, ...)
{
char zDesc[5000];
va_list ap;
va_start(ap, zFormat);
vsnprintf(zDesc, 5000, zFormat, ap); // Need to optimize in remode mode.
va_end(ap);
if (m_logMode == LOG_MODE_LOCAL) // Does not need to optimize this mode.
{
// This mode is not interested.
}
else // m_logMode == LOG_MODE_REMOTE, critical path
{
LogDebugEx("%s", zDesc); // Forwarded to new variadic function
}
}
问题 :我需要避免在转发到 LogDebugEx
函数之前将整个参数列表复制到 zDesc
数组。
有没有一种方法可以将 LogDebug
的前向可变参数完善为 LogDebugEx
函数?
在不更改对 LogDebug
的函数调用的情况下,任何其他奇特的方法也可以。
我有 C++11
支持的编译器 GCC 4.9.3
。
如果我们有 c++11,为什么还要乱用可变参数列表?
#include <utility>
extern enum {LOG_MODE_LOCAL, LOG_MODE_REMOTE} m_logMode;
extern void LogDebugEx(const char*, ...);
template<class...Args>
void LogDebug(const char* zFormat, Args&&...args)
{
if (m_logMode == LOG_MODE_LOCAL) // Does not need to optimize this mode.
{
char zDesc[5000];
snprintf(zDesc, 5000, zFormat, args...);
// do what you have to do here
}
else // m_logMode == LOG_MODE_REMOTE, critical path
{
LogDebugEx(zFormat, std::forward<Args>(args)...); // Forwarded to new variadic function
}
}
我有一个用于日志写入的可变参数函数LogDebug
。日志记录以两种模式进行。
在大多数情况下,我的应用程序将可变参数转发给另一个可变参数 LogDebugEx
,因此该路径需要优化。
具体来说,我对 callgrind 图表的一些请求需要 vsnprintf
的 38%。请注意,此函数会针对单个请求调用多次。
void LogDebug(const char* zFormat, ...)
{
char zDesc[5000];
va_list ap;
va_start(ap, zFormat);
vsnprintf(zDesc, 5000, zFormat, ap); // Need to optimize in remode mode.
va_end(ap);
if (m_logMode == LOG_MODE_LOCAL) // Does not need to optimize this mode.
{
// This mode is not interested.
}
else // m_logMode == LOG_MODE_REMOTE, critical path
{
LogDebugEx("%s", zDesc); // Forwarded to new variadic function
}
}
问题 :我需要避免在转发到 LogDebugEx
函数之前将整个参数列表复制到 zDesc
数组。
有没有一种方法可以将 LogDebug
的前向可变参数完善为 LogDebugEx
函数?
在不更改对 LogDebug
的函数调用的情况下,任何其他奇特的方法也可以。
我有 C++11
支持的编译器 GCC 4.9.3
。
如果我们有 c++11,为什么还要乱用可变参数列表?
#include <utility>
extern enum {LOG_MODE_LOCAL, LOG_MODE_REMOTE} m_logMode;
extern void LogDebugEx(const char*, ...);
template<class...Args>
void LogDebug(const char* zFormat, Args&&...args)
{
if (m_logMode == LOG_MODE_LOCAL) // Does not need to optimize this mode.
{
char zDesc[5000];
snprintf(zDesc, 5000, zFormat, args...);
// do what you have to do here
}
else // m_logMode == LOG_MODE_REMOTE, critical path
{
LogDebugEx(zFormat, std::forward<Args>(args)...); // Forwarded to new variadic function
}
}