1

私のC++は錆びています。であるメンバー変数がありunordered_map<some_enum_type, string>ます。

クラスコンストラクターでマップを作成しようとしています。ここで何が間違っていますか?

私のヘッダーから:

#include <iostream>
#include <unordered_map>

using namespace std;

typedef enum{
    GET,
    POST,
    PUT,
    DELETE
}http_verb;

class CouchServer{
    string host;
    int port;
    string dbname;
    unordered_map<http_verb,string> req_types;
public:

私のコンストラクタの実装:

 CouchServer::CouchServer(string host, int port, string dbname){
    this->host = host;
    this->port = port;
    this->dbname = dbname;
    this->req_types = {
        {req_types[GET], "GET"},
        {req_types[POST], "POST"},
        {req_types[PUT], "PUT"},
        {req_types[DELETE],"DELETE" }
    };
   }

アップデート:

提供された回答とコメントを読んだ後、ヘッダーを次のように変更しました。

    class CouchServer{
    string host;
    int port;
    string dbname;
    unordered_map<http_verb,string> req_types;
public:
    CouchServer(std::string host, int port, std::string dbname)
    : host(std::move(host))
    , port(port)
    , dbname(std::move(dbname))
    , req_types{
        { http_verb::GET, "GET" },
        { http_verb::POST, "POST" },
        { http_verb::PUT, "PUT" },
        { http_verb::DELETE, "DELETE" }
    }
    {  }

同じ問題が続きます。XCode 4、つまりApple LLVM コンパイラ 4.2を使用してこのコードをコンパイルしようとしていることに言及する必要があります。

4

1 に答える 1

2

これは、コンパイラの制限である可能性があります。GCC 4.7.2でも同様のことが機能します。標準では、初期化子リストを取る代入演算子があると実際に述べています。

ただし、コンストラクターで代入を行うべきではありません。コンストラクター初期化リストを使用する方がはるかに優れています。

CouchServer(std::string host, int port, std::string dbname)
: host(std::move(host))
, port(port)
, dbname(std::move(dbname))
, req_types { { http_verb::GET, "GET" } }  // etc.
{  }

abusing namespace std;(そしてもちろん、ヘッダー ファイルで決して、絶対に、絶対に言ってはいけません。)

std::hash列挙型に特化する必要があります。適切な整数型にキャストするとうまくいくはずです。

于 2013-04-14T22:27:59.093 に答える