日志(PCTSTR格式,...)和日志(PCTSTR文本):错误C2668模糊调用重载函数

时间:2014-12-16 07:49:44

标签: c++ visual-studio-2010 visual-c++

我有以下定义:

void LogMessage(PCTSTR text);
void LogMessage(PCTSTR format, ...);

如果我只想用一个参数调用该函数,我会收到以下错误消息:

Source.cpp(10): error C2668: 'Log' : ambiguous call to overloaded function
  could be 'void Log(PCTSTR,...)' or 'void Log(PCTSTR)'
  while trying to match the argument list '(const wchar_t [42])'

是否可以使用static_cast来探索使用第一个版本?或者可以解决这个问题,除非重命名第一个或第二个函数?

1 个答案:

答案 0 :(得分:2)

以下怎么样?我还没有在VC ++(这似乎是你选择的平台)上进行测试,但希望你使用的版本能够实现足够的C ++ 11来实现它。

#include <iostream>
#include <cstdio>
#include <cstdarg>

void LogMessageWorker(char const* format, ...)
{
    // 1k should be enough for anyone... ;)
    char buf[1024] = { 0 };

    // The version of vsnprint called should always null terminate correctly and doesn't
    // strictly need the -1 but I believe that the implementation that is included with
    // VC++ leaves a lot to be desired so you may need to slightly tweak this.
    va_list args;
    va_start (args, format);
    vsnprintf (buf, sizeof (buf) - 1, format, args);
    va_end (args);

    std::cout << "LogMessage: " << buf << std::endl;
}

template <class... Arguments>
void LogMessage(char const* format, Arguments... arguments)
{
    LogMessageWorker (format, std::forward<Arguments>(arguments)...);
}

void LogMessage(char const* text)
{
    LogMessageWorker ("%s", text);
}

int main(int argc, char **argv)
{
    LogMessage ("The test is starting...");

    for (int i = 0; i < 3; i++)
        LogMessage ("This is test #%d", i);

    LogMessage ("This contains the % character and still it works (%d-%d-%d-%d)");

    return 0;
}