我已经定义了一个数据结构
std::map<std::string, int> a;
我发现我可以传递const char *作为键,如下所示:
a["abc"] = 1;
哪个函数提供从const char *到std :: string的自动类型转换?
答案 0 :(得分:15)
std::string
有constructor that allows the implicit conversion from const char*
。
basic_string( const CharT* s,
const Allocator& alloc = Allocator() );
表示隐式转换,例如
std::string s = "Hello";
是允许的。
这相当于做
之类的事情struct Foo
{
Foo() {}
Foo(int) {} // implicit converting constructor.
};
Foo f1 = 42;
Foo f2;
f2 = 33 + 9;
如果您想禁止隐式转换构造,请将构造函数标记为explicit
:
struct Foo
{
explicit Foo(int) {}
};
Foo f = 33+9; // error
Foo f(33+9); // OK
f = Foo(33+9); // OK
答案 1 :(得分:4)
std :: string有一个构造函数,它将const char *作为参数。
string::string(const char*);
除非构造函数声明为显式,否则编译器将根据需要应用一个使用定义的转换来调用任何函数。
答案 2 :(得分:3)
见string constructor。构造函数为地图中的键提供转换。它相当于
a[std::string("abc")] = 1;
答案 3 :(得分:2)
在C ++中,如果你创建一个只接受一个参数的类构造函数,那么(除非你用explicit
告诉它),该参数的类型将是implicitly convertable给你的类。
std::string
有char *
是的,这有时可能会导致一些意想不到的行为。这就是为什么你通常应该将explicit
放在单参数构造函数上,除非你真的想要这些静默转换。