RumTime小结

                这几天看了一些runtime的内容,也在项目中的 "UIActionSheet+Blocks.h" 看到了它的影子。所以根据自己的理解写点心得,理解的也许有误差的地方而且理解的也不是很全面,以后会为这篇runtime多多修改和添加的。  

               首先 runtime:为运行机制,用c和汇编写的。因为OC语言是一个动态的语言,它会把一些工作推迟到运行时去执行。这样但靠编译器是不够的(c语言可以),所有runtime就有了存在的意义。runtime分为“mordern”和"leyacy"两个版本,mordern是我们现在  使用的,是支持64位的,leyacy是之前的,是在32位环境下使用的。  当我们调用一个[objc makeTest]的时候,我们都知道是这个objc这个对象去调用makeTest这个方法,在runtime下它会转化成objc_msgSend(obj,@selector(makeTest)),在objc_msgSend这个函数中,会通过obj的isa指针去找到obj相对应的类,然后在在这个类的cache(方法的缓存池,这样可以更快更高效的去查找方法)中,根据SEL(方法选择器)去查找对应的makeTest方法,如果cache中没有的话,再去这个类的methodList(方法列表)中查找,如果在methodList没有的话就去它的superClass中去查找,如果查找到了,就把这个makeTest方法放入cache中以方便下次查找。 介绍几个runtime中的方法,也可以去文件中去查看。

1  id object_copy(id obj, size_t size)  对象拷贝,内存地址为同一个。

2  id object_dispose(id obj )  释放对象 作用和release差不多.

3  Class object_getClass(id obj)  获取一个类

4  const char *object_getClassName(id obj) 获取一个类的类名  和[NSStringFormClass] 的作用一样

5  BOOL class_addMethod(Class cls, SEL name, IMP imp,  const char *types) 给一个类添加方法    class:类 SEL name: 方法名 IMP:这个类似于函数指针的东西,后面跟函数名字, types为参数

6  Method *class_copyMethodList(Class cls, unsigned int *outCount) 获取某个类中的所有方法 已经实现的方法

u_int count;

Method *method = class_copyMethodList([CustomClass class], &count);

for (int i = 0 ; i < count; ++i) {

SEL name = method_getName(method[i]);

NSString *strName = [NSString stringWithCString:sel_getName(name) encoding:NSUTF8StringEncoding];

NSLog(@"%@", strName);

}    这是自己写的一个获取CustomClass(随便写的一个类)的所有方法,我理解为它返回的是一个关于方法的数组,然后根据 method_getName()  把方法转换为方法选择器,在根据sel_getName(name) 转为c语言的字符串,然后一次打印出来

7  objc_property_t *class_copyPropertyList(Class cls, unsigned int *outCount)  这是返回某个类中所有的属性

u_int mcount;

objc_property_t *property = class_copyPropertyList([CustomClass class], &mcount)count);

for ( int i = 0 ; i < mcount; ++i) {

const char* propertyName= property_getName(property[i]);

NSString *strName = [NSString stringWithCString:propertyName encoding:NSUTF8StringEncoding];

NSLog(@"%@",strName);

}

8  Method class_getInstanceMethod(Class cls, SEL name) 替换某个的类的方法

CustomClass *custom =[ [CustomClass alloc]init];

Method  mMethod= class_getInstanceMethod([CustomClass class], @selector(fun1));un1))

Method mMethod1 = class_getInstanceMethod([CustomClass class], @selector(fun2));

method_exchangeImplementations(mMethod1,mMethod);

我在这个类中写了fun1(执行打印fun1)和fun2(去打印fun2)的两个方法,然后我去执行这个方法 当我去执行[ custom fun1]的时候打印出来的是fun2 里面的方法已经替换的,我的理解 是fun1的IMP指向了fun2所对应的执行函数。他们替换了IMP的指向函数

9 在项目的UIActionSheet+Blocks.h 我们会看到  objc_setAssociatedObject(self, UIActionSheetTapBlockKey, tapBlock, OBJC_ASSOCIATION_COPY); 这个函数,他的作用是用了添加属性,self为为那个类添加,(这里是本类),UIActionSheetTapBlockKey是添加属性对应的key,必须为唯一标示。这个通知差不多。tapBlock 为添加的属性, OBJC_ASSOCIATION_COPY 是属性类型,这里是copy (因为添加的是block 所有用的是copy)    然后通过objc_getAssociatedObject(self, UIActionSheetTapBlockKey);可以获得这个属性

你可能感兴趣的:(RumTime小结)