我有一个围绕C null终止字符串的简单包装器,它本质上是std :: vector<的子类。 char>。 (是的,我知道std :: string,但我的包装器更容易与期望char *的C函数配合。而且,std :: string isn&t;保证在C ++ 03中是连续的)
以下是代码:
#include <cstdio>
#include <vector>
typedef std::vector<char> vector_char;
class c_string : public vector_char
{
public:
c_string(size_t size) : vector_char(size+1) {}
c_string(const char* str)
{
if(!str) return;
const char* iter = str;
do
this->push_back(*iter);
while(*iter++);
}
c_string() {}
//c_string(std::nullptr_t) {}
char* data()
{
if(this->size())
return &((*this)[0]); //line 26
else
return 0;
}
const char* data() const { return this->data(); }
operator char*() { return this->data(); }
operator const char*() const { return this->data(); }
};
int main()
{
c_string first("Hello world");
c_string second(1024);
printf("%s",first.data());
printf("%c\n",first[0]);
snprintf(second, second.size(), "%d %d %d", 5353, 22, 777);
printf(second);
}
MinGW抱怨:
D:\prog\PROJEKTYCPP\hehe_testc_cpp.cpp: In member function 'char* c_string::data()':
D:\prog\PROJEKTYCPP\hehe_testc_cpp.cpp:26:22: warning: ISO C++ says that these are ambiguous, even though the worst conversion for the first is better than the worst conversion for the second: [enabled by default]
In file included from d:\prog\mingw\bin\../lib/gcc/mingw32/4.7.0/include/c++/vector:65:0,
from D:\prog\PROJEKTYCPP\hehe_testc_cpp.cpp:2:
d:\prog\mingw\bin\../lib/gcc/mingw32/4.7.0/include/c++/bits/stl_vector.h:768:7:note: candidate 1: std::vector<_Tp, _Alloc>::reference std::vector<_Tp, _Alloc>::operator[]:(std::vector<_Tp, _Alloc>::size_type) [with _Tp = char; _Alloc = std:
:allocator<char>; std::vector<_Tp, _Alloc>::reference = char&; std::vector<_Tp,_Alloc>::size_type = unsigned int]
D:\prog\PROJEKTYCPP\hehe_testc_cpp.cpp:26:22: note: candidate 2: operator[](char
*, int) <built-in>
如何强制调用正确的重载?这个问题可以默默地伤害我吗?
答案 0 :(得分:1)
通过让操作员char *
,您提供了两种方法operator[]
。第一个是std::vector::operator[]
直接应用;第二个是将this
转换为char*
并将[]
应用于此 return &(operator[](0)); //line 26
。在这种情况下,它们都会产生相同的结果,但编译器无法知道。
通过明确指定您想要的那个来解决它。
return &((char*)(*this)[0]); //line 26
或
{{1}}
答案 1 :(得分:0)
要删除第一个警告,您可以执行以下操作:
char* data()
{
if(this->size())
return &vector_char::operator[](0);
else
return 0;
}
要删除所有警告,请移除operator char*()
和operator const char*()
成员。