美文网首页
浅谈 iOS alloc init 与 new 的区别

浅谈 iOS alloc init 与 new 的区别

作者: yizhaorong | 来源:发表于2017-08-14 00:11 被阅读58次

    1. 测试程序

    main.mm

    #import <Foundation/Foundation.h>
    #import "OMTPerson.h"
    
    int main(int argc, const char * argv[]) {
        @autoreleasepool {
            // insert code here...
            OMTPerson *p1 = [OMTPerson new];
            OMTPerson *p2 = [[OMTPerson alloc] init];
            NSLog(@"Hello world");
        }
        return 0;
    }
    

    代码非常简单,只是创建两个对象

    从这段代码中可以看出使用了两种不同的方式创建对象newalloc init

    2. 从源码中寻找答案

    通过 cmd + 左键 跟进代码实现

    // 类名: NSObject.mm
    
    // 使用 new 创建的关键代码
    + (id)new {
        return [callAlloc(self, false/*checkNil*/) init];
    }
    
    //  使用 alloc 创建关键代码
    + (id)alloc {
        return _objc_rootAlloc(self);
    }
    
    id
    _objc_rootAlloc(Class cls)
    {
        return callAlloc(cls, false/*checkNil*/, true/*allocWithZone*/);
    }
    
    // 内联函数真正实现对象创建
    static ALWAYS_INLINE id
    callAlloc(Class cls, bool checkNil, bool allocWithZone=false)
    {
    // 编译器优化,表示条件为假的可能性更大一些
        if (slowpath(checkNil && !cls)) return nil;
    // 此处认为就是正,一定会执行
    #if __OBJC2__
        // 编译器优化,没有实现自定义 allocWithZone 的可能性更大
        if (fastpath(!cls->ISA()->hasCustomAWZ())) {
            // No alloc/allocWithZone implementation. Go straight to the allocator.
            // fixme store hasCustomAWZ in the non-meta class and 
            // add it to canAllocFast's summary
            if (fastpath(cls->canAllocFast())) {
                // No ctors, raw isa, etc. Go straight to the metal.
                bool dtor = cls->hasCxxDtor();
                id obj = (id)calloc(1, cls->bits.fastInstanceSize());
                if (slowpath(!obj)) return callBadAllocHandler(cls);
                obj->initInstanceIsa(cls, dtor);
                return obj;
            }
            else {
                // Has ctor or raw isa or something. Use the slower path.
                // 本例中走的是这个分支
                id obj = class_createInstance(cls, 0);
                if (slowpath(!obj)) return callBadAllocHandler(cls);
                return obj;
            }
        }
    #endif
    
        // No shortcuts available.
        if (allocWithZone) return [cls allocWithZone:nil];
        return [cls alloc];
    }
    

    后续流程都是一样的。以下是两种方法的简单流程

    // alloc
    alloc->_objc_rootAlloc->callAlloc->class_createInstance(objc-runtime-new.mm)
    ->_class_createInstanceFromZone(objc-runtime-new.mm)
    
    // new
    new->callAlloc->class_createInstance(objc-runtime-new.mm)
    ->_class_createInstanceFromZone(objc-runtime-new.mm)
    

    3. 结论

    1. 使用 new 方法创建实例时,少走一个 _objc_rootAlloc 方法,理论上说要比 alloc 更快一些
    2. 使用 new 方法创建实例时不需要自己手动调用 init 方法

    相关文章

      网友评论

          本文标题:浅谈 iOS alloc init 与 new 的区别

          本文链接:https://www.haomeiwen.com/subject/thcyrxtx.html