IO和NIO的学习
NIO - 1.4 开始出的
在网络应用框架中,NIO得到了大量的使用,特别是netty里面
前提:对IO及其了解
Thinking in java - Java编程思想
对程序语言设计者来说,设计一个令人满意的IO系统是件及其艰巨的任务
流的概念
输入/输出流概念
输入/输出类
字节流和字符流
这里,输入流就是输入流,输出流就是输出流。不会说有一个流及时输入又是输出。这个是和NIO差距非常大的一个区分差别。
Java.io包中OutputSteam的类层次
流的调用
AAA
BBB
CCC
new CCC(new BBB(new AAA()));
new BBB(new AAA());
new AAA();
package com.dawa.decorator;
public interface Component {
void doSomething();
}
package com.dawa.decorator;
public class ConcreteComponent implements Component {
@Override
public void doSomething() {
System.out.println("功能A");
}
}
package com.dawa.decorator;
//核心类,满足装饰模式的特点
public class Decorator implements Component {
private Component component;
public Decorator(Component component) {
this.component = component;
}
@Override
public void doSomething() {
component.doSomething();
}
}
package com.dawa.decorator;
public class ConcreteDecorator1 extends Decorator {
public ConcreteDecorator1(Component component) {
super(component);
}
@Override
public void doSomething() {
super.doSomething();
this.doAnotherThing();
}
private void doAnotherThing() {
System.out.println("功能a");
}
}
package com.dawa.decorator;
public class ConcreteDecorator2 extends Decorator {
public ConcreteDecorator2(Component component) {
super(component);
}
@Override
public void doSomething() {
super.doSomething();
this.doAnotherThing();
}
private void doAnotherThing() {
System.out.println("功能b");
}
}
package com.dawa.decorator;
public class Client {
public static void main(String[] args) {
Component component = new ConcreteDecorator2(new ConcreteDecorator1(new ConcreteComponent()));
component.doSomething();
}
}
** 在整个IO体系中,装饰模式是无处不在的 **
BufferInputStream extends FilterInputSteam
FilterInputSteam extends InputStream (里面有 InputStream 对象)
ps:volatile关键字:1-可见性 2-顺序性。在 FilterInputSteam 里面有用到。自行扩展。
volatile 保证可见性和有序性,不保证原子性。
IO体系中使用设计模式很大程度的避免了有更多自雷的产生。并且可以在运行期去丰富我们构造出来的对象所具备的功能。
因为IO体系中已经有很多很多的类了,如果不适用这种设计模式,会导致类的急剧膨胀。并且实现起来非常不灵活。
在很大程度上,让功能保持健全,此外,在IO体系中类的数量不至于过多的膨胀。
Netty学习-IO体系架构系统回顾 & 装饰模式Decorator的具体使用
原文:https://www.cnblogs.com/bigbaby/p/12064587.html