1.根据指定规则根据runtime进行页面选择跳转

背景:要根据后台返回的数据 进行选择要跳转到哪一个ViewController

// 这个规则肯定事先跟服务端沟通好,跳转对应的界面需要对应的参数

NSDictionary *userInfo = @{

@"class": @"HSFeedsViewController",

@"property": @{//类中所需要的参数

@"ID": @"123",

@"type": @"12"

}

};

思路:使用runtime去解决这个问题的思路就是 通过运行时 根据对应的类名去创建类以及类的属性,这就需要和服务端去协商返回的数据形式 要类似:

实现:  这里使用了三个objc/runtime.h中函数分别是:

   - (void)push:(NSDictionary *)params

 {

     // 类名

     NSString *class =[NSString stringWithFormat:@"%@", params[@"class"]];

     const char *className = [class cStringUsingEncoding:NSASCIIStringEncoding];

     // 从一个字串返回一个类

     Class newClass = objc_getClass(className);

     if (!newClass)

     {

         // 创建一个类

         Class superClass = [NSObject class];

         newClass = objc_allocateClassPair(superClass, className, ); 

         // 注册你创建的这个类

         objc_registerClassPair(newClass);

     }

     // 创建对象

     id instance = [[newClass alloc] init];

     NSDictionary *propertys = params[@"property"];

     [propertys enumerateKeysAndObjectsUsingBlock:^(id key, id obj, BOOL *stop) {

         // 检测这个对象是否存在该属性

         if ([self checkIsExistPropertyWithInstance:instance verifyPropertyName:key]) {

             // 利用kvc赋值

             [instance setValue:obj forKey:key];

         }

     }]

     // 获取导航控制器

     UITabBarController *tabVC = (UITabBarController *)self.window.rootViewController;

     UINavigationController *pushClassStance = (UINavigationController *)tabVC.viewControllers[tabVC.selectedIndex];

   // 跳转到对应的控制器

     [pushClassStance pushViewController:instance animated:YES];

 }

(1)objc_getClass(const char *name)  即返回对应的类;

(2)objc_allocateClassPair(Class superClass,const char*name ,size_t extraBytes) 为对应的类设置父类,并根据父类和extraBytes(变量的字节数) 给这个类分配空间

(3)objc_registerClassPair(class) 注册这个类

通过这三个函数 创建类一个类

还有一个运行时函数  class_copyPropertyList(Class class,unsigned int *outCount)

 /**

  *  检测对象是否存在该属性

  */

 - (BOOL)checkIsExistPropertyWithInstance:(id)instance verifyPropertyName:(NSString *)verifyPropertyName

 {

     unsigned int outCount, i;

         // 获取对象里的属性列表

     objc_property_t * properties = class_copyPropertyList([instance

                                                            class], &outCount);

     for (i = ; i < outCount; i++) {

         objc_property_t property =properties[i];

         //  属性名转成字符串

         NSString *propertyName = [[NSString alloc] initWithCString:property_getName(property) encoding:NSUTF8StringEncoding];

         // 判断该属性是否存在

         if ([propertyName isEqualToString:verifyPropertyName]) {

             free(properties);

             return YES;

         }

     }

     free(properties);

     return NO;

 }

objc_property_t  class_copyPropertyList(Class class,unsigned int *outCount)    返回值为一个数组 数组中为对应的类的属性列表 以此来对比类中是否含有当前属性,从而通过KVC为类的属性赋值.

2.修改系统类的方法实现

背景:如果需求中要统计每个viewController 展示给用户的次数,我们想到的就是在ViewController中添加对应的统计的代码,但是会很麻烦,此时可以创建一个UI ViewController的分类更改底层中viewWillAppear的实现 这就用到runtime中method Swizzling (方法混合)

实现:通过methodSwizzling 修改了UIViewController的@selector(viewWillAppear:)对应的函数指针,使他的实现指向了自定的方法

#import "UIViewController+Tracking.h"

#import <objc/runtime.h>

@implementation UIViewController (Tracking)

 + (void)load

{

    static dispatch_once_t onceToken;

    dispatch_once(&onceToken, ^{

        Class  class  = [self class];

        SEL originalSelector = @selector(viewWillAppear:);

        SEL swizzlingSelector = @selector(swizzling__viewWillAppear:);

        Method originMethod = class_getInstanceMethod(class, originalSelector);

        Method swizzlingMethod = class_getInstanceMethod(class, swizzlingSelector);

        //将 swizzlingMethod 中的实现过程添加到 originalSelector 这个方法中

        BOOL didAddMethod = class_addMethod(class,originalSelector, method_getImplementation(swizzlingMethod), method_getTypeEncoding(swizzlingMethod));

        if (didAddMethod) {

            //用 originMethod中的实现 替换 swizzlingSelector这个方法中的实现 这样原始的和自定义的方法都执行的时同一个实现过程

            class_replaceMethod(class, swizzlingSelector, method_getImplementation(originMethod), method_getTypeEncoding(originMethod));

        }else{//可能出现添加失败的情况(比如 被添加的方法中已经存在了对应方法的实现 就会返回NO)

            //将 originMethod 和 swizzlingMethod中的实现过程进行交换

            method_exchangeImplementations(originMethod, swizzlingMethod);

        }

    });

}

/*

 经过上面的  class_method 和 class_replaceMethod 或  method_exchangeImplementations 就实现了

 //http://blog.jobbole.com/79580/

 */

- (void)swizzling__viewWillAppear:(BOOL)animation

{

    [self swizzling__viewWillAppear:animation];

    NSLog(@"swizzling_viewWillAppear");

}

(1)通过两个方法  class_addMethod class_replaceMethod这个方法实现方法Method这个结构体中 IMP对应的函数指针对应的函数实现进行添加 或者 替换SEL 代表了Method的名称name,IMP代表函数指针 即为函数在内存中的开始位置

另外还有一些注意事项 为什么一定要写在load中 还要写在dispatch_once中,因为swilzzing method会影响代码的整体状态 甚至有可能改变程序的运行流程,要保证避免并发的竞争,而+load方法是在类初始化就进行了加载(这里不太明白具体原理)详细参看下面链接

http://nshipster.com/method-swizzling/

iOS RunTime的简单使用的更多相关文章

  1. iOS Runtime的消息转发机制

    前面我们已经讲解Runtime的基本概念和基本使用,如果大家对Runtime机制不是很了解,可以先看一下以前的博客,会对理解这篇博客有所帮助!!! Runtime基本概念:https://www.cn ...

  2. iOS runtime探究(二): 从runtime開始深入理解OC消息转发机制

    你要知道的runtime都在这里 转载请注明出处 http://blog.csdn.net/u014205968/article/details/67639289 本文主要解说runtime相关知识, ...

  3. ios runtime swizzle

    ios runtime swizzle @implementation NSObject(Extension) + (void)swizzleClassMethod:(Class)class orig ...

  4. ios runtime的相关知识

    一.iOS runtime原理 对于runtime机制,在网上找到的资料大概就是怎么去用这些东西,以及查看runtime.h头文件中的实现,当然这确实是一种很好的学习方法,但是,其实我们还是不会知道r ...

  5. ios下最简单的正则,RegexKitLite

    ios下最简单的正则,RegexKitLite 1.去RegexKitLite下载类库,解压出来会有一个例子包及2个文件,其实用到的就这2个文件,添加到工程中.备用地址:http://www.coco ...

  6. iOS Runtime 实践(1)

    很多时候我们都在看iOS开发中的黑魔法——Runtime.懂很多,但如何实践却少有人提及.本文便是iOS Runtime的实践第一篇. WebView 我们这次的实践主题,是使用针对接口编程的方式,借 ...

  7. iOS中XMPP简单聊天实现 好友和聊天

    版权声明本文由陈怀哲首发自简书:http://www.jianshu.com/users/9f2e536b78fd/latest_articles;微信公众号:陈怀哲(chenhuaizhe2016) ...

  8. 包建强的培训课程(11):iOS Runtime实战

    @import url(http://i.cnblogs.com/Load.ashx?type=style&file=SyntaxHighlighter.css);@import url(/c ...

  9. iOS Runtime 实操练习

    iOS  Runtime 知识详解: http://yulingtianxia.com/blog/2014/11/05/objective-c-runtime/ 一般可以运行Runtime进行以下操作 ...

随机推荐

  1. [OC Foundation框架 - 2] NSString 的创建

    A. 不可变字符串 void stringCreate() { //Don't need to release memory by this way NSString *str1 = @"S ...

  2. 在多线程中进行UI操作

    那么在子线程中的UI操作如何处理呢?有两种方法: 一:在子线程,你需要进行的UI操作前添加dispatch_async函数,即可将代码块中的工作转回到主线程 dispatch_async(dispat ...

  3. ios引导页 设定以及 图片尺寸

      iphone的屏幕尺寸有着几种: iphone 4/4s: 3.5 寸 分辨率:640X960 高宽比 640/960 = 1.5 iphone 5/5c/5s:4 寸 分辨率:640X1136  ...

  4. Codeforces Round #324 (Div. 2) C. Marina and Vasya 贪心

    C. Marina and Vasya Time Limit: 1 Sec Memory Limit: 256 MB 题目连接 http://codeforces.com/contest/584/pr ...

  5. 最新 Sublime Text 3 Package Control 安装方法

    相信看到这个帖子的童鞋,一般至少对 Sublime Text 有所了解了,废话不多讲,个人在 ST2 还没用好的时候, Sublime Text 3 又横空出世了,不过现在 ST3 还是 beta 版 ...

  6. Memcached source code analysis -- Analysis of change of state--reference

    This article mainly introduces the process of Memcached, libevent structure of the main thread and w ...

  7. SQL Abstraction and Object Hydration

    SQL Abstraction and Object Hydration In the last chapter, we introduced database abstraction and a n ...

  8. Creader VIII VS. Creader VII+

    Launch x431 diagun is professional universal auto diagnostic tool which designed and developed by LA ...

  9. UNIX V6内核源码剖析——进程

    进程的概念 1. 什么是进程 2. 进程的并行执行 3. 进程的运行状态 4. 用户模式和内核模式 cpu具有2种模式——内核模式和用户模式,通过PSW来切换. 切换时, 映射到虚拟地址的物理内存区域 ...

  10. OVS操作总结

    转载:http://www.aboutyun.com/thread-11777-1-1.html Open vSwitch(下面简称为 OVS)是由 Nicira Networks 主导的,运行在虚拟 ...