我正在尝试手动将一些Java移植到C ++中。
Java:
public Class Item {
public String storage = "";
public Item(String s, int tag) { storage = s; }
...
}
public class ProcessItems {
Hashtable groups = new Hashtable();
void save(Item w) { groups.put(w.storage, w); }
}
我的C ++:
#include<iostream>
#include<unordered_map>
#include<string>
class Item {
public:
std::string storage;
Item(std::string s, int tag) { storage = s; }
...
}
class ProcessItems {
public:
std::unordered_map<std::string, std::string> *groups = new std::unordered_map<std::string, std::string>();
void save(Item w) { groups.insert(w::storage, w); }
...
}
在C ++ 11中编译我收到以下错误:
error: invalid use of ‘::’
string, std::string> *words = new std::unordered_map<std::string, std::string>();
^
我哪里出错?
答案 0 :(得分:11)
在Java中,成员解析和范围解析都是使用运算符点.
完成的,而在C ++中,这些运算符是不同的:
::
访问命名空间的成员或类的静态成员.
访问由引用或按值->
访问由指针由于storage
是Item
的实例成员,请使用
groups.insert(w.storage, w);
请注意,如果您通过常量引用传递w
,情况会更好:
void save(const Item& w) { groups.insert(w::storage, w); }
您还需要从指向对象的指针更改groups
,并修复其类型以匹配您计划放入地图的内容:
std::unordered_map<std::string,Item> groups;
与Java不同,C ++会将groups
初始化为有效对象,而无需显式调用默认构造函数。