在iOS開發之通過代理逆向傳值一文中,分析了利用代理模式來逆向傳值,其實還有一些其他的方式,如通知、Block等,相比較代理,我個人認為反而要簡單些,但是需要處理好細節問題,如Block迴圈引用。還是用前文的案例,本次使用Block來實現,Block的基本知識本文不再贅述。
一、書寫規範
Block傳值,需要注意的是,誰傳值就需要定義Block,捕獲方僅僅需要傳遞Block給傳值方,並處理捕獲的值。
-
傳值方
1、定義Block用於傳值
2、宣告一個上述Block屬性,這個屬性的具體實現需要捕獲方傳進來
3、在需要傳值的時候呼叫Block完成傳值 -
捕獲方
1、傳遞一個Block給傳值方
2、在Block中捕獲傳過來的值,並根據需求處理捕獲的值
二、Block與逆向傳值
還是那句No Code, No BB
,案例效果如下:
三、實現步驟
1、傳值方
//.h 檔案
/**
* 型別自定義
*/
typedef void (^ReturnValueBlock) (NSString *strValue);
@interface NextViewController : UIViewController
/**
* 宣告一個ReturnValueBlock屬性,這個Block是獲取傳值的介面傳進來的
*/
@property(nonatomic, copy) ReturnValueBlock returnValueBlock;
@end
=================================================================
//.m 檔案
#import "NextViewController.h"
@interface NextViewController ()
@property (weak, nonatomic) IBOutlet UITextField *inputText;
- (IBAction)back:(id)sender;
@end
@implementation NextViewController
- (void)viewDidLoad {
[super viewDidLoad];
self.navigationItem.title = @"第二個介面";
}
/**
* 返回上一個介面
*
* @param sender 按鈕
*/
- (IBAction)back:(id)sender {
NSString *inputString = self.inputText.text;
__weak typeof(self) weakself = self;
if (weakself.returnValueBlock) {
//將自己的值傳出去,完成傳值
weakself.returnValueBlock(inputString);
}
[self.navigationController popViewControllerAnimated:YES];
}
@end
複製程式碼
2、捕獲方
//.m 檔案
#import "ViewController.h"
#import "NextViewController.h"
@interface ViewController ()
@property (weak, nonatomic) IBOutlet UILabel *nextPassedValue;
- (IBAction)next:(id)sender;
@end
@implementation ViewController
- (void)viewDidLoad {
[super viewDidLoad];
}
//點選按鈕跳轉到第二個介面
- (IBAction)next:(id)sender {
NextViewController *nvc = [[NextViewController alloc]init];
//賦值Block,並將捕獲的值賦值給UILabel
nvc.returnValueBlock = ^(NSString *passedValue){
self.nextPassedValue.text = passedValue;
};
[self.navigationController pushViewController:nvc animated:YES];
}
@end
複製程式碼