[iOS] 从 application delegate 引申三点

1、声明的 delegate 属性不总是 weak 策略

委托 delegationiOS 开发的常用设计模式,为了避免对象与其代理之间的因为相互 retain 导致循环引用的发生,delegate 属性在如今的 ARC 时代通常声明为 weak 策略,然而在早期的手动管理内存的时代,还未引入 strong/weak 关键字,使用 assign 策略保证 delegate 的引用计数不增加, 在 Swift 中是 unowned(unsafe)UIApplicationdelegate 声明如下:

// OC
@property(nullable, nonatomic, assign) id<UIApplicationDelegate> delegate;
// Swift
unowned(unsafe) open var delegate: UIApplicationDelegate?

assignweak 都只复制一份对象的指针,而不增加其引用计数,区别是:weak 的指针在对象释放时会被系统自动设为 nil,而 assign 却仍然保存了 delegate 的旧内存地址,潜在的风险就是:如果 delegate 已销毁,而对象再通过协议向 delegate 发送消息调用,则会导致野指针异常 exc_bad_access,这在使用 CLLocationManangerdelegate尤其需要注意。如果使用了 delegateassign 策略,则需要效仿系统对 weak 的处理,在 delegate 对象释放时将 delegate 手动设置为 nil

@implementation XViewController
- (void)viewDidLoad {
        [super viewDidLoad];
        self.locationManager = [[CLLocationManager alloc] init];
      self.locationManager.delegate = self;
      [self.locationManager startUpdatingLocation];
}

/// 必须手动将其 delegate 设为 nil
- (void)dealloc {
    [self.locationManager stopUpdatingLocation];
    self.locationManager.delegate = nil;
}

@end

除了 assgin 的情况,还有一些情况下 delegate 是被对象强引用 retain 的,比如 NSURLSessiondelegate 将被 retainsession 对象失效为止。

/* .....
 * If you do specify a delegate, the delegate will be retained until after
 * the delegate has been sent the URLSession:didBecomeInvalidWithError: message.
 */
+ (NSURLSession *)sessionWithConfiguration:(NSURLSessionConfiguration *)config
                     delegate:(nullable id <NSURLSessionDelegate>)delegate
                   delegateQueue:(nullable NSOperationQueue *)queue;

对于这种情况,处理方式,循环引用是肯定存在的,解决的方式是通过移除引用的方式来手动打破,因此 NSURLSession 提供了 session 失效的两个方法:

- (void)finishTasksAndInvalidate;
- (void)invalidateAndCancel;

作为 NSURLSession 的第三方封装 AFNetworking,其 AFURLSessionManager 对应地提供了失效方法:

/**
 Invalidates the managed session, optionally canceling pending tasks.
 @param cancelPendingTasks Whether or not to cancel pending tasks.
 */
- (void)invalidateSessionCancelingTasks:(BOOL)cancelPendingTasks;

此外,CAAnimationdelegate 也是 strong 引用,如果因为业务需要发生了循环引用,需要在合适的时机提前手动打破。

@interface CAAnimation
//...
/* The delegate of the animation. This object is retained for the
 * lifetime of the animation object. Defaults to nil. See below for the
 * supported delegate methods. */

@property(nullable, strong) id <CAAnimationDelegate> delegate;

总之,使用 delegate 时需要留意其声明方式,因地制宜地处理。

2、既然是 assign, 那么 AppDelegate 为什么不会销毁

上文讨论 UIApplicationdelegate,也就是 AppDelegate 类的实例,其声明为 assign 策略,AppDelegate 实例没有其他对象引用,在应用的整个声明周期中是一直存在的,原因是什么?

stackoverflow 的一个回答 Why system call UIApplicationDelegate's dealloc method? 中可以了解到一些情况,大意是:

  • main.m 中初始化了第一个 AppDelegate 实例,被系统内部隐式地 retain
  • 直到下一次 application 被赋值一个新的 delegate 时系统才将第一个 AppDelegate 实例释放
  • 对于新创建的 applicationdelegate 对象,由创建者负责保证其不会立即销毁,举例如下:
// 声明为静态变量,长期持有
static AppDelegate *retainDelegate = nil;

/// 切换 application 的 delegate 对象
- (IBAction)buttonClickToChangeAppDelegate:(id)sender {
    AppDelegate *delegate = [[AppDelegate alloc] init];
    delegate.window.rootViewController = [[ViewController alloc] init];
    [delegate.window makeKeyAndVisible];
    
    retainDelegate = delegate;
    [UIApplication sharedApplication].delegate = retainDelegate;
}

applicationdelegate 可以在必要时切换(通常不这样做),UIApplication 单例的类型同样是支持定制的,这个从 main.m 的启动函数可以看出:


// If nil is specified for principalClassName, 
// the value for NSPrincipalClass from the Info.plist is used. If there is no
// NSPrincipalClass key specified, the UIApplication class is used. 
// The delegate class will be instantiated using init.
UIKIT_EXTERN int UIApplicationMain(int argc, 
                              char *argv[], 
                              NSString * __nullable principalClassName, 
                            NSString * __nullable delegateClassName);


通过 UIApplicationMain() 函数传参或者在 info.plist 中注册特定的 key 值,自定义应用的 ApplicationAppDelegate 的类是可行的。

@interface XAppDelegate : UIResponder
@property (nonatomic, strong) UIWindow *window;
@end

@interface XApplication : UIApplication
@end

int main(int argc, char * argv[]) {
    @autoreleasepool {
        return UIApplicationMain(argc,
                                 argv,
                                 NSStringFromClass([XApplication class]),
                                 NSStringFromClass([XAppDelegate class]));
    }
}

又或者,干脆使用 runtime 在必要时将 application 对象替换为其子类。

/// runtime, isa-swizzling,置换应用单例的类为特定子类
object_setClass([UIApplication sharedApplication], [XApplication class]);

3、使用 Notificationcategory 避免 AppDelegate 的臃肿

因为 AppDelegate 是应用的 delegate,其充当了应用内多个事件的监听者,包括应用启动、收到推送、打开 URL、出入前后台、收到通知、蓝牙和定位等等。随着项目的迭代,AppDelegate 将越发臃肿,因为 UIApplication 除了 delegate 外,还同时有发送很多通知 NSNotification,因而可以从两个方面去解决:

  • 尽可能地通过 UIApplication 通知监听来处理事件,比如应用启动时会发送
    UIApplicationDidFinishLaunchingNotification 通知
  • 没有通知但是特定业务的 UIApplicaiondDelegate 协议方法,可以按根据不同的业务类型,比如通知、openURL 分离到不同的 AppDelegatecategory

进一步地,对于应用启动时,就需要监听的通知,合适时机是在某个特定类的 load 方法中开始。针对性地,可以为这种 Launch 监听的情况进行封装,称为 AppLaunchLoader

  • AppLaunchLoaderload 方法中监听应用启动的通知
  • AppLaunchLoadercategoryload 方法中注册启动时需要执行的任务 block
  • 当监听到应用启动通知时执行注册的所有 block,完成启动事件与 AppDelegate 的分离。
typedef void(^GSLaunchWorker)(NSDictionary *launchOptions);

@interface GSLaunchLoader : NSObject

/// 注册启动时需要进行的配置工作
+ (void)registerWorker:(GSLaunchWorker)worker;
@end

@implementation GSLaunchLoader
+ (void)load {
    NSNotificationCenter *c = [NSNotificationCenter defaultCenter];
    [c addObserver:self selector:@selector(appDidLaunch:) name:UIApplicationDidFinishLaunchingNotification object:nil];
}

+ (void)appDidLaunch:(NSNotification *)notification {
    [self handleLaunchWorkersWithOptions:notification.userInfo];
}

#pragma mark - Launch workers
static NSMutableArray <GSLaunchWorker> *_launchWorkers = nil;
+ (void)registerWorker:(GSLaunchWorker)worker { [[self launchWorkers] addObject:worker]; }
+ (void)handleLaunchWorkersWithOptions:(NSDictionary *)options {
    for (GSLaunchWorker worker in [[self class] launchWorkers]) {
        worker(options);
    }
    
    [self cleanUp];
}

+ (void)cleanUp {
    _launchWorkers = nil;
    NSNotificationCenter *c = [NSNotificationCenter defaultCenter];
    [c removeObserver:self name:UIApplicationDidFinishLaunchingNotification object:nil];
}

+ (NSMutableArray *)launchWorkers {
    if (!_launchWorkers) {
        static dispatch_once_t onceToken;
        dispatch_once(&onceToken, ^{
            _launchWorkers = [NSMutableArray array];
        });
    }
    return _launchWorkers;
}

@end

源代码

点我去 GitHub 获取源代码,✨鼓励

推荐阅读 苏合的 《关于AppDelegate瘦身的多种解决方案》

加我微信沟通。


最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 204,445评论 6 478
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,889评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 151,047评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,760评论 1 276
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,745评论 5 367
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,638评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,011评论 3 398
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,669评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,923评论 1 299
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,655评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,740评论 1 330
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,406评论 4 320
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,995评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,961评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,197评论 1 260
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,023评论 2 350
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,483评论 2 342

推荐阅读更多精彩内容

  • 1.ios高性能编程 (1).内层 最小的内层平均值和峰值(2).耗电量 高效的算法和数据结构(3).初始化时...
    欧辰_OSR阅读 29,300评论 8 265
  • Swift1> Swift和OC的区别1.1> Swift没有地址/指针的概念1.2> 泛型1.3> 类型严谨 对...
    cosWriter阅读 11,084评论 1 32
  • OC语言基础 1.类与对象 类方法 OC的类方法只有2种:静态方法和实例方法两种 在OC中,只要方法声明在@int...
    奇异果好补阅读 4,247评论 0 11
  • iOS面试题目100道 1.线程和进程的区别。 进程是系统进行资源分配和调度的一个独立单位,线程是进程的一个实体,...
    有度YouDo阅读 29,872评论 8 137
  • 微博上开启#每天一个关键词#断断续续,每日想写又不想写,想写是因为想记录,不想写是因为就会一不小心就会把自己全部曝...
    韩小姐的城堡阅读 102评论 0 0