Re: C++ exception error messages Organization: Aioe.org NNTP Server
On Sep 28, 5:24 am, tf <t...@sci.utah.edu> wrote:
James K. Lowden wrote:
tf wrote:
if(badness) {
std::ostringstream err;
err << "Badness " << errcode << " has occurred while frobbing"
<< " nitzes. blah blah blah";
throw SomeException(err.str().c_str());
}
.....
Yet, of course, by the time we get to a:
catch(const SomeException& se) { ... }
clause somewhere up the call stack, the above stack has unwound. In the
first case, the std::string from err.str() has had its destructor run,
so our saved pointer is bogus
If it's a "saved pointer".
Is this quoted because it's a technical term, defined in the standard?
(If so, where please?)
The object you throw isn't unwound; its
storage is intact. The classes defined in <stdexcept> have constructors
that accept const std::string&. As long as they make a copy of that
string, the it doesn't matter what happens to the argument variable.
Seriously? I read [1] that using std::string in an exception is a bad
idea, because the copy constructor might throw, and the exception will
be copied any number of times [C++ faq lite, don't have a link, sorry].
I don't think it's a good argument against using std::string in
exception object.
Firstly, the programs are typically allocate most of its memory in
rather big chunks, so out of memory situation typically means that a
program cannot allocate a sizeable block, but it still might be able
to allocate small blocks sufficient for error processing. If that's
not the case the program is likely to experience hard crash anyway.
Sometimes, I see people preallocating some memory either to release it
on bad_alloc or use it for custom allocator to create error objects.
It's understandable, but for the reasons mentioned above I think it's
unnecessary.
Secondly, it's always a good idea to reduce the number of dynamic
allocations and reduce the chance of exceptions throwing in copy
constructors by using move constructors instead (which usually don't
throw), e.g.:
std::string error_message;
// create message and throw by moving
throw std::move(error_message);
or
class my_exception
{
std::string msg;
public:
my_exception(std::string&& msg) throw()
: msg(std::move(msg))
{}
const char* what() const throw()
{
return msg.c_str();
}
my_exception(const my_exception&) = delete;
my_exception(my_exception&&) = default;
};
....
throw my_exception(std::move(error_message));
{ Please convert tabs to spaces before posting. TIA., -mod/aps }
--
[ See http://www.gotw.ca/resources/clcm.htm for info about ]
[ comp.lang.c++.moderated. First time posters: Do this! ]