C ++对重载函数的不明确调用

时间:2011-10-21 20:04:25

标签: c++ arrays templates visual-c++ overloading

我有一个“安全”strncpy()的代码 - 基本上它的包装器自动为字符串缓冲区采用固定的数组大小,所以你不必做额外的工作来传递它们(这样的便利性更安全因为您不会意外地为固定数组缓冲区键入错误的大小。)

inline void MySafeStrncpy(char *strDest,size_t maxsize,const char *strSource)
{
    if(maxsize)
    {
        maxsize--;
        strncpy(strDest,strSource,maxsize);
        strDest[maxsize]=0;
    }
}

inline void MySafeStrncpy(char *strDest,size_t maxDestSize,
    const char *strSource, size_t maxSourceSize)
{
    size_t minSize=(maxDestSize<maxSourceSize) ? maxDestSize:maxSourceSize;
    MySafeStrncpy(strDest,minSize,strSource);
}

template <size_t size>
void MySafeStrncpy(char (&strDest)[size],const char *strSource)
{
    MySafeStrncpy(strDest,size,strSource);
}

template <size_t sizeDest,size_t sizeSource>
void MySafeStrncpy(char (&strDest)[sizeDest],
    const char (&strSource)[sizeSource])
{
    MySafeStrncpy(strDest,sizeDest,strSource,sizeSource);
}

template <size_t sizeSource>
void MySafeStrncpy(char *strDest,size_t maxDestSize,
    const char (&strSource)[sizeSource])
{
    MySafeStrncpy(strDest,maxDestSize,strSource,sizeSource);
}

在编译时使用代码会导致Visual C ++ 2008中出现错误:

char threadname[16];
MySafeStrncpy(threadname,"MainThread");

error C2668: 'MySafeStrncpy' : ambiguous call to overloaded function
>        could be 'void MySafeStrncpy<16,11>(char (&)[16],const char (&)[11])'
>        or       'void MySafeStrncpy<16>(char (&)[16],const char *)'
>        while trying to match the argument list '(char [16], const char [11])'

我在这里做错了什么?

在确定调用哪个模板函数时,似乎编译器无法确定字符串文字"MainThread"是否应被视为const char *const char[11]

我希望将字符串文字视为const char[11]并选择void MySafeStrncpy<16,11>(char (&)[16],const char (&)[11])变体,因为这是“最安全的”。

另外还有两个答案限制:1)我无法切换编译器(代码编译在其他编译器上)和2)公司不允许我使用外部模板库来解决问题。

3 个答案:

答案 0 :(得分:1)

根据13.3.3.1.1,数组到指针的转换具有完全匹配 rank,所以这个函数调用在标准规范中可能不明确。 如果允许您更改定义:

template <size_t size>
void MySafeStrncpy(char (&strDest)[size],const char *strSource)

为:

template <size_t size, class T>
void MySafeStrncpy(char (&strDest)[size], T strSource)

here类似, 那么这可能是最简单的解决方法。

答案 1 :(得分:0)

char-array / const-char-array和char-array / const-char-pointer的重载不能通过重载解析逻辑相互区分(至少是Microsoft逻辑 - 这个代码编译得很好)海湾合作委员会。不知道标准在这里说。)。您需要以某种方式区分它们,例如通过重命名数组函数或添加虚拟参数。

优雅的解决方案是使用boost :: enable_if和boost :: is_array。

答案 2 :(得分:0)

当你使用你的功能时:

MySafeStrncpy(threadname,"MainThread");

你没有在threadname&amp;之间传递size_t参数。 “MainThread”,但你已在函数定义中定义。

它就是这样的:

MySafeStrncpy(threadname, sizeof threadname, "MainThread");

如果你不想传递参数,那么在ur函数定义中将其设为默认值。