So we're investigating the use of scope guards or some similar mechanism to ensure incoming/outgoing object validity and/or internal state invariance, similar to C# Code Contracts.
In the specific case where an unexpected condition/exception arises in the middle of normal processing that causes some objects to be left in an inconsistent state, what mechanism could/should we use to side-step the fact that the scope guard is going to complain when we jump out of the function?
Here's some sample pseudocode to illustrate my point:
struct IObjectValidator;
struct ObjectValidatorScopeGuard
{
ObjectValidatorScopeGuard(IObjectValidator * pObj)
: m_ptr(pObj)
{
Assert(!m_ptr || m_ptr->isValid());
}
~ObjectValidatorScopeGuard()
{
Assert(!m_ptr || m_ptr->isValid());
}
private:
IObjectValidtor * m_ptr;
};
int SomeComponent::CriticalMethod(const ThingA& in, ThingB& inout, ThingC * out)
{
ObjectValidatorScopeGuard sg1(static_cast<IObjectValidator *>(&in));
ObjectValidatorScopeGuard sg2(static_cast<IObjectValidator *>(&inout));
ObjectValidatorScopeGuard sg3(static_cast<IObjectValidator *>(out));
// create out
try
{
out = new ThingC();
out->mergeFrom(inout, out); // (1)
}
catch (const EverythingHasGoneHorriblyWrongException& ex)
{
// (2) out and inout not guaranteed valid here..
}
return 0;
}
So if something goes wrong in (1) that causes 'out' or 'inout' to be in a bad state at point (2), the scope guards sg2/sg3 are going to throw exceptions... and those exceptions could mask the true cause.
Is there any pattern/convention to work with this scenario? Are we missing something obvious?
Interesting to put an assertion in a scope guard. It's not the usual use case, but not a bad idea to improve their coverage.
Just be aware that you can't throw another exception when you're already handling one. So a problem with
in
,out
, orinout
can't be delegated somewhere else, you need to take care of it immediately.If all you want is to print a debug message when the assertion is violated (expected behavior for
Assert
), then simply print the message and continue on your way… don't mess with exceptions at all.If
Assert
should tie into a greater exception handling mechanism, then exception objects should have structure to accommodate whateverAssert
actually produces. But getting that state into the appropriate exception object is nontrivial.Assert
is called during stack unwinding, before the exception has been handled, before it's accessible by rethrow i.e. (try { throw; } catch ( structured_e & ) {}
). You would need a thread-local variable to store the current structured exception, initialized bystructured_e::structured_e()
.Long story short, my advice is to provide a separate
WeakAssert
for use in destructors and scope guards which doesn't throw an exception.See also Herb Sutter's article on why not to be clever when combining exceptions and destructors.