使用UIButton的enabled或userInteractionEnabled
使用UIButton的enabled属性, 在点击后, 禁止UIButton的交互, 直到完成指定任务之后再将其enable即可.
1234567891011121314151617181920 | [btn addTarget:self action:@selector(actionFixMultiClick_enabled:) forControlEvents:UIControlEventTouchUpInside];// xxx- (void)actionFixMultiClick_enabled:(UIButton *)sender { sender.enabled = NO; [self btnClickedOperations];}- (void)btnClickedOperations { self.view.backgroundColor = [UIColor colorWithRed:((arc4random() % 255) / 255.0) green:((arc4random() % 255) / 255.0) blue:((arc4random() % 255) / 255.0) alpha:1.0f]; dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(1 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{ NSLog(@"btnClickedOperations"); btn.enabled = YES; });} |
使用performSelector:withObject:afterDelay:和cancelPreviousPerformRequestsWithTarget
使用这种方式, 会在连续重复点击UIButton的时候, 自动取消掉之前的操作, 延时1s后执行实际的操作.
这样, 看起来会比第一种和第三种稍微延迟执行实际的操作. 123456789 | [btn addTarget:self action:@selector(actionFixMultiClick_performSelector:) for// xxx- (void)actionFixMultiClick_performSelector:(UIButton *)sender { [NSObject cancelPreviousPerformRequestsWithTarget:self selector:@selector(btnClickedOperations) object:nil]; [self performSelector:@selector(btnClickedOperations) withObject:nil afterDelay:1];} |
使用runtime来对sendAction:to:forEvent:方法进行hook
UIControl的sendAction:to:forEvent:方法用于处理事件响应.
如果我们在该方法的实现中, 添加针对点击事件的时间间隔相关的处理代码, 则能够做到在指定时间间隔中防止重复点击.首先, 为UIButton添加一个Category:
1234567 | @interface UIButton (CS_FixMultiClick)@property (nonatomic, assign) NSTimeInterval cs_acceptEventInterval; // 重复点击的间隔@property (nonatomic, assign) NSTimeInterval cs_acceptEventTime;@end |
Category不能给类添加属性, 所以以上的cs_acceptEventInterval和cs_acceptEventTime只会有对应的getter和setter方法, 不会添加真正的成员变量.
如果我们不在实现文件中添加其getter和setter方法, 则采用 btn.cs_acceptEventInterval = 1; 这种方法尝试访问该属性会出错. 1 | 2016-06-29 14:04:52.538 DemoRuntime[17380:1387981] -[UIButton setCs_acceptEventInterval:]: unrecognized selector sent to instance 0x7fe8e154e470 |
在实现文件中通过runtime的关联对象的方式, 为UIButton添加以上两个属性. 代码如下:
1234567891011121314151617181920212223242526272829303132333435363738394041424344454647 | #import "UIControl+CS_FixMultiClick.h"#import |
load方法是在objc库中的一个load_images函数中调用的. 先把二进制映像文件中的头信息取出, 再解析和读出各个模块中的类定义信息, 把实现了load方法的类和Category记录下来, 最后统一执行调用. 主类中的load方法的调用时机要早于Category中的load方法.
关于load和initialize方法, 可参看博客. 因此, 我们在Category中的load方法中, 执行runtime的method swizzling, 即可将UIButton的事件响应方法sendAction:to:forEvent:替换为我们自定义的方法cs_sendAction:to:forEvent:. 关于runtime的关联对象和method swizzling, 这里就不多做介绍了, 可参考博客. 那么, 如何使用呢? 1 | btn.cs_acceptEventInterval = 1; |
这样, 就给UIButton指定了1s的时间间隔用于防止重复点击.