NSInvocation

NSInvocation的基本使用

//封装invacation可以调用多个参数的方法
-(void)invacation
{
    //1.创建一个MethodSignature,签名中保存了方法的名称,参数和返回值
    //这个方法属于谁,那么就用谁来进行创建
    //注意:签名一般是用来设置参数和获得返回值的,和方法的调用没有太大的关系
    NSMethodSignature *signature = [ViewController instanceMethodSignatureForSelector:@selector(callWithNumber:andContext:withStatus:)];

    /*注意不要写错了方法名称
     //    NSMethodSignature *signature = [ViewController methodSignatureForSelector:@selector(call)];
     */

    //2.通过MethodSignature来创建一个NSInvocation
    //NSInvocation中保存了方法所属于的对象|方法名称|参数|返回值等等
    NSInvocation *invocation = [NSInvocation invocationWithMethodSignature:signature];

    /*2.1 设置invocation,来调用方法*/

    invocation.target = self;
    //    invocation.selector = @selector(call);
    //    invocation.selector = @selector(callWithNumber:);
    //    invocation.selector = @selector(callWithNumber:andContext:);
    invocation.selector = @selector(callWithNumber:andContext:withStatus:);

    NSString *number = @"10086";
    NSString *context = @"下课了";
    NSString *status = @"睡觉的时候";

    //注意:
    //1.自定义的参数索引从2开始,0和1已经被self and _cmd占用了
    //2.方法签名中保存的方法名称必须和调用的名称一致
    [invocation setArgument:&number atIndex:2];
    [invocation setArgument:&context atIndex:3];
    [invocation setArgument:&status atIndex:4];

    /*3.调用invok方法来执行*/
    [invocation invoke];
}

11 异常处理

01 一般处理方式:
    a.app异常闪退,那么捕获crash信息,并记录在本地沙盒中。
    b.当下次用户重新打开app的时候,检查沙盒中是否保存有上次捕获到的crash信息。
    c.如果有那么利用专门的接口发送给服务器,以求在后期版本中修复。

02 如何抛出异常

    //抛出异常的两种方式
        // @throw  [NSException exceptionWithName:@"好大一个bug" reason:@"异常原因:我也不知道" userInfo:nil];

        //方式二
        NSString *info = [NSString stringWithFormat:@"%@方法找不到",NSStringFromSelector(aSelector)];
        //下面这种方法是自动抛出的
        [NSException raise:@"这是一个异常" format:info,nil];

03 如何捕获异常
    NSSetUncaughtExceptionHandler (&UncaughtExceptionHandler);

    void UncaughtExceptionHandler(NSException *exception) {
    NSArray *arr = [exception callStackSymbols];//得到当前调用栈信息
    NSString *reason = [exception reason];//非常重要,就是崩溃的原因
    NSString *name = [exception name];//异常类型

    NSString *errorMsg = [NSString stringWithFormat:@"当前调用栈的信息:%@\nCrash的原因:%@\n异常类型:%@\n",arr,reason,name];
    //把该信息保存到本地沙盒,下次回传给服务器。
}

你可能感兴趣的:(NSInvocation)