當我在ARC模式下寫以下代碼的時候,編譯器報錯
@interface ViewController : UIViewController {
NSString *newTitle;
}
@property (strong, nonatomic) NSString *newTitle;
.m
@synthesize newTitle;
這是因為在高版本編譯器ARC模式下,這種命名規范是不合理的,可以查看蘋果官網的內存管理方面的文檔中有說明the memory management rules
You take ownership of an object if you create it using a method whose name begins with “alloc”, “new”,
“copy”, or “mutableCopy”.
前面帶有 new 的屬性在@synthesize的時候會生成getter和setter方法,如果有new打頭的屬性的時候,在生成getter就會調用newTitle方法,編譯器認為這是生成
新的對象,而不是get原有的屬性,所以就提示錯誤信息。
解決辦法:
1。new前加上別的字符例如theNewTitle
@property (strong, nonatomic) NSString *theNewTitle;
2。重寫getter方法
@property (strong, nonatomic, getter=theNewTitle) NSString *newTitle;
3。第三種是可以new開頭,但是要告訴編譯器不是new個新對象
#ifndef __has_attribute
#define __has_attribute(x) 0 // Compatibility with non-clang compilers
#endif
#if __has_attribute(objc_method_family)
#define BV_OBJC_METHOD_FAMILY_NONE __attribute__((objc_method_family(none)))
#else
#define BV_OBJC_METHOD_FAMILY_NONE
#endif
@interface ViewController : UIViewController
@property (strong, nonatomic) NSString *newTitle;
- (NSString *)newTitle BV_OBJC_METHOD_FAMILY_NONE;
@end
4。這種也可以啊
@synthesize newTitle = _newTitle; // Use instance variable _newTitle for storage
蘋果已經有文檔Transitioning to ARC Release Notes說明了開發者在命名的時候避免以 new 和 copy 開頭
#arc #auto-synthesized #xcode-4.6.1