我正在尝试编写一个定义std::map
的类。映射的比较器必须是函数指针。函数指针可以作为类的构造函数中的参数传递给类。
以下是我写的代码:
#include <iostream>
#include <map>
#include <string>
#include <functional>
typedef std::function<bool(std::string x, std::string y)> StrComparatorFn;
bool FnComparator(std::string x, std::string y) {
return strtoul(x.c_str(), NULL, 0) < strtoul(y.c_str(), NULL, 0);
}
class MyClass {
public:
MyClass(StrComparatorFn fptr):fn_ptr(fptr){};
void Insert() {
my_map.insert(std::pair<std::string, std::string>("1", "one"));
my_map.insert(std::pair<std::string, std::string>("2", "two"));
my_map.insert(std::pair<std::string, std::string>("10", "ten"));
}
void Display() {
for (auto& it : my_map) {
std::cout << it.first.c_str() << "\t => " << it.second.c_str() << "\n";
}
}
private:
StrComparatorFn fn_ptr;
std::map<std::string, std::string, StrComparatorFn> my_map(StrComparatorFn(fn_ptr));
};
int main() {
MyClass c1(&FnComparator);
c1.Insert();
c1.Display();
}
我在Insert
中收到编译错误:
error: '((MyClass*)this)->MyClass::my_map' does not have class type
my_map.insert(std::pair<std::string, std::string>("1", "one"));
此问题的任何解决方案?
答案 0 :(得分:2)
那一行
std::map<std::string, std::string, StrComparatorFn> my_map(StrComparatorFn(fn_ptr));
有一个问题称为最令人烦恼的解析。基本上,所有可以解释为函数的东西都是:
Foo f(); //f is a function! Not a variable
在您的情况下,my_map
被解析为没有定义的声明函数。使用花括号而不是曲线括号将解决问题,因为列表初始化永远不能被解释为函数:
std::map<std::string, std::string, StrComparatorFn> my_map{ StrComparatorFn(fn_ptr) };