0

基本的に std::vector< char > のサブクラスである、C の null で終わる文字列の単純なラッパーがあります。(はい、std::string については知っていますが、私のラッパーは char* を期待する C 関数と連携する方が簡単です。また、std::string は 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>

正しいオーバーロードの呼び出しを強制するにはどうすればよいですか? この問題は私を静かに傷つけることができますか?

4

2 に答える 2

1

演算子char *を使用することで、2 つの方法が提供されますoperator[]。1 つ目はstd::vector::operator[]直接適用されます。2 つ目は、それに変換thischar*て適用[]することです。この場合、どちらも同じ結果になりますが、コンパイラはそれを知ることができません。

必要なものを明示的に指定して解決します。

        return &(operator[](0)); //line 26

また

        return &((char*)(*this)[0]); //line 26
于 2012-09-28T20:40:29.350 に答える
0

最初の警告を削除するには、次のようにします。

char* data()
{
    if(this->size())
        return &vector_char::operator[](0);
    else
        return 0;
}

すべての警告を削除するには、メンバーoperator char*()operator const char*()メンバーを削除します。

于 2012-09-28T20:37:07.740 に答える