项目中常常会碰到这样的问题,一个网络请求的按钮,如果我们不做限制,用户可能会一直点击,这样会导致我们客户端频繁的请求同一个接口,这样肯定是不友好的,我们有很多办法去解决这个问题,
1.比如写一个按钮的子类,在
- (void)sendAction:(SEL)action to:(id)target forEvent:(UIEvent *)event
这个方法重写点击事件,做一个时间的延时判断,这个有一点的不好是,你需要在所有的按钮创建的地方用这个类去替换原来的UIButton,效率有点低下.
2.还有一种非常吊的方法,就是利用运行时,通过
iOS黑魔法-Method Swizzling
写按钮的祖宗(UIControl)的分类,通过方法交换,实现限制按钮被重复点击.下面是实现过程
在.h中声明一个属性,用来设置按钮延时的时间:
@property (nonatomic, assign) NSTimeInterval clickDurationTime;
在.m文件中代码如下
#import "UIControl+Helper.h"
#import <objc/runtime.h>
// 默认的按钮点击时间
static const NSTimeInterval defaultDuration = 1.0f;
// 记录是否忽略按钮点击事件,默认第一次执行事件
static BOOL _isIgnoreEvent = NO;
static void resetState() {
_isIgnoreEvent = NO;
}
@implementation UIControl (Helper)
@dynamic clickDurationTime;
+ (void)load {
SEL originSEL = @selector(sendAction:to:forEvent:);
SEL mySEL = @selector(my_sendAction:to:forEvent:);
Method originM = class_getInstanceMethod([self class], originSEL);
const char *typeEncodinds = method_getTypeEncoding(originM);
Method newM = class_getInstanceMethod([self class], mySEL);
IMP newIMP = method_getImplementation(newM);
if (class_addMethod([self class], mySEL, newIMP, typeEncodinds)) {
class_replaceMethod([self class], originSEL, newIMP, typeEncodinds);
} else {
method_exchangeImplementations(originM, newM);
}
}
- (void)my_sendAction:(SEL)action to:(id)target forEvent:(UIEvent *)event {
// UITabBarButton
NSLog(@"%@",NSStringFromClass([self class]));
// 保险起见,判断下Class类型
if ([self isKindOfClass:[UIButton class]]) {
//1. 按钮点击间隔事件
self.clickDurationTime = self.clickDurationTime == 0 ? defaultDuration : self.clickDurationTime;
//2. 是否忽略按钮点击事件
if (_isIgnoreEvent) {
//2.1 忽略按钮事件
return;
} else if(self.clickDurationTime > 0) {
//2.2 不忽略按钮事件
// 后续在间隔时间内直接忽略按钮事件
_isIgnoreEvent = YES;
// 间隔事件后,执行按钮事件
dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(self.clickDurationTime * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
resetState();
});
// 发送按钮点击消息
[self my_sendAction:action to:target forEvent:event];
}
}
else
{
[self my_sendAction:action to:target forEvent:event];
}
}
#pragma mark - associate
- (void)setClickDurationTime:(NSTimeInterval)clickDurationTime {
objc_setAssociatedObject(self, @selector(clickDurationTime), @(clickDurationTime), OBJC_ASSOCIATION_RETAIN_NONATOMIC);
}
- (NSTimeInterval)clickDurationTime {
return [objc_getAssociatedObject(self, @selector(clickDurationTime)) doubleValue];
}
@end
这个demo里面的所有按钮都做了防止连续点击事件,你的项目如果想集成这个功能,只需要把demo中的UIControl+Helper
的分类放到你的项目中,并在需要用的地方导入头文件,也可以直接放在PCH文件中就OK了.
demo地址