您的位置:首页 > 移动开发 > IOS开发

iOS and iPhone Handling unhandled exceptions and signals

2012-09-14 09:46 417 查看
原文地址:http://cocoawithlove.com/2010/05/handling-unhandled-exceptions-and.html

由于原文被盾了,我把它转载到这里供大家访问

When an application crashes on the iPhone, it disappears without telling the user what happened. However, it is possible to add exception and signal handling to your applications so that an error message can be displayed to the user or you can save changes.
It is even possible to try to recover from this situation without crashing at all.


Debug-only hack warning

Warning: The code in this post is for quick and dirty information gathering after a crash bug.
The purpose is not to make your shipping code crash-proof, it is to allow better debugging of your application when a crash or exception occurs during user testing.

The code in this post performs signal handling in non re-entrant way — this is not a reliable thing
to do and is only done because proper re-entrant coding is brutally difficult and the assumption is that your program has already fatally crashed so we’re not too worried. If multiple signals are caught, this code probably won’t help at all.


Introduction

This post will present a sample application that deliberately raises Objective-C exceptions,
EXC_BAD_ACCESS
 exceptions
and related BSD signals. All exceptions and signals are caught, presenting debug information and allowing the application to continue after these events.



You can download the sample project: UncaughtExceptions.zip (25kB)

This application will deliberately trigger an unhandled message exception after 4 seconds and then will deliberately trigger an 
EXC_BAD_ACCESS
/
SIGBUS
 signal
at the 10 second mark.


Why do applications crash on the iPhone?

A crash (or more accurately: an unexpected termination) is the result of an unhandled signal sent to your application.

An unhandled signal can come from three places: the kernel, other processes or the application itself. The two most common signals that cause crashes are:

EXC_BAD_ACCESS
 is a Mach exception sent by the kernel to your application when you try to access
memory that is not mapped for your application. If not handled at the Mach level, it will be translated into a 
SIGBUS
 or 
SIGSEGV
 BSD
signal.

SIGABRT
 is a BSD signal sent by an application to itself when an 
NSException
 or
obj_exception_throw
 is
not caught.

In the case of Objective-C exceptions, the most common reason why unexpected exceptions are thrown in Objective-C is sending an unimplemented selector to an object (due to typo, object mixup or sending to an already released object that’s been replaced by something
else).

Mac application note: 
NSApplication
 on
the Mac always catches all Objective-C exceptions in the main run loop — so an exception on the main thread of a Mac application will not immediately crash the program, it will simply log the error. However, an unexpected exception can still leave the application
in such a bad state that a crash will subsequently occur.


Catching uncaught exceptions

The correct way to handle an uncaught exception is to fix the cause in your code. If your program is working perfectly, then the approaches shown here should not be necessary.

Of course, programs do sometimes get released with bugs that may lead to a crash. In addition, you may simply want more information back from your testers when you know that there are bugs in your program.

In these cases, there are two ways to catch otherwise uncaught conditions that will lead to a crash:

Use the function 
NSUncaughtExceptionHandler
 to install a handler for uncaught Objective-C exceptions.

Use the 
signal
 function to install handlers for BSD signals.

For example, installing an Objective-C exception handler and handlers for common signals might look like this:

void
 
InstallUncaughtExceptionHandler()


{


    
NSSetUncaughtExceptionHandler(&HandleException);


    
signal(
SIGABRT
,
SignalHandler);


    
signal(
SIGILL
,
SignalHandler);


    
signal(
SIGSEGV
,
SignalHandler);


    
signal(
SIGFPE
,
SignalHandler);


    
signal(
SIGBUS
,
SignalHandler);


    
signal(
SIGPIPE
,
SignalHandler);


}


void InstallUncaughtExceptionHandler()

{

NSSetUncaughtExceptionHandler(&HandleException);

signal(SIGABRT, SignalHandler);//由调用abort函数产生,进程非正常退出

signal(SIGILL, SignalHandler);//非法指令异常

signal(SIGSEGV, SignalHandler);//SIGSEGV是当一个进程执行了一个无效的内存引用,或发生段错误时发送给它的信号

signal(SIGFPE, SignalHandler);//在发生致命的算术运算错误时发出. 不仅包括浮点运算错误, 还包括溢出及除数为0等其它所有的算术的错误。

signal(SIGBUS, SignalHandler);//非法地址, 包括内存地址对齐(alignment)出错。比如访问一个四个字长的整数, 但其地址不是4的倍数。它与SIGSEGV的区别在于后者是由于对合法存储地址的非法访问触发的(如访问不属于自己存储空间或只读存储空间)。

signal(SIGPIPE, SignalHandler);//管道破裂。这个信号通常在进程间通信产生,比如采用FIFO(管道)通信的两个进程,读管道没打开或者意外终止就往管道写,写进程会收到SIGPIPE信号。此外用Socket通信的两个进程,写进程在写Socket的时候,读进程已经终止。

}

Responding to the exceptions and signals can then happen in the implementation of the
HandleException
 and 
SignalHandler
.
In the sample application, these both call through to the same internal implementation so that the same work can be done in either case.

Save your data: The very first task to perform in your uncaught exception handler should be to
save data that might need saving or otherwise clean up your application. However: if the exception may have left the data in an invalid state, you may need to save to a separate location (like a “Recovered Documents” folder) so you don’t overwrite good data
with potentially corrupt data.

While these cover the most common signals, there are many more signals that may be sent that you can add if required.

There are two signals which cannot be caught: 
SIGKILL
 and 
SIGSTOP
.
These are sent to your application to end it or suspend it without notice (a 
SIGKILL
 is what
is sent by the command-line function 
kill -9
 if you’re familiar with that and a 
SIGSTOP
 is
sent by typing Control-Z in a terminal).


Requirements of the exception handler


An unhandled exception handler may never return


The types of situations which would cause an unhandled exception or signal handler to be invoked are the types of situations that are generally considered unrecoverable in an application.

However, sometimes it is simply the stack frame or current function which is unrecoverable. If you can prevent the current stack frame from continuing, then sometimes the rest of the program can continue.

If you wish to attempt this, then your unhandled exception handler must never return control to the calling function — the code which raised the exception or triggered the signal should not be used again.

In order to continue the program without ever returning control to the calling function, we must return to the main thread (if we are not already there) and permanently block the old thread. On the main thread, we must start our own run loop and never return
to the original run loop.

This will mean that the stack memory used by the thread that caused the exception will be permanently leaked. This is the price of this approach.

Attempt to recover


Since a run loop will be used to display the dialog, we can keep that run loop running indefinitely and it can serve as a possible replacement for the application’s main run loop.

For this to work, the run loop must handle all the modes of the main run loop. Since the main run loop includes a few private modes (for GSEvent handling and scroll tracking), the default
NSDefaultRunLoopMode
 is
insufficent.

Fortunately, if the 
UIApplication
 has already created all the modes for the main loop, then we
can get all of these modes by reading from the loop. Assuming it is run on the main thread after the main loop is created, the following code will run the loop in all 
UIApplication
 modes:

CFRunLoopRef
 
runLoop
= CFRunLoopGetCurrent();


CFArrayRef
 
allModes
= CFRunLoopCopyAllModes(runLoop);


while
 
(!dismissed)


{


    
for
 
(
NSString
 
*mode 
in
 
(
NSArray
 
*)allModes)


    
{


        
CFRunLoopRunInMode((CFStringRef)mode, 
0
.001
,
false);


    
}


}


CFRelease(allModes);



As part of the debug information, we want the stack addresses


You can get the backtrace using the function 
backtrace
 and attempt to convert this to symbols
using 
backtrace_symbols
.

+ (
NSArray
 
*)backtrace


{


    
void
*
callstack[
1
2
8
];


    
int
 
frames
= backtrace(callstack, 
1
2
8
);


    
char
 
**strs
= backtrace_symbols(callstack, frames);


    


    
int
 
i;


    
NSMutableArray
 
*backtrace
= [
NSMutableArray
 
arrayWithCapacity
:frames];


    
for
 
(


        
i
= 
UncaughtExceptionHandlerSkipAddressCount
;


        
i
< 
UncaughtExceptionHandlerSkipAddressCount
 
+


            
UncaughtExceptionHandlerReportAddressCount
;


        
i++)


    
{


        
[backtrace
 
addObject
:[
NSString
 
stringWithUTF8String
:strs[i]]];


    
}


    
free(strs);


    


    
return
 
backtrace;


}


Notice that we skip the first few addresses: this is because they will be the addresses of the signal or exception handling functions (not very interesting). Since we want to keep the data minimal (for display in a 
UIAlert
 dialog)
I choose not to display the exception handling functions.

If the user selects “Quit” we want the crash to be logged


If the user selects “Quit” to abort the application instead of attempting to continue, it’s a good idea to generate the crash log so that normal crash log handling can track the problem.

In this case, we need to remove all the exception handlers and re-raise the exception or resend the signal. This will cause the application to crash as normal (although the uncaught exception handler will appear at the top of the stack, lower frames will be
the same).


Limitations


The signal handler is not re-entrant


Remember from the paragraph at the beginning:

The code in this post performs signal handling in non re-entrant way — this is not a reliable thing
to do and is only done because proper re-entrant coding is brutally difficult and the assumption is that your program has already fatally crashed so we’re not too worried. If multiple signals are caught, this code probably won’t help at all.

If you want to learn how to write signal handlers for non-crash related signals or learn how to write proper re-entrant signal handling, I’m afraid you’ll need to look elsewhere — there’s not enough space here for me to show you and it’s really hard. Ignoring
this constraint here is okay for debug code only where we assume we’re only going to get 1 signal.

This approach won’t work if the application hasn’t configured the main run loop


The exact way that 
UIApplication
 constructs windows and the main run loop is private. This means
that if the main run loop and initial windows are not already constructed, the exception code I’ve given won’t work — the code will run but the 
UIAlert
 dialog
will never appear. For this reason, I install the exception handlers with a 
performSelector:withObject:afterDelay:0
 from
the
applicationDidFinishLaunching:
 method on the App Delegate to ensure that this exception handler
is only installed after the main run loop is fully configured. Any exception that occurs prior to this point on startup will crash the application as normal.

Your application may be left in an unstable or invalid state


You cannot simply continue from all situations that trigger exceptions. If you’re in the middle of a situation that must be completed in its entirety (a transaction on your document) then your application’s document may now be invalid.

Alternately, the conditions which led to the exception or signal may have left your stack or heap in a state so corrupted that nothing is possible. In this type of situation, you’re going to crash and there’s little you can do.

The exception or signal could just happen again


The initial causes of the exception or signal will not be fixed by ignoring it. The application might simply raise the same exception immediately. In fact, you could become overwhelmed by exceptions in some cases — for this reason, I’ve limited the number of
uncaught exceptions that may be handled to 10 in the sample application.

Resources used up to the time of the exception are leaked


Since the stack is blocked from returning, everything allocated on the stack or the autorelease pool between the main run loop and the exception will be leaked.

It might be bad behavior for the user


Depending on the style of your application, it might be better to simply let the crash happen — not all users care about debug information and your application might not have data that needs saving, so a very rare crash might not be too offensive.

gdb will interfere with signal handling


When you’re debugging, the SIGBUS and SIGSEGV signals may not get called. This is because gdb inserts Mach exception handlers which picks them up at the EXC_BAD_ACCESS stage (and refuses to continue). Other signals type may also be handled by gdb, preventing
the signals from reaching your handlers.

If you want to test signal handling properly, you’ll need to run without gdb (Run with Breakpoints off).


Conclusion

You can download the sample project: UncaughtExceptions.zip (25kB)

It is possible to make your application continue running for a short period of time after a “crash” signal occurs by handling common exceptional signals and attempting to recover.

There are real risks though in terms of signal re-entrancy problems, leaked memory and potentially corrupted application data, so this type of approach should be viewed as either a debugging tool or a measure of last resort.

However, it is comforting to have a level of fallback in the situation where a hard to reproduce crash occurs during testing and you’d like more information on the application state when the crash happened.
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息