在iOS 开发的过程,离不开按钮.自己开发的程序当孩子看待,测试当前男友看待,所以在测试的过程中,暴力点击按钮是无法避免存在的.以前防暴力点击用的是计时器,虽然可以实现,但感觉太 low 了.现修改为 runtime 消息交换方式去实现,供同鞋们参考(文末附上具体代码地址).
总体逻辑为:给分类添加属性,然后获取系统的sendAction:to:forEvent:方法和自己写的方法交换,给属性手动添加 set 和 get 方法,实现自己写的点击方法
第一步:创建一个 UIButton 的分类(创建分类的方法发张图片代替)
D751ADA7-A57C-4508-A4CD-FA9BCA31876C.png
第二步:代码步骤
.h 文件代码
#import <UIKit/UIKit.h>
//默认点击间隔时间
#define defaultTimer .3
@interface UIButton (Touch)
//按钮间隔时间,如果不设置,则为默认时间0.3s
@property (nonatomic,assign) NSTimeInterval timer;
@end
.m 文件代码
#import "UIButton+Touch.h"
#import <objc/runtime.h>
@interface UIButton ()
@property (nonatomic,assign) NSTimeInterval timingTimer;
@end
static char * const timingTimerKey = "timingTimerKey";
static char * const timerIntervalKey = "timerIntervalKey";
@implementation UIButton (Touch)
+(void)load{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
//处理事件的父类,它有三种事件相应的形式:基于触摸,基于值,基于编辑
SEL selA = @selector(sendAction:to:forEvent:);
Method thodA = class_getInstanceMethod(self, selA);
//转换的方法(基于系统自己写的)
SEL selB = @selector(mySendAction:to:forEvent:);
Method thodB = class_getInstanceMethod(self, selB);
//添加方法
BOOL addB = class_addMethod(self, selA, method_getImplementation(thodB), method_getTypeEncoding(thodB));
if (addB) {
//如果方法已经添加,则替换
class_replaceMethod(self, selB, method_getImplementation(thodA), method_getTypeEncoding(thodA));
}else{
//否则直接交换方法
method_exchangeImplementations(thodA, thodB);
}
});
}
#pragma mark 点击按钮的间隔时间 set和 get 方法
-(void)setTimerInterval:(NSTimeInterval)timerInterval{
/*
&timerKey:该 key 也行可用@selector(timerIntervalKey)实现,就不用定义上面的属性key
OBJC_ASSOCIATION_COPY 可以粗浅理解成定义属性的关键字
*/
objc_setAssociatedObject(self, &timerIntervalKey, @(timerInterval), OBJC_ASSOCIATION_RETAIN_NONATOMIC);
}
-(NSTimeInterval)timerInterval{
return [objc_getAssociatedObject(self, &timerIntervalKey) doubleValue];
}
#pragma mark 点击按钮的计时 set和 get 方法
-(void)setTimingTimer:(NSTimeInterval)timingTimer{
objc_setAssociatedObject(self, &timingTimerKey, @(timingTimer), OBJC_ASSOCIATION_RETAIN_NONATOMIC);
}
-(NSTimeInterval)timingTimer{
return [objc_getAssociatedObject(self, &timingTimerKey) doubleValue];
}
#pragma mark 防止暴力点击的方法
-(void)mySendAction:(SEL)action to:(id)target forEvent:(UIControlEvents *)event{
//这个是判断是为了防止别的事件也走此方法
if ([NSStringFromClass(self.class)isEqualToString:@"UIButton"]) {
self.timerInterval = self.timerInterval == 0?defaultTimer:self.timerInterval;
if (NSDate.date.timeIntervalSince1970 - self.timingTimer < self.timerInterval) {
return;
}
if (self.timerInterval > 0) {
self.timingTimer = NSDate.date.timeIntervalSince1970;
}
}
[self mySendAction:action to:target forEvent:event];
}
@end
最后附上代具体代码: https://github.com/xiaoxie0217/UIButton-Touch.git
网友评论