IOS 开发中ARC下的assign和weak区别

在ARC中的assign和weak可以说非常相像,导致有很多人误以为他们是一摸一样的,在任何时候都可以划等价,但事实却不是这样。
id类型的delegate属性到底是用assign还是weak

@property (weak, nonatomic) id delegate;
@property (assign, nonatomic) id delegate;

大家众说纷纭,说都可以的,说assign的,说weak的都有,下面我们来看一本书中的描述:
“The main difference between weak and assign is that the with weak, once the object being pointed to is no longer valid, the pointer is nilled out. Assigning the pointer the value nil avoids many crashes as messages sent to nil are essentially no-ops”

Excerpt From: Daniel H Steinberg.

“Developing iOS 7 Apps for iPad and iPhone.” Dim Sum Thinking, Inc, 2014. iBooks. iTunes - Books

大致的意思是说,weak比assign多了一个功能就是当属性所指向的对象消失的时候(也就是内存引用计数为0)会自动赋值为nil,这样再向weak修饰的属性发送消息就不会导致野指针操作crash。

演示程序。
OC:

//
// ViewController.m
// weak与assgin的区别
//
// Created by bihongbo on 15/3/19.
// Copyright (c) 2015年 毕洪博. All rights reserved.
//
#import "ViewController.h"

@interface ViewController ()

@property (nonatomic,weak) id weakPoint;

@property (nonatomic,assign) id assignPoint;

@property (nonatomic,strong) id strongPoint;

@end

@implementation ViewController

- (void)viewDidLoad {

[super viewDidLoad];

self.strongPoint = [NSDate date];

NSLog(@"strong属性:%@",self.strongPoint);

self.weakPoint = self.strongPoint;

self.assignPoint = self.strongPoint;

self.strongPoint = nil;

NSLog(@"weak属性:%@",self.weakPoint);

// NSLog(@"assign属性:%@",self.assignPoint);

}

@end

当程序中的注释被打开时,运行程序有可能会崩溃(有时候不崩溃,你可能需要多运行几次),这是因为当assign指针所指向的内存被释放(释放并不等于抹除,只是引用计数为0),不会自动赋值nil,这样再引用self.assignPoint就会导致野指针操作,如果这个操作发生时内存还没有改变内容,依旧可以输出正确的结果,而如果发生时内存内容被改变了,就会crash。

结论:在ARC模式下编程时,指针变量一定要用weak修饰,只有基本数据类型和结构体需要用assgin,例如delegate,一定要用weak修饰。

一、区别

1.修饰变量类型的区别
weak 只可以修饰对象。如果修饰基本数据类型,编译器会报错-“Property with ‘weak’ attribute must be of object type”。
assign 可修饰对象,和基本数据类型。当需要修饰对象类型时,MRC时代使用unsafe_unretained。当然,unsafe_unretained也可能产生野指针,所以它名字是"unsafe_”。

2.是否产生野指针的区别 weak不会产生野指针问题。因为weak修饰的对象释放后(引用计数器值为0),指针会自动被置nil,之后再向该对象发消息也不会崩溃。 weak是安全的。 assign如果修饰对象,会产生野指针问题;如果修饰基本数据类型则是安全的。修饰的对象释放后,指针不会自动被置空,此时向对象发消息会崩溃。

二、相似

都可以修饰对象类型,但是assign修饰对象会存在问题。

三、总结

assign 适用于基本数据类型如int,float,struct等值类型,不适用于引用类型。因为值类型会被放入栈中,遵循先进后出原则,由系统负责管理栈内存。而引用类型会被放入堆中,需要我们自己手动管理内存或通过ARC管理。 weak适用于delegate和block等引用类型,不会导致野指针问题,也不会循环引用,非常安全。

你可能感兴趣的:(IOS 开发中ARC下的assign和weak区别)