第17章 中介者模式

本文内容来源于网络收集

作者:冰河
来源:冰河技术公众号

  • 本章难度:★★☆☆☆
  • 本章重点:用最简短的篇幅介绍中介者模式最核心的知识,理解中介者模式的设计精髓,并能够灵活运用到实际项目中,编写可维护的代码。

一、概述

用一个中介对象来封装一系列的对象交互。中介者使各对象不需要显式地相互引用,从而使其耦合松散,而且可以独立地改变它们之间的交互。

二、适用性

1.一组对象以定义良好但是复杂的方式进行通信。产生的相互依赖关系结构混乱且难以理解。

2.一个对象引用其他很多对象并且直接与这些对象通信,导致难以复用该对象。

3.想定制一个分布在多个类中的行为,而又不想生成太多的子类。

三、参与者

1.Mediator 中介者定义一个接口用于与各同事(Colleague)对象通信。

2.ConcreteMediator 具体中介者通过协调各同事对象实现协作行为。 了解并维护它的各个同事。

3.Colleagueclass 每一个同事类都知道它的中介者对象。 每一个同事对象在需与其他的同事通信时,与它的中介者通信。

四、类图


五、示例

Mediator

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
/**
 * @author binghe(微信 : hacker_binghe)
 * @version 1.0.0
 * @description Mediator
 * @github https://github.com/binghe001
 * @copyright 公众号: 冰河技术
 */
public abstract class Mediator {
    public abstract void notice(String content);
}

ConcreteMediator

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
/**
 * @author binghe(微信 : hacker_binghe)
 * @version 1.0.0
 * @description ConcreteMediator
 * @github https://github.com/binghe001
 * @copyright 公众号: 冰河技术
 */
public class ConcreteMediator extends Mediator  {

    private ColleagueA ca;

    private ColleagueB cb;

    public ConcreteMediator() {
        ca = new ColleagueA();
        cb = new ColleagueB();
    }

    @Override
    public void notice(String content) {
        if ("boss".equals(content)) {
            //老板来了, 通知员工A
            ca.action();
        }
        if ("client".equals(content)) {
            //客户来了, 通知前台B
            cb.action();
        }
    }
}

Colleague

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
/**
 * @author binghe(微信 : hacker_binghe)
 * @version 1.0.0
 * @description Colleague
 * @github https://github.com/binghe001
 * @copyright 公众号: 冰河技术
 */
public abstract class Colleague {
    public abstract void action();
}

Colleagueclass

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
/**
 * @author binghe(微信 : hacker_binghe)
 * @version 1.0.0
 * @description Colleagueclass
 * @github https://github.com/binghe001
 * @copyright 公众号: 冰河技术
 */
public class ColleagueA extends Colleague {
    @Override
    public void action() {
        System.out.println("普通员工努力工作");
    }
}
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
/**
 * @author binghe(微信 : hacker_binghe)
 * @version 1.0.0
 * @description Colleagueclass
 * @github https://github.com/binghe001
 * @copyright 公众号: 冰河技术
 */
public class ColleagueB extends Colleague {
    @Override
    public void action() {
        System.out.println("前台注意了!");
    }
}

Test

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
/**
 * @author binghe(微信 : hacker_binghe)
 * @version 1.0.0
 * @description 测试类
 * @github https://github.com/binghe001
 * @copyright 公众号: 冰河技术
 */
public class Test {

    public static void main(String[] args) {
        Mediator med = new ConcreteMediator();
        //老板来了
        med.notice("boss");
        //客户来了
        med.notice("client");
    }
}

Result

1
2
普通员工努力工作
前台注意了!