在寫新浪微博的時候,要處理點擊微博圖片放大的問題,這裡我採用的處理是使用category和associative擴充機製為UIImageview擴充添加一個方法和一個屬性,這個方法是處理點擊圖片放大,而這個屬性就是這個圖片的下載連結地址URL。
下面稍微解說一下這兩個擴充機制:
category和associative作為objective-c 擴充機制的兩個特性,category可以通過它來擴充方法;associative可以通過它來擴充屬性。
在iOS開發過程中,前者category比較常見,也比較簡單,這裡就不說了,這裡主要說一下associative;
後者associative相對用的就比較少,要用associative就必須使用#import
<objc/runtime.h>,然後調用objc_setAssociatedObject 和 objc_getAssociatedObject 方法分別為屬性添加setter 和 getter方法,就可以實現屬性擴充了。
下面介紹一下這兩個方法:
①:void objc_setAssociatedObject(id object, void *key, id value, objc_AssociationPolicy policy)
其中的參數分別是:
Parameters
object: The source object for the association.
key: The key for the association.
value: The value to associate with the key key for object. Pass nil to clear an existing association.
policy: The policy for the association
其中的policy有
enum {
OBJC_ASSOCIATION_ASSIGN = 0,
OBJC_ASSOCIATION_RETAIN_NONATOMIC = 1,
OBJC_ASSOCIATION_COPY_NONATOMIC = 3,
OBJC_ASSOCIATION_RETAIN = 01401,
OBJC_ASSOCIATION_COPY = 01403
};
②:id objc_getAssociatedObject(id object, void *key)
Parameters
object: The source object for the association.
key: The key for the association.
Return Value
The value associated with the key key for object.
都比較簡單,下面就通過一個demo來說明吧!
我這裡是擴充UIImageview為其添加一個方法和一個屬性。
category的標頭檔:
#import <UIKit/UIKit.h>@interface UIImageView (associate)@property(nonatomic,strong)NSString* myString;-(void)Output;@end
category的實現檔案:
#import <objc/runtime.h>#import "UIImageView+associate.h"static void * MyKey = (void *)@"MyKey";@implementation UIImageView (associate)-(NSString*)myString { return objc_getAssociatedObject(self, MyKey);}-(void)setMyString:(NSString *)string { objc_setAssociatedObject(self, MyKey, string, OBJC_ASSOCIATION_COPY_NONATOMIC);}-(void)Output { NSLog(@"output mystring:%@",self.myString);}@end
說明:標頭檔中添加了一個屬性和一個方法,在實現檔案中使用associative特性為屬性重寫了setter和getter方法,都比較簡單。
測試一下:
UIImageView *imageView = [[UIImageView alloc] initWithImage:[UIImage imageNamed:@"Icon@2x.png"]]; imageView.bounds = CGRectMake(50, 50, 100, 100); imageView.myString = @"hello world"; [self.view addSubview:imageView]; [imageView Output];
運行後,模擬器上就顯示一個圖片,終端輸出:output mystring:hello world