为什么叫错了医生

Why is the wrong ctor being called?

本文关键字:医生 错了 为什么      更新时间:2023-10-16

我的代码按预期工作:

EscapedString es("Abc&def");
EscapedString es2("");
es2 = es;     // es2 == Abc%26def

和不按预期工作的代码:

EscapedString es("Abc&def");
EscapedString es2 = es;    // es == Abc%2526def

在第二种情况下,调用CTOR2而不是CTOR3,即使es是一个EscapedString。

EscapedString es(EscapedString("Abc?def"));

做正确的事情,但我似乎不能在CTOR3上设置一个断点,所以我不确定它是否工作正确,或者代码已被优化掉,或者它意外地工作。

类如下:

class EscapedString : public std::string {
public:
    EscapedString(const char *szUnEscaped) {  // CTOR1
        *this = szUnEscaped;
    }
    EscapedString(const std::string &strUnEscaped) {   // CTOR2
        *this = strUnEscaped;
    }
    explicit EscapedString(const EscapedString &strEscaped) {   // CTOR3
        *this = strEscaped;  // Can't set breakpoint here
    }
    EscapedString &operator=(const std::string &strUnEscaped) {
        char *szEscaped = curl_easy_escape(NULL, strUnEscaped.c_str(), strUnEscaped.length());
        this->assign(szEscaped);
        curl_free(szEscaped);
        return *this;
    }
    EscapedString &operator=(const char *szUnEscaped) {
        char *szEscaped = curl_easy_escape(NULL, szUnEscaped, strlen(szUnEscaped));
        this->assign(szEscaped);
        curl_free(szEscaped);
        return *this;
    }
    EscapedString &operator=(const EscapedString &strEscaped) {
        // Don't re-escape the escaped value
        this->assign(static_cast<const std::string &>(strEscaped));
        return *this;
    }
};

通常情况下,EscapedString es2 = es;将调用复制构造函数,但是您通过创建复制构造函数explicit:

明确地告诉它不要这样做。
explicit EscapedString(const EscapedString &strEscaped)

标记为explicit的构造函数永远不能通过自动类型转换来调用。它只能叫做,嗯…

EscapedString es(EscapedString("Abc?def"));

下面是编译器遇到EscapedString es2 = es;时发生的情况:

首先,编译器检查它是否可以使用复制构造函数,并发现它不能,因为它被标记为explicit。所以它寻找另一个要调用的构造函数。由于EscapedString派生自std::string,编译器可以将es转换为const std::string&并调用:

EscapedString &operator=(const std::string &strUnEscaped)