【iOS/OC】互斥button的实现

【iOS/OC】互斥button的实现

在iOS开发中,经常会涉及到互斥button或者类似的场景,最近在看前端开发相关的技术,发现在前端中很难像OC中那样以一种很简洁的方式实现这一功能,故此记录一下:

// 创建几个Button,所有button共享一个touch事件
- (void)viewDidLoad {
    [super viewDidLoad];
    // Do any additional setup after loading the view, typically from a nib.

    for (int i = 0; i<7; i++) {
        UIButton *btn = [UIButton buttonWithType:UIButtonTypeCustom];
        [self.view addSubview:btn];
        btn.frame = CGRectMake(10 + 55*i, 100, 50, 50);
        btn.backgroundColor = [UIColor redColor];
        [btn addTarget:self action:@selector(btnTouch:) forControlEvents:UIControlEventTouchUpInside];
    }
}

// 在touch事件中,以一个static变量记录instance
- (void)btnTouch:(id)sender {
    static UIButton *lastBtn;

    UIButton *btn = (UIButton *)sender;
    if (lastBtn != btn) {
        btn.backgroundColor = [UIColor yellowColor];
        lastBtn.backgroundColor = [UIColor redColor];
        lastBtn = btn;
    }

}

思路大致为:
1.所有button(在同一个互斥群里的所有button),共享一个touch事件。
2.用一个static变量记录上一次touch事件触发时的instance
3.每次touch事件触发时,更新static变量。
tips:
① 同一个instance连续触发touch时,要控制响应的行为,如上面的if代码块。
② oc特性,向nil发送消息不会处理,故这里可以不对static的首次进入做处理。其他语言使用本方法时,可能需要对static进行判空。

你可能感兴趣的:(iOS开发,ios)