问题描述:
在实际的编程中,我们会经常遇到按钮在短时间内被重复点击,导致请求或者页面多次跳转的bug,这显然是我们不愿意看到的,下面的文章主要是对这一问题的详细解决.
问题分析:
首先UIButton实例能接收点击事件是因为继承了UIControll这个类,实现了sendAction:to:forEvent:方法,所以如果想控制按钮的点击,我们只需要为UIControll提供一个分类,对sendAction:to:forEvent:方法进行限制即可.
问题解决:
1.既然要对点击事件进行限制,我们首先要对外界暴露一个参数的属性,用来控制按钮在某一时间范围内不可点击.并实现此属性的get和set方法.
@property (nonatomic, assign) NSTimeInterval lsw_acceptEventInterval;// 可以用这个给重复点击加间隔
- (void)setLsw_acceptEventInterval:(NSTimeInterval)lsw_acceptEventInterval{
objc_setAssociatedObject(self, UIControl_acceptEventInterval, @(lsw_acceptEventInterval) , OBJC_ASSOCIATION_RETAIN_NONATOMIC);
}
- (NSTimeInterval)lsw_acceptEventInterval{
return [objc_getAssociatedObject(self, UIControl_acceptEventInterval) doubleValue];
}
2.得到系统的点击方法和自定义的点击方法,并对两个方法进行交换:
+ (void)load{
// 获取两个方法
Method systemMethod = class_getInstanceMethod(self, @selector(sendAction:to:forEvent:));
SEL sysSEL = @selector(sendAction:to:forEvent:);
Method customMethod = class_getInstanceMethod(self, @selector(lsw_sendAction:to:forEvent:));
SEL cusSEL = @selector(lsw_sendAction:to:forEvent:);
// 添加方法进去
BOOL didAddMethod = class_addMethod(self, sysSEL, method_getImplementation(customMethod), method_getTypeEncoding(customMethod));
// 如果方法已经存在
if (didAddMethod) {
class_replaceMethod(self,cusSEL, method_getImplementation(systemMethod), method_getTypeEncoding(systemMethod));
}else{
method_exchangeImplementations(systemMethod, customMethod);
}
}
3.实现自定义的点击方法,当最近一次有效点击后经过的事件小于设定的事件范围,直接返回;若大于或等于设定的事件范围,重置可点击事件的事件,并调用父类的sendAction:to:forEvent:方法,响应点击事件:
- (void)lsw_sendAction:(SEL)action to:(id)target forEvent:(UIEvent *)event{
if (NSDate.date.timeIntervalSince1970 - self.lsw_acceptEventTime < self.lsw_acceptEventInterval) {
return;
}
if (self.lsw_acceptEventInterval > 0) {
self.lsw_acceptEventTime = NSDate.date.timeIntervalSince1970;
}
[self lsw_sendAction:action to:target forEvent:event];
}
问题描述:
有的时候我们需要为类或者实例对象动态的添加方法,这时候就用到了runtime
原理:
当系统执行一个方法,就会自动的去方法列表中去查找个方法,如果找不到对应的方法,则利用runtime动态添加方法,并进行实现:
实现:
1.首先在调用的类中重写+ (BOOL)resolveInstanceMethod:(SEL)sel方法,如果传入的sel是doHomeWork,则添加doHomeWork方法,返回父类的+ (BOOL)resolveInstanceMethod:(SEL)sel方法,具体代码如下:
// 当一个对象调用未实现的方法,会调用这个方法处理,并且会把对应的方法列表传过来
// 我们刚好可以判断传过来的方法是不是我们需要动态添加的方法
+ (BOOL)resolveInstanceMethod:(SEL)sel{
if (sel == @selector(doHomeWork)) {
// 动态添加doHomeWork方法
// 第一个参数:给哪个类添加方法
// 第二个参数:添加方法的方法列表
// 第三个参数:添加方法的函数实现
// 第四个参数:函数的类型(返回值+参数)
class_addMethod(self, @selector(doHomeWork),(IMP)aaa , "v@:");
}
return [super resolveInstanceMethod:sel];
}
2.实现aaa方法,如下:
// 默认方法都有两个隐士参数
void aaa(id self,SEL sel){
NSLog(@"%@------%@",self,NSStringFromSelector(sel));
}
3.最后进行方法调用,如下:
// 点击屏幕动态添加方法
Person *p = [[Person alloc]init];
[p performSelector:@selector(doHomeWork)];