简单实现代理模式

一、简单说明
用storyboard 创建两个ViewController:A,B

简单实现代理模式_第1张图片
屏幕快照 2016-06-16 下午5.32.04.png

注:每个VC上都有一个button,一个label,一个textFiled

A界面上在textFiled里输入“我是A”文本后,点击“go to B”按钮,跳转到B界面,B界面上label上显示“我是A”。同理B界面上同样的操作后,返回A界面上显示B的textFiled输入的文本,这是返回值就需要用代理来实现。

二、代理的实现过程
1、在BViewController.swift里写代理

protocol Delegate {

func backWords(words:String)

}

2、在BViewController.swift再声明一个代理属性

//代理属性
var  delegate:Delegate?

3、在AViewController.swift实现代理的方法
在实现方法前,一定要先引用代理

  class AViewController: UIViewController,Delegate {}

实现代理方法

/**
 实现代理方法
 */

func backWords(words: String) {
    
     self.showTextLabel.text = words
    self.bVC?.navigationController?.popViewControllerAnimated(true)
}

4、在A界面跳转到B界面时,A把自己给代理属性

   /**将自己给代理*/
  self.bVC!.delegate = self

三、源代码附上
1、AViewController.swift

import UIKit

class AViewController: UIViewController,Delegate {

var bVC:BViewController?
/// 输入要传给B的值
@IBOutlet weak var talkToBVC: UITextField!
/// 显示B返回的值
@IBOutlet weak var showTextLabel: UILabel!
/**
 实现代理方法
 */
func backWords(words: String) {
    
     self.showTextLabel.text = words
    self.bVC?.navigationController?.popViewControllerAnimated(true)
}
/**
 捕获跳转
 */
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
    if segue.identifier == "jump"{
        /**
         强制转换目标VC为BViewController类型
         */
        self.bVC = segue.destinationViewController as? BViewController
        /**
         将自己给代理
         */
        self.bVC!.delegate = self
        /**
         将A说的在B上显示
         */
        self.bVC!.wordsFromA = self.talkToBVC.text

        
    }
    
}


override func viewDidLoad() {
    super.viewDidLoad()
    
    
    
}

override func didReceiveMemoryWarning() {
    super.didReceiveMemoryWarning()

}

}

2、BViewController.swift

import UIKit

protocol Delegate {

func backWords(words:String)

}

class BViewController: UIViewController {

var wordsFromA: String!

@IBOutlet weak var showWordSFromA: UILabel!

//代理属性
var  delegate:Delegate?

//跟AViewController要说的话
@IBOutlet weak var talkToA: UITextField!

/**
 点击Button后触发事件,跳转到A界面,并把textField里的文本,传回给A,并在A界面显示
 */
@IBAction func goToA(sender: AnyObject) {
   
    /**
     调动代理方法  实现传值
     */
    self.delegate?.backWords(self.talkToA.text!)
    
    
}

override func viewDidLoad() {
    super.viewDidLoad()
    
   self.showWordSFromA.text = self.wordsFromA
    
}

override func didReceiveMemoryWarning() {
    super.didReceiveMemoryWarning()
    
}
}

你可能感兴趣的:(简单实现代理模式)