其他分享
首页 > 其他分享> > c – 为std :: runtime_error子类调用“编译器错误的已删除构造函数”

c – 为std :: runtime_error子类调用“编译器错误的已删除构造函数”

作者:互联网

我从std :: runtime_error派生了一个异常类,以便添加对异常流的支持.我得到一个奇怪的编译器错误输出与clang,我不知道如何解决?

clang++ -std=c++11 -stdlib=libc++ -g -Wall -I../ -I/usr/local/include Main.cpp -c
Main.cpp:43:19: error: call to deleted constructor of 'EarthException'
            throw EarthException(__FILE__, __LINE__)
                  ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
../EarthException.hpp:9:12: note: function has been explicitly marked deleted here
    struct EarthException : public Exception<EarthException>


template <typename TDerived>
    class Exception : public std::runtime_error
    {
        public:
            Exception() : std::runtime_error("") {}

            Exception(const std::string& file, const unsigned line)
                 : std::runtime_error("")
            { 
                stream_ << (file.empty() ? "UNNAMED_FILE" : file) << "[" << line << "]: ";
            }

            virtual ~Exception() {}

            template <typename T>
            TDerived& operator<<(const T& t)
            {
                stream_ << t;
                return static_cast<TDerived&>(*this);
            }

            virtual const char* what() const throw()
            {
                return stream_.str().c_str();
            }

       private:
           std::stringstream stream_;
    };

    struct EarthException : public Exception<EarthException>
    {
        EarthException() {}

        EarthException(const std::string& file, const unsigned line)
            : Exception<EarthException>(file, line) {}

        virtual ~EarthException() {}
    };
}

更新:

我现在已经添加了对std :: runtime_error(“”)的显式调用,因为它被指出默认构造函数被标记为= delete但是错误仍然存​​在.

解决方法:

由于Exception和EarthException中的用户声明的析构函数,因此禁用了隐式生成移动构造函数和移动这些类的赋值运算符.并且由于仅移动数据成员std :: stringstream,隐式复制成员将被删除.

然而,所有这些都是分散注意力的.

你的会员注定失败了:

        virtual const char* what() const throw()
        {
            return stream_.str().c_str();
        }

这将创建一个rvalue std :: string,然后将指针返回到该临时值.客户端之前的临时析构可以读取指向该临时的指针.

您需要做的是将std :: string传递给std :: runtime_error基类.然后您不需要持有字符串流或任何其他数据成员.唯一棘手的部分是使用正确的字符串初始化std :: runtime_error基类:

template <typename TDerived>
    class Exception : public std::runtime_error
    {
            static
            std::string
            init(const std::string& file, const unsigned line)
            {
                std::ostringstream os;
                os << (file.empty() ? "UNNAMED_FILE" : file) << "[" << line << "]: ";
                return os.str();
            }
        public:
            Exception(const std::string& file, const unsigned line)
                : std::runtime_error(init(file, line))
            { 
            }

      private:
          <del>std::stringstream stream_;</del>

现在你将得到隐式的复制成员,事情就会起作用.

标签:c,c11,clang-2
来源: https://codeday.me/bug/20190729/1571616.html