runTime

struct objc_class {
Class _Nonnull isa OBJC_ISA_AVAILABILITY;//isa指针,指向metaclass(该类的元类)

if !OBJC2

Class _Nullable super_class ;//指向objc_class(该类)的super_class(父类)
const char * _Nonnull name ;//objc_class(该类)的类名
long version ;//objc_class(该类)的版本信息,初始化为0,可以通过runtime函数class_setVersion和class_getVersion进行修改和读取
long info ; //一些标识信息
long instance_size ;//objc_class(该类)的实例变量的大小
struct objc_ivar_list * _Nullable ivars ;//用于存储每个成员变量的地址
struct objc_method_list * _Nullable * _Nullable methodLists ;//方法列表,与info标识关联
struct objc_cache * _Nonnull cache ;//指向最近使用的方法的指针,用于提升效率
struct objc_protocol_list * _Nullable protocols ;//存储objc_class(该类)的一些协议

endif

} OBJC2_UNAVAILABLE;
值得注意的是:
1.所有的metaclass(元类)中isa指针都是指向根metaclass(元类),而根metaclass(元类)中isa指针则指向自身。
2.根metaclass(元类)中的superClass指针指向根类,因为根metaclass(元类)是通过继承根类产生的。
作用:

  1. 当我们调用某个对象的对象方法(instance_class_method)时,它会首先在自身isa指针指向的objc_class(类)的methodLists中查找该方法,如果找不到则会通过objc_class(类)的super_class指针找到其父类,然后从其methodLists中查找该方法,如果仍然找不到,则继续通过 super_class向上一级父类结构体中查找,直至根class;
  2. 当我们调用某个类方法(Meta_class_method)时,它会首先通过自己的isa指针找到metaclass(元类),并从其methodLists中查找该类方法,如果找不到则会通过metaclass(元类)的super_class指针找到父类的metaclass(元类)结构体,然后从methodLists中查找该方法,如果仍然找不到,则继续通过super_class向上一级父类结构体中查 找,直至根metaclass(元类);
  3. 这里有个细节就是要说运行的时候编译器会将代码转化为objc_msgSend(obj, @selector (makeText)),在objc_msgSend函数中首先通过obj(对象)的isa指针找到obj(对象)对应的class(类)。在class(类)中先去cache中通过SEL(方法的编号)查找对应method(方法),若cache中未找到,再去methodLists中查找,若methodists中未找到,则去superClass中查找,若能找到,则将method(方法)加入到cache中,以方便下次查找,并通过method(方法)中的函数指针跳转到对应的函数中去执行。

改变原有变量的属性:

import "BaseViewController+Category.h"

import

@implementation BaseViewController (Category)

  • (void)load {
    Method viewWillAppear = class_getInstanceMethod(self, @selector(viewWillAppear:));
    Method logViewWillAppear = class_getInstanceMethod(self, @selector(logViewWillAppear:));
    method_exchangeImplementations(viewWillAppear, logViewWillAppear);
    }
  • (void)logViewWillAppear:(BOOL)animated {
    NSString * className = NSStringFromClass([self class]);
    NSLog(@"%@",className);
    [self logViewWillAppear:animated];
    }

  • (void)getIvarList {
    unsigned int count = 0;
    // 1. 获取某个类的成员变量列表
    Ivar * ivarList = class_copyIvarList(self.class, &count);
    for (int i = 0; i < count; i++) {
    const char * ivarName = ivar_getName(ivarList[i]);
    NSString * ivarNameStr = [NSString stringWithUTF8String:ivarName];
    // 3.找到要改变的变量
    NSLog(@"%@",ivarNameStr);

      if ([ivarNameStr isEqualToString:@"colorArray"]) {
          object_setIvar(self, ivarList[i], [NSArray arrayWithObjects:[UIColor whiteColor],[UIColor whiteColor],[UIColor whiteColor],[UIColor whiteColor],[UIColor redColor], nil]);
          break;
      }
    

    }
    free(ivarList);
    }
    @end

你可能感兴趣的:(runTime)