iOS修改宣告為readonly的值

Hhl發表於2017-12-13

首先定義一個測試用的類Test

Test.h

#import <Foundation/Foundation.h>

@interface Test : NSObject

@property (nonatomic, copy, readonly) NSString *testName;

@property (nonatomic, assign, readonly) NSInteger testAge;

- (instancetype)initWithTestName:(NSString *)name testAge:(NSInteger)age;

@end
複製程式碼
Test.m

#import "Test.h"

@implementation Test

- (instancetype)initWithTestName:(NSString *)name testAge:(NSInteger)age{

    self = [super init];
    
    if (self) {
        
        _testName = name;
        _testAge = age;
    }
    return self;
}


@end

複製程式碼

然後定義一個Test的類物件:

    Test *test = [[Test alloc] initWithTestName:@"testName" testAge:22];
    
    NSLog(@"%@",test.testName);
複製程式碼

如果我們直接呼叫testName的setter方法,test.testName = @"修改了";會直接報錯。提示這個屬性是隻讀的。

報錯資訊

如果我們使用KVC呢?

    Test *test = [[Test alloc] initWithTestName:@"testName" testAge:22];
    
    NSLog(@"-%@",test.testName);
    
    [test setValue:@"修改了" forKey:@"testName"];
    
    NSLog(@"---%@",test.testName);
複製程式碼

輸出結果:

2017-05-17 14:20:36.404 iOS_readonlyTest[4076:115282] -testName
2017-05-17 14:20:36.404 iOS_readonlyTest[4076:115282] ---修改了

複製程式碼

我們看到,使用KVC成功修改了宣告為readonly的屬性。

如果我們不想讓 setValue:forKey: 方法改變物件的屬性值,那麼重寫其類方法 + (BOOL)accessInstanceVariablesDirectly 返回 NO (該方法預設返回 YES,即在不存在滿足條件的存取方法時,允許直接訪問屬性對應的例項變數);在搜尋例項變數時,會首先檢查帶下劃線的例項變數,然後檢查不帶下劃線的例項變數。

提示:

重寫其類方法 + (BOOL)accessInstanceVariablesDirectly 返回 NO的情況下,利用KVC修改宣告為readonly的屬性的值的時候會崩潰。我們可以重寫類的setValue:forKey: 方法,判斷key是否是宣告為readonly的屬性,如果是直接返回。

- (void)setValue:(id)value forKey:(NSString *)key{
    
    if ([key isEqualToString:@"testName"]) {
        
        NSLog(@"這個屬性不能被修改");
        return;
    }
    
    [super setValue:value forKey:key];
}
複製程式碼
2017-05-17 14:29:35.894 iOS_readonlyTest[4108:118687] -testName
2017-05-17 14:29:35.894 iOS_readonlyTest[4108:118687] 這個屬性不能被修改
2017-05-17 14:29:35.895 iOS_readonlyTest[4108:118687] ---testName
複製程式碼

參考連結:http://www.jianshu.com/p/1ffa6414008e

相關文章