组合模式就是将对象组合成树形结构以表示”部分-整体”的层次结构,使得用户对单个对象和组合对象的使用具有一致性。组合模式的核心包括抽象构件、叶子构件和容器构件。抽象构件角色:定义了叶子构件和容器构件的共同点。叶子构件角色:无子节点。容器构件角色:有容器特征,可以包含子节点。看了下面的图大家就明白什么是容器和叶子了。
组合模式的适用性
1.你想表示对象的部分-整体层次结构。
2.你希望用户忽略组合对象与单个对象的不同,用户将统一地使用组合结构中的所有对象。
组合模式的工作流程
组合模式为处理树形结构提供了解决方案,描述了如何将容器和叶子进行递归组合,使得用户在使用时可以一致性的对待容器和叶子。
当容器对象的指定方法被调用时,将遍历整个树形结构,寻找包含这个方法的成员并调用执行。其中使用的就是递归调用的基址对整个树形结构进行处理的。
我们手机或电脑上面的文件夹就是最好的案例。
下面我们就以文件夹和图片来实现一个案例。
public abstract class File {
private String name;
public abstract String findPhoto(String name);
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public abstract void add(File file);
public abstract void remove(File file);
}
/**
* PhotoFile代表的就是叶子
*/
class PhotoFile extends File {
public PhotoFile(String name) {
super();
setName(name);
}
@Override
public String findPhoto(String name) {
return "我要查找的图片是" + name;
}
@Override
public void add(File file) {
}
@Override
public void remove(File file) {
}
}
/**
* Folder代表的就是容器
*/
class Folder extends File {
private List<File> fileList = new ArrayList<File>();
public Folder(String name) {
super();
setName(name);
}
public void add(File file) {
fileList.add(file);
}
public void remove(File file) {
fileList.remove(file);
}
/**
* 下面的findPhoto这个方法用到了递归
*/
@Override
public String findPhoto(String name) {
for (File file : fileList) {
if (file.getName().equals(name)) {
return "已经找到" + name + "这张图片了";
}
System.out.println("努力查找中~~~");
}
return "很抱歉!您要找的图片不存在";
}
}
测试代码
Folder photoFolder;
File photoFile1;
File photoFile2;
File photoFile3;
File photoFile4;
File photoFile5;
File photoFile6;
photoFolder = new Folder("图片");
photoFile1 = new PhotoFile("file1.png");
photoFile2 = new PhotoFile("file2.png");
photoFile3 = new PhotoFile("file3.png");
photoFile4 = new PhotoFile("file4.png");
photoFile5 = new PhotoFile("file5.png");
photoFile6 = new PhotoFile("file6.png");
photoFolder.add(photoFile1);
photoFolder.add(photoFile2);
photoFolder.add(photoFile3);
photoFolder.add(photoFile4);
photoFolder.add(photoFile5);
photoFolder.add(photoFile6);
String name = "file6.png";
System.out.println(photoFile1.findPhoto(name));
System.out.println(photoFolder.findPhoto(name));
运行效果
组合模式到此已经结束,如有问题还请留言。
作者:u014452224 发表于2017/2/24 16:33:08 原文链接
阅读:217 评论:1 查看评论