异常信息为空

Exception message empty

我有一个例外class如下:

class FileNotFoundException : public std::exception
{
public:
    FileNotFoundException(const char* message) : errorMessage(message){ }
    const char* what() const throw() override
    {
        return this->errorMessage;
    }
private:
    const char* errorMessage;
};

而我 throw 这个异常是这样的:

std::string message = "Message";
throw ::FileNotFoundException(message.c_str());

但是当我尝试使用以下方法处理它时:

try
{
    // the code that throws 
}
catch(::FileNotFoundException& ex)
{
    std::string message = ex.what(); 
}

string 为空。 如果有人能提供帮助,我将不胜感激。

您不能只存储指向消息的指针。尝试将其存储在 std::string 中,或者更好的是,将其传递给父构造函数。在这种情况下,也许最好从 std::runtime_error 继承。

这是一个完整的例子:

#include <iostream>
#include <string>
#include <stdexcept>

class FileNotFoundException : public std::runtime_error
{
public:
  FileNotFoundException(const char* message) : std::runtime_error(message)
  {
  }
};

int main()
{
  try {
    throw ::FileNotFoundException("oops, something happened");
  }
  catch(const ::FileNotFoundException& ex) {
    std::cout << "Exception: '" << ex.what() << "'" << std::endl;
  }
}

编译和运行:

$ g++ -W -Wall --std=gnu++11 a.cpp -oa
$ ./a
Exception: 'oops, something happened'

简而言之(没有细节): class std::exception 没有任何构造函数。它只是所有其他异常使用的父 class。另一方面,std::runtime_error 有一个构造函数可以正确地为您存储消息。完整的解释可以在 Difference: std::runtime_error vs std::exception()

中找到

我认为这种方法比自己定义 what() 并使用 std::string 来存储消息要好。也就是说,如果您对异常没有特殊需求 class.

您还应该查看 C++ exception hierarchy

您的问题在这里:

throw ::FileNotFoundException(message.c_str());

您正在异常中存储指向 message 拥有的内存的指针。当 message 超出范围(在抛出期间发生)时,数据将不再有效。这意味着 this->errorMessage returns 一些未定义的内存。要修复它,您可以将一些真正常量的字符串传递给您的异常,或者您需要异常来拥有该字符串,例如通过使 errorMessage 成为 std::string.