众所周知,block是iOS开发中一个经常使用的模块, block 可以用来包含一段代码块,可以传值, 用法灵活,但是也最让很多开发者头疼
今天说下block 作为参数传递的用法
- 1、 首先Block的书写有些开发者会认为很繁琐,其实不然
只要在代码中敲击 inline, 就会自动生产block
- 2、使用场景 : 假如我们想通过点击一个按钮来进入一段动画,并且在动画完毕时退出动画,当然,也不是所有都要求 点击按钮进入动画后就会退出动画,有一些就不会
- 3、退出动画的方法:
// 退出动画
- (void)exit:(void (^)())task
{
self.view.userInteractionEnabled = NO;
// 动画
for (int i = 0; i < 6; i++) {
// 动画
POPSpringAnimation *anim = [POPSpringAnimation animationWithPropertyNamed:kPOPLayerPositionY];
anim.toValue = @(2 * CCJScreenW);
anim.springSpeed = 10;
anim.beginTime = CACurrentMediaTime() + [self.time[i] doubleValue];
[self.addbBtns[i] pop_addAnimation:anim forKey:nil];
}
POPSpringAnimation *anim = [POPSpringAnimation animationWithPropertyNamed:kPOPLayerPositionY];
anim.toValue = @(2 * CCJScreenW);
anim.springSpeed = 10;
anim.beginTime = CACurrentMediaTime() + [[self.time lastObject] doubleValue];
[self.imageView pop_addAnimation:anim forKey:nil];
// 动画执行完调用
[anim setCompletionBlock:^(POPAnimation * anim, BOOL finish) {
[self dismissViewControllerAnimated:NO completion:nil];
// 如果有block参数,那么就调用参数的block代码
if (task) {
task();
}
}];
}
首先
- (void)exit:(void (^)())task
就是退出动画的方法, 而 task 也就是需要传递的block,此时在动画完毕的方法里判断并调用block
// 动画执行完调用
[anim setCompletionBlock:^(POPAnimation * anim, BOOL finish) {
[self dismissViewControllerAnimated:NO completion:nil];
// 如果有block参数,那么就调用参数的block代码
if (task) {
task();
}
}];
- 4、task参数的block的实现:
当然在block里不要忘记使用弱指针的self
// 当按钮被点击时调用
- (void)addBtnClick:(CJAddViewBtn *)addButton
{
__weak typeof(self) weakSelf = self;;
// 调用退出动画的方法 给block 代码传递具体的内容,^{ 是block的整体的内容,也就是说,这大括号内的整个都是参数,然后再exit中用task(又来调用了这些block 代码)
[weakSelf exit:^{
NSUInteger index = [self.addbBtns indexOfObject:addButton];
switch (index) {
case 2:{
CJPostViewController *postView = [[CJPostViewController alloc] init];
[self.view.window.rootViewController presentViewController:[[CJNavigationController alloc] initWithRootViewController:postView] animated:YES completion:nil];
break;
}
default:
break;
}
}];
}
- 5、讲解: 当点击按钮的时候,我们会进入
- (void)addBtnClick:(CJAddViewBtn *)addButton
这个方法
紧接着我们调用
[weakSelf exit:^{ ... }]
退出动画的方法,就来到了一开始的
- (void)exit:(void (^)())task
的方法.这时^{ ... }之内的所有代码将被作为block参数传递过去,也就是
方法中的task参数,那么在退出动画的方法中,通过判断task是否有值来决定是否调用这段block
这样, 一段block代码就成功被调用,里面的参数或者想要实现的功能就可以传递过去了
网友评论