-1
#include <iostream>
#include <string>

class testClass {
    public:

    // testClass(const char * s)
    // {
    //     std::cout<<"custom constructor 1 called"<<std::endl;
    // }
    testClass(std::string s) : str(s)
    {
        std::cout<<"custom constructor 2 called"<<std::endl;
    }

private:
    std::string str;
};

int main(int argc, char ** argv)
{
    testClass t0{"str"};
    testClass t2 = {"string"};
    testClass t4 = "string"; // error conversion from 'const char [7]' to non-scalar type 'testClass' requested

    return 0;
}

似乎复制初始化不允许隐式转换const char *string而复制列表初始化和直接初始化允许它。

4

1 回答 1

0

编译器正在寻找的构造函数是:

testClass(const char* s) : str(s) 
{
    std::cout << "custom constructor 3 called" << std::endl;
}

我认为您的代码失败了,因为它需要两个隐式转换, assignment 和const char*to const std::string&

此外,您应该const std::string&改用。

testClass(const std::string &s) : str(s)
{
    std::cout<<"custom constructor 2 called"<<std::endl;
}

因为在testClass t4 = "string";你给一个const char*.

于 2018-11-10T08:39:29.807 回答