1. 请在草稿纸上手写一个单例模式的实现代码,拍照提交作业。
2. 请用组合设计模式编写程序,打印输出图 1 的窗口,窗口组件的树结构如图 2 所示,打印输出示例参考图 3。
答案一
单例模式(Singleton Pattern)是 Java 中最简单的设计模式之一。这种类型的设计模式属于创建型模式,它提供了一种创建对象的最佳方式。
这种模式涉及到一个单一的类,该类负责创建自己的对象,同时确保只有单个对象被创建。这个类提供了一种访问其唯一的对象的方式,可以直接访问,不需要实例化该类的对象。
注意:
1、单例类只能有一个实例。
2、单例类必须自己创建自己的唯一实例。
3、单例类必须给所有其他对象提供这一实例。
(不拍照了,家里都没有笔了)
Go 语言
Go 语言实现,为了保障安全性引入 sync 加锁,但是会影响效率。
package single
import (
"fmt"
"sync"
)
type SingleTon struct {
SingleName string
}
//声明实例
var songleTon *SingleTon
var syncSon *sync.Mutex
func GetSingleTon() *SingleTon {
if songleTon == nil {
syncSon.Lock()
defer syncSon.Unlock()
songleTon = &SingleTon{}
}
return songleTon
}
}
复制代码
import (
"fmt"
single "help/single"
)
func main() {
singleton := single.GetSingleTon()
fmt.Println("singleton is ", singleton)
}
复制代码
JAVA 实现
包括懒汉式、饿汉式、双检锁、静态内部类、枚举,这里以双重校验锁作为实例
public class Singleton {
private volatile static Singleton singleton;
private Singleton (){}
public static Singleton getSingleton() {
if (singleton == null) {
synchronized (Singleton.class) {
if (singleton == null) {
singleton = new Singleton();
}
}
}
return singleton;
}
}
复制代码
答案二
组合模式又叫部分整体模式,是用于把一组相似的对象当作一个单一的对象。组合模式依据树形结构来组合对象,用来表示部分以及整体层次。这种类型的设计模式属于结构型模式,它创建了对象组的树形结构。
这种模式创建了一个包含自己对象组的类。该类提供了修改相同对象组的方式。
1、算术表达式包括操作数、操作符和另一个操作数,其中,另一个操作符也可以是操作数、操作符和另一个操作数。
2、在 JAVA AWT 和 SWING 中,对于 Button 和 box 是树叶,Container 是树枝。
代码实现
// 组件接口定义,组件树中的组件都需实现该接口
public interface Component {
void operation(String printStr);
}
复制代码
//树枝类,相当于容器组件
public class Composite implements Component {
private String name;
private List<Component> childComponents = new ArrayList<Component>();
public Composite(String name) {
this.name = name;
}
public void operation(final String printStr) {
System.out.println(printStr + " " + name);
if(!CollectionUtils.isEmpty(childComponents)) {
childComponents.forEach(x -> {
x.operation(printStr);
});
}
}
public void addComponent(Component component) {
childComponents.add(component);
}
}
复制代码
//树叶类,Button 和 Checkbox ...
public class Button extends MetaComponent {
public Button(String name) {
super(name);
}
}
复制代码
//输出窗口测试类
public class Test {
public static void main(String[] args) {
Composite login = new WinForm("WINDOW窗口");
login.addComponent(new Picture("LOGO图片"));
login.addComponent(new Button("登录"));
login.addComponent(new Button("注册"));
Composite frame = new Frame("FRAME1");
frame.addComponent(new Lable("用户名"));
frame.addComponent(new TextBox("文本框"));
frame.addComponent(new Lable("密码"));
frame.addComponent(new PasswordBox("密码框"));
frame.addComponent(new CheckBox("复选框"));
frame.addComponent(new TextBox("记住用户名"));
frame.addComponent(new LinkLable("忘记密码"));
login.addComponent(frame);
login.operation("print");
}
}
复制代码
评论