iOS开发--很多人忽略了的不定参数

一、前言 — 被忽略的不定参数

前段时间开发过程中,翻看公司项目里面的旧代码,看到一个继承UIAlertView的控件,里面的初始方法的实现是这样的:

控件初始方法.png

再来看一下UIAlertView的初始方法

//UIAlertView初始方法
- (instancetype)initWithTitle:(nullable NSString *)title
          message:(nullable NSString *)message
          delegate:(nullable id /**/)delegate
         cancelButtonTitle:(nullable NSString *)cancelButtonTitle
         otherButtonTitles:(nullable NSString *)otherButtonTitles, ... 

两个初始方法几乎是一样的,看得出来主要目的是为了给点击事件添加一个Block回调,其中关键的不同点就是最后的otherButtonTitles,一个后面加了,...,一个是普通参数。
没有了这个,...otherButtonTitles就只能传一个参数,失去了原有UIAlertView多个按钮的实现。
这个,...就是不定参数,这是C语言开发里很常用到的传参方式,但是因为挺多iOS开发者之前比较少做C语言相关开发,所以挺多人忽略了这个不定参数的用法;

二、不定参数的实现

接下来看一下怎么实现带有不定参数,...的方法。
因为这个不是数组,所以不能用普通的数组遍历,得用到va_list :

带有不定参数的初始方法截图.png
//带有不定参数的初始方法
- (id)initWithTitle:(NSString *)title
            message:(NSString *)message
  cancelButtonTitle:(NSString *)cancelButtonTitle
        clickButton:(AlertBlock)block
  otherButtonTitles:(NSString *)otherButtonTitles, ... {
    
    self = [super initWithTitle:title message:message delegate:self cancelButtonTitle:cancelButtonTitle otherButtonTitles:otherButtonTitles, nil];
    if (self) {
        self.block = block;
        
        va_list args;
        va_start(args, otherButtonTitles);
        if (otherButtonTitles)
        {
            NSString *otherString;
            while ((otherString = va_arg(args, NSString *)))
            {
                [self addButtonWithTitle:otherString];
            }
        } 
        va_end(args);
        
    }
    return self;
}

三、va_list和相关原理

VA_LIST 是在C语言中解决变参问题的一组宏,变参问题是指参数的个数不定,可以是传入一个参数也可以是多个。
相关宏有: va_list、va_start、va_arg、va_end
1、va_list 定义一个va_list变量,本质上是一个指针。]

            va_list args;

2、va_star初始化前面定义的va_list变量,让指针一开始指向首个参数

  va_start(args, otherButtonTitles);

3、进行一个循环,通过va_arg不停的移动指针,依次取出后面的参数

                NSString *otherString;
                while ((otherString = va_arg(args, NSString *)))
                {
                    [self addButtonWithTitle:otherString];
                }

4、va_end 与 va_star对应,结束参数的获取

注意: 最后一个参数必须为空,不然会出错。

四、总结

苹果UIKit提供了很多带有不定参数的方法例如UIActionSheet等的初始方法,我们在封装自己的控件、工具类时,模仿官方风格,别人在使用这些控件和工具时学习根本更低,代码也更为规范。
我已经把相关的代码发在我的Github上,WXSAlertView

你可能感兴趣的:(iOS开发--很多人忽略了的不定参数)