1、File类

File类的基本概念

File类:表示文件和目录路径名的抽象表示方法

File类可以实现文件的创建、删除、重命名、得到路径、创建时间等,是唯一与文件本身有关的操作类

File类的操作方法

  1. import java.io.File;
  2. import java.io.FileFilter;
  3. import java.io.IOException;
  4. import java.text.DateFormat;
  5. import java.text.SimpleDateFormat;
  6. import java.util.Arrays;
  7. import java.util.Date;
  8. /**
  9. * File类的使用
  10. * @description
  11. */
  12. public class FileDemo {
  13. public static void main(String[] args) {
  14. //File类表示一个文件或目录
  15. // "C:\\test\\vince.txt"
  16. //"C:/test/vince.txt"
  17. File f1 = new File("c:"+File.separator+"test"+File.separator+"vince.txt");
  18. if(!f1.exists()){ //判断文件是否存在
  19. try {
  20. f1.createNewFile(); //创建文件
  21. System.out.println("文件创建成功");
  22. } catch (IOException e) {
  23. e.printStackTrace();
  24. }
  25. }
  26. //f1.isFile() :是否为文件
  27. System.out.println("是否为文件夹:"+f1.isDirectory());
  28. File f2 = new File("c:\\test\\my");
  29. boolean b = f2.delete(); //删除空文件夹
  30. System.out.println(b);
  31. String[] names = f2.list(); //列出当前目录下的所有文件名
  32. System.out.println(Arrays.toString(names));
  33. File[] fs = f2.listFiles();//列出当前目录下的所有文件,以file对象返回
  34. for(File f: fs){
  35. System.out.println("length="+f.length());
  36. System.out.println("name="+f.getName());
  37. System.out.println("相对路径="+f.getPath());
  38. System.out.println("绝对路径="+f.getAbsolutePath());
  39. System.out.println("是否为隐藏文件="+f.isHidden());
  40. System.out.println("是否可读文件="+f.canRead());
  41. Date date = new Date(f.lastModified());
  42. DateFormat df = new SimpleDateFormat("HH:mm:ss");
  43. System.out.println("文件最后修改的时间="+df.format(date));
  44. System.out.println("---------");
  45. }
  46. //相对路径与绝对路径的区别
  47. File f3 = new File("temp.txt");
  48. System.out.println(f3.getPath());
  49. System.out.println(f3.getAbsolutePath());
  50. //
  51. File f4 = new File("c:\\test\\dabin1");
  52. f4.mkdirs();
  53. //重命名与移动文件
  54. //重命名f4.renameTo(new File("c:\\test\\dabin1"));;
  55. //移动文件
  56. f4.renameTo(new File("c:\\test1"));
  57. //返回所有“.txt”格式的文件
  58. File f5 = new File("c:\\test\\my");
  59. // File[] files = f5.listFiles(new FileFilter() {
  60. // @Override
  61. // public boolean accept(File pathname) {
  62. // return pathname.getName().endsWith(".txt");
  63. // }
  64. // });
  65. File[] files = f5.listFiles((pathname)->pathname.getName().endsWith(".txt"));
  66. System.out.println("---------");
  67. for(File f:files){
  68. System.out.println(f.getName());
  69. }
  70. }
  71. }
  1. import java.io.File;
  2. /**
  3. * 在指定的目录中查找文件
  4. * @description
  5. */
  6. public class FileDemo2 {
  7. public static void main(String[] args) {
  8. findFile(new File("C:\\Users\\vince\\Downloads"),".jpg");
  9. }
  10. //查找文件的方法
  11. private static void findFile(File target,String ext){
  12. if(target==null)return;
  13. //如果文件是目录
  14. if(target.isDirectory()){
  15. File[] files = target.listFiles();
  16. if(files!=null){
  17. for(File f: files){
  18. findFile(f,ext);//递归调用
  19. }
  20. }
  21. }else{
  22. //此处表示File是一个文件
  23. String name = target.getName().toLowerCase();
  24. //System.out.println(name);
  25. if(name.endsWith(ext)){
  26. System.out.println(target.getAbsolutePath());
  27. }
  28. }
  29. }
  30. }

2、字节流

1、IO流概述

IO流:输入输出流(Input/Output) 流是一组有顺序的,有起点和终点的字节集合,是对数据传输的总称或抽象。

即数据在两设备间的传输称为流

流的本质是数据传输,根据数据传输特性将流抽象为各种类,方便更直观的进行数据操作。

IO流的分类:

根据处理数据类型的不同分为:字符流和字节流

根据数据流向不同分为:输入流和输出流

2、字节输出流

OutputStream类定义

public abstract class OutputStream extends Object implements Closeable,Flushable

此抽象类是表示输出字节流的所有类的超类。输出流接受输出字节并将这些字节发送到InputStream 类某个接收器要向文件中输出,使用FileOutputStream类

3、字节输入流

InputStream类定义:

public abstract class InputStream extends Object implements Closeable

此抽象类是表示字节输入流的所有类的超类。 FileInputStream 从文件系统中的某个文件中获得输入字节

  1. package com.vince;
  2. import java.io.File;
  3. import java.io.FileInputStream;
  4. import java.io.FileNotFoundException;
  5. import java.io.FileOutputStream;
  6. import java.io.IOException;
  7. import java.io.InputStream;
  8. import java.io.OutputStream;
  9. /**
  10. * 字节输出输入流
  11. * 输出流:超类 OutputStream,对文件的输出流使用子类FileOutputStream
  12. * 输入流:超类InputStream,对文件的输入流使用子类FileInputStream
  13. *
  14. * 输入输出字节流操作原理,每次只会操作一个字节,(从文件中读取或写入 )
  15. * 字节操作流,默认每次执行写入操作会直接把数据写入文件
  16. * @author vince
  17. * @description
  18. */
  19. public class ByteStreamDemo {
  20. private static void in(){
  21. //0、确定目标文件
  22. File file = new File("d:\\test\\test.txt");
  23. //1、构建 一个文件输入流对象
  24. try {
  25. InputStream in = new FileInputStream(file);
  26. byte[] bytes = new byte[10];
  27. StringBuilder buf = new StringBuilder();
  28. //读取过程
  29. int len = -1;//表示每次读取的字节长度
  30. //把数据读入到数组中,并返回读取的字节数,当不等-1时,表示读取到数据,等于-1表示文件已经读完
  31. while((len = in.read(bytes))!=-1){
  32. //根据读取到的字节数组,再转换为字符串内容,添加到StringBilder中
  33. buf.append(new String(bytes,0,len));
  34. }
  35. //打印内容:
  36. System.out.println(buf);
  37. //关闭输入流
  38. in.close();
  39. } catch (FileNotFoundException e) {
  40. e.printStackTrace();
  41. } catch (IOException e) {
  42. e.printStackTrace();
  43. }
  44. }
  45. private static void out(){
  46. //0、确定目标文件
  47. File file = new File("d:\\test\\test.txt");
  48. //1、构建一个文件输出流对象
  49. try {
  50. OutputStream out = new FileOutputStream(file,true); //append 为true表示追加内容,为false表示覆盖内容
  51. //2、输出的内容
  52. String info = "小桥流水人家\r\n";// \r\n表示换行
  53. //String line = System.getProperty("line.separator");//获取换行符
  54. //3、把内容写入到文件
  55. out.write(info.getBytes()); //以字节数组的形式写入
  56. //4、关闭流
  57. out.close();
  58. System.out.println("write success.");
  59. } catch (FileNotFoundException e) {
  60. e.printStackTrace();
  61. } catch (IOException e) {
  62. e.printStackTrace();
  63. }
  64. }
  65. public static void main(String[] args) {
  66. out();
  67. in();
  68. }
  69. }

4、文件的复制

一边读、一边写

  1. package com.vince;
  2. import java.io.File;
  3. import java.io.FileInputStream;
  4. import java.io.FileNotFoundException;
  5. import java.io.FileOutputStream;
  6. import java.io.IOException;
  7. import java.io.InputStream;
  8. import java.io.OutputStream;
  9. /**
  10. * @description
  11. */
  12. public class CopyFileDemo {photo
  13. public static void main(String[] args) {
  14. System.out.println("start copy...");
  15. copy("d:\\photo.jpg","d:\\test\\photo.jpg");
  16. System.out.println("copy success.");
  17. }
  18. private static void copy(String src,String target){
  19. File srcFile = new File(src);
  20. File targetFile = new File(target);
  21. InputStream in = null;
  22. OutputStream out = null;
  23. try {
  24. in = new FileInputStream(srcFile);
  25. out = new FileOutputStream(targetFile);
  26. byte[] bytes = new byte[1024];
  27. int len = -1;
  28. while((len=in.read(bytes))!=-1){
  29. out.write(bytes, 0, len);
  30. }
  31. } catch (FileNotFoundException e) {
  32. e.printStackTrace();
  33. } catch (IOException e) {
  34. e.printStackTrace();
  35. }finally{
  36. try {
  37. if(in!=null)in.close();
  38. if(out!=null)out.close();
  39. } catch (IOException e) {
  40. e.printStackTrace();
  41. }
  42. }
  43. }
  44. }

3、字符流

字节流与字符流的区别 在所有的流操作里。

字节永远是最基础的。任何基于字节的操作都是正确的。无论你是文本文件还是二进制的文件。

如果确认流里面只有可打印的字符,包括英文的和各种国家的文字,也包括中文,那么可以考虑用字符流。 由于编码不同,多字节的字符可能占用多个字节。比如GBK的汉字就占用2个字节,而UTF-8的汉字就占用3个字节。

所以,字符流是根据指定的编码,将1个或多个字节转化为java里面的unicode的字符,然后进行操作。字符操作一般使用Writer,Reader等, 字节操作一般都是InputStream, OutputStream 以及各种包装类,比如BufferedInputStream和BufferedOutputStream等。

总结:

如果你确认你要处理的流是可打印的字符,那么使用字符流会看上去简单一点。如果不确认,那么用字节流总是不会错的。

Writer

写入字符流的抽象类。子类必须实现的方法仅有 write(char[], int, int)、flush() 和close()。但是,多数子类将重写此 处定义的一些方法,以提供更高的效率和/或其他功能。 与OutputStream一样,对文件的操作使用:FileWriter类完成。

Reader

用于读取字符流的抽象类。子类必须实现的方法只有 read(char[], int, int)和close()。但是,多数子类将重写 此处定义的一些方法,以提供更高的效率和/或其他功能。 使用FileReader类进行实例化操作。

  1. import java.io.BufferedWriter;
  2. import java.io.File;
  3. import java.io.FileNotFoundException;
  4. import java.io.FileReader;
  5. import java.io.FileWriter;
  6. import java.io.IOException;
  7. import java.io.Reader;
  8. import java.io.Writer;
  9. /**
  10. * 字符流:
  11. * 字符输出流:Writer,对文件的操作使用子类:FileWriter
  12. * 字符输入流:Reader,对文件的操作使用子类:FileReader
  13. * 每次操作的单位是一个字符
  14. * 文件字符操作流会自带缓存,默认大小为1024字节,在缓存满后,或手动刷新缓存,或关闭流时会把数据写入文件
  15. *
  16. * 如何选择使用字节流还是字符流:
  17. * 一般操作非文本文件时,使用字节流,操作文本文件时,建议使用字符流
  18. *
  19. * 字符流的内部实现还是字节流
  20. * @description
  21. */
  22. public class CharStreamDemo {
  23. private static void in(){
  24. File file = new File("d:\\test\\test.txt");
  25. try {
  26. Reader in = new FileReader(file);
  27. char[] cs = new char[3];
  28. StringBuilder buf = new StringBuilder();
  29. int len = -1;
  30. while((len=in.read(cs))!=-1){
  31. buf.append(new String(cs,0,len));
  32. }
  33. in.close();
  34. System.out.println(buf);
  35. } catch (FileNotFoundException e) {
  36. e.printStackTrace();
  37. } catch (IOException e) {
  38. e.printStackTrace();
  39. }
  40. }
  41. private static void out(){
  42. File file = new File("d:\\test\\test.txt");
  43. try {
  44. Writer out = new FileWriter(file,true);
  45. out.write(",枯藤老树昏鸦");
  46. out.close();
  47. } catch (IOException e) {
  48. e.printStackTrace();
  49. }
  50. }
  51. public static void main(String[] args) {
  52. out();
  53. in();
  54. }
  55. }

4、字节字符转换流

转换流,可以将一个字节流转换为字符流,也可以将一个字符流转换为字节流。

OutputStreamWriter:可以将输出的字符流转换为字节流的输出形式

InputStreamReader:将输入的字节流转换为字符流输入形式

  1. package com.vince;
  2. import java.io.*;
  3. import java.nio.charset.Charset;
  4. /**
  5. * 转换流
  6. * OutputStreamWriter:可以将输出的字符流转换为字节流的输出形式
  7. InputStreamReader:将输入的字节流转换为字符流输入形式
  8. * @author vince
  9. * @description
  10. */
  11. public class ChangeStreamDemo {
  12. private static void write(OutputStream out){
  13. //Charset.defaultCharset()使用默认字符集
  14. Writer writer = new OutputStreamWriter(out,Charset.defaultCharset());
  15. try {
  16. writer.write("古道西风瘦马\r\n");
  17. writer.close();
  18. } catch (IOException e) {
  19. e.printStackTrace();
  20. }
  21. }
  22. private static void read(InputStream in){
  23. Reader reader = new InputStreamReader(in,Charset.defaultCharset());
  24. char[] cs = new char[1024];
  25. int len = -1;
  26. try {
  27. while((len=reader.read(cs))!=-1){
  28. System.out.println(new String(cs,0,len));
  29. }
  30. reader.close();
  31. } catch (IOException e) {
  32. e.printStackTrace();
  33. }
  34. }
  35. public static void main(String[] args) throws FileNotFoundException {
  36. InputStream in = new FileInputStream("d:\\test\\test.txt");
  37. read(in);
  38. OutputStream out = new FileOutputStream("d:\\test\\test.txt");
  39. write(out);
  40. }
  41. }

5、缓冲流

首先要明确一个概念: 对文件或其它目标频繁的读写操作,效率低,性能差。

使用缓冲流的好处是,能够更高效的读写信息

原理是将数据先缓冲起来,然后一起写入或者读取出来。

BufferedInputStream: 为另一个输入流添加一些功能,在创建BufferedInputStream 时,会创建一个内部缓冲区数组,用于缓冲数据。

BufferedOutputStream:通过设置这种输出流,应用程序就可以将各个字节写入底层输出流中,而不必针对每次字节写入调用底层系统。

BufferedReader:从字符输入流中读取文本,缓冲各个字符,从而实现字符、数组和行的高效读取。

BufferedWriter:将文本写入字符输出流,缓冲各个字符,从而提供单个字符、数组和字符串的高效写入。

  1. import java.io.BufferedInputStream;
  2. import java.io.BufferedOutputStream;
  3. import java.io.BufferedReader;
  4. import java.io.BufferedWriter;
  5. import java.io.File;
  6. import java.io.FileInputStream;
  7. import java.io.FileNotFoundException;
  8. import java.io.FileOutputStream;
  9. import java.io.FileReader;
  10. import java.io.FileWriter;
  11. import java.io.IOException;
  12. import java.io.InputStream;
  13. import java.io.OutputStream;
  14. import java.io.Reader;
  15. import java.io.Writer;
  16. /**
  17. * 缓存的目的:
  18. * 解决在写入文件操作时,频繁的操作文件所带来的性能降低的问题,
  19. * BufferedOutputStream 内部默认的缓存大小是8KB,每次写入时存储到缓存中的byte数组中,当数组存满时,会把数组中的数据写入文件,
  20. * 并且缓存下标归零
  21. *
  22. * 字符流
  23. * 1、加入字符缓存流,增强读取功能(readLine)
  24. * 2、更高效的读取数据
  25. * FileReader: 内部使用InputStreamReader( sun.nio.cs.StreamDecoder),解码过程,byte->char,默认缓存大小是8K
  26. * BufferedReader:默认缓存大小是8K,但可以手动指定缓存大小,把数据进接读取到缓存中,减少每次转换过程,效率更高
  27. * BufferedWriter 同上
  28. *
  29. * @description
  30. */
  31. public class BufferStreamDemo {
  32. private static void charWriter(){
  33. File file = new File("d://test//test.txt");
  34. try {
  35. Writer writer = new FileWriter(file);
  36. BufferedWriter bw = new BufferedWriter(writer);
  37. bw.write("古道西风瘦马");
  38. bw.flush(); //刷新缓存
  39. bw.close();
  40. } catch (FileNotFoundException e) {
  41. e.printStackTrace();
  42. } catch (IOException e) {
  43. e.printStackTrace();
  44. }
  45. }
  46. private static void charReader(){
  47. File file = new File("d://test//test.txt");
  48. try {
  49. Reader reader = new FileReader(file);
  50. //为字符流提供缓存,以达到高效读取的目的
  51. BufferedReader br = new BufferedReader(reader);
  52. char[] cs = new char[1024];
  53. int len = -1;
  54. while((len=br.read(cs))!=-1){
  55. System.out.println(new String(cs,0,len));
  56. }
  57. br.close();
  58. } catch (FileNotFoundException e) {
  59. e.printStackTrace();
  60. } catch (IOException e) {
  61. e.printStackTrace();
  62. }
  63. }
  64. private static void byteReader2(){
  65. File file = new File("d://test//test.txt");
  66. try(BufferedInputStream bis = new BufferedInputStream(new FileInputStream(file))) {
  67. byte[] bytes = new byte[1024];
  68. int len = -1;
  69. while((len=bis.read(bytes))!=-1){
  70. System.out.println(new String(bytes,0,len));
  71. }
  72. } catch (FileNotFoundException e) {
  73. e.printStackTrace();
  74. } catch (IOException e) {
  75. e.printStackTrace();
  76. }
  77. }
  78. private static void byteReader(){
  79. File file = new File("d://test//test.txt");
  80. try {
  81. InputStream in = new FileInputStream(file);
  82. //构造一个字节缓冲流
  83. BufferedInputStream bis = new BufferedInputStream(in);
  84. byte[] bytes = new byte[1024];
  85. int len = -1;
  86. while((len=bis.read(bytes))!=-1){
  87. System.out.println(new String(bytes,0,len));
  88. }
  89. bis.close();
  90. } catch (FileNotFoundException e) {
  91. e.printStackTrace();
  92. } catch (IOException e) {
  93. e.printStackTrace();
  94. }
  95. }
  96. private static void byteWriter(){
  97. File file = new File("d://test//test.txt");
  98. try {
  99. OutputStream out = new FileOutputStream(file,true);
  100. //构造一个字节缓冲流
  101. BufferedOutputStream bos = new BufferedOutputStream(out);
  102. //
  103. String info = "小桥流水人家";
  104. bos.write(info.getBytes());
  105. bos.close();
  106. //out.close();
  107. } catch (FileNotFoundException e) {
  108. e.printStackTrace();
  109. } catch (IOException e) {
  110. e.printStackTrace();
  111. }
  112. }
  113. public static void main(String[] args) {
  114. byteWriter();
  115. byteReader();
  116. }
  117. }

6、打印流

打印流的主要功能是用于输出,在整个IO包中打印流分为两种类型:

字节打印流:PrintStream

字符打印流:PrintWriter

打印流可以很方便的进行输出

  1. package com.vince;
  2. import java.io.BufferedOutputStream;
  3. import java.io.BufferedWriter;
  4. import java.io.File;
  5. import java.io.FileNotFoundException;
  6. import java.io.FileOutputStream;
  7. import java.io.FileWriter;
  8. import java.io.IOException;
  9. import java.io.OutputStream;
  10. import java.io.PrintStream;
  11. import java.io.PrintWriter;
  12. import java.io.Writer;
  13. /**
  14. * 打印流:很方便的进行输出
  15. *
  16. * 字节打印流
  17. * 在字节输出时,可以增强输出功能
  18. * 字符打印流
  19. *
  20. * @author vince
  21. * @description
  22. */
  23. public class PrintStreamDemo {
  24. private static void charPrint(){
  25. File file = new File("d:\\test\\test.txt");
  26. try {
  27. Writer out = new FileWriter(file);
  28. //加缓存
  29. BufferedWriter bos = new BufferedWriter(out);
  30. //增强打印功能
  31. PrintWriter pw = new PrintWriter(bos);
  32. pw.println("枯藤老树昏鸦,小桥流水人家");
  33. pw.close();
  34. } catch (FileNotFoundException e) {
  35. e.printStackTrace();
  36. } catch (IOException e) {
  37. e.printStackTrace();
  38. }
  39. }
  40. private static void bytePrint(){
  41. File file = new File("d:\\test\\test.txt");
  42. try {
  43. OutputStream out = new FileOutputStream(file);
  44. //加缓存
  45. BufferedOutputStream bos = new BufferedOutputStream(out);
  46. //增强打印功能
  47. PrintStream ps = new PrintStream(bos);
  48. ps.println("枯藤老树昏鸦,小桥流水人家");
  49. ps.close();
  50. } catch (FileNotFoundException e) {
  51. e.printStackTrace();
  52. }
  53. }
  54. public static void main(String[] args) {
  55. bytePrint();
  56. charPrint();
  57. }
  58. }

7、对象流

对象流的两个类:

ObjectOutputStream 将 Java 对象的基本数据类型和图形写入 OutputStream

ObjectInputStream 对以前使用 ObjectOutputStream 写入的基本数据和对象进行反序列化。

序列化一组对象:

在序列化操作中,同时序列化多个对象时,反序列化也必须按顺序操作,如果想要序列化一组对象该如何操作呢? 序列化一组对象可采用:对象数组的形式,因为对象数组可以向Object进行转型操作。

transient关键字:

如果用transient声明一个实例变量,当对象存储时,它的值不需要维持。

ObjectStreamDemo

  1. import java.io.File;
  2. import java.io.FileInputStream;
  3. import java.io.FileNotFoundException;
  4. import java.io.FileOutputStream;
  5. import java.io.IOException;
  6. import java.io.InputStream;
  7. import java.io.ObjectInputStream;
  8. import java.io.ObjectOutputStream;
  9. import java.io.OutputStream;
  10. public class ObjectStreamDemo {
  11. /**
  12. * 对象序列化
  13. * 把对象写入文件:实际写入的是类名、属性名、属性类型、属性的值等
  14. */
  15. private static void writeObjects(){
  16. Dog dog = new Dog("wangwang",2,"母"); //以组的形式将对象写入,在读取的时候,也要将对象的类型转为相应的组
  17. Dog dog2 = new Dog("2哈",3,"公");
  18. Dog[] dogs = {dog,dog2};
  19. File file = new File("d:\\test\\dog.obj");
  20. try {
  21. OutputStream out = new FileOutputStream(file);
  22. ObjectOutputStream oos = new ObjectOutputStream(out);
  23. oos.writeObject(dogs);
  24. oos.close();
  25. } catch (FileNotFoundException e) {
  26. e.printStackTrace();
  27. } catch (IOException e) {
  28. e.printStackTrace();
  29. }
  30. }
  31. /**
  32. * 反序列化的过程
  33. * 从文件中把对象的内容读取出来,还原成对象
  34. */
  35. private static void readObject(){
  36. File file = new File("d:\\test\\dog.obj");
  37. try {
  38. InputStream in = new FileInputStream(file);
  39. ObjectInputStream ois = new ObjectInputStream(in);
  40. Dog dog = (Dog)ois.readObject();
  41. ois.close();
  42. System.out.println(dog);
  43. } catch (FileNotFoundException e) {
  44. e.printStackTrace();
  45. } catch (IOException e) {
  46. e.printStackTrace();
  47. } catch (ClassNotFoundException e) {
  48. e.printStackTrace();
  49. }
  50. }
  51. /**
  52. * 对象序列化
  53. * 把对象写入文件:实际写入的是类名、属性名、属性类型、属性的值等
  54. */
  55. private static void writeObject(){
  56. Dog dog = new Dog("wangwang",2,"母");
  57. File file = new File("d:\\test\\dog.obj");
  58. try {
  59. OutputStream out = new FileOutputStream(file);
  60. ObjectOutputStream oos = new ObjectOutputStream(out);
  61. oos.writeObject(dog);
  62. oos.close();
  63. } catch (FileNotFoundException e) {
  64. e.printStackTrace();
  65. } catch (IOException e) {
  66. e.printStackTrace();
  67. }
  68. }
  69. public static void main(String[] args) {
  70. writeObject();
  71. readObject();
  72. }
  73. }

Dog

  1. import java.io.Serializable;
  2. //如果一个类创建的对象,需要被序列化,那么该类必须实现Serializable接口,
  3. //Serializable是一个标记接口,没有任何定义,为了告诉JVM该类对象可以被序列化
  4. //什么时候对象需要被序列化呢?
  5. //1、把对象保存到文件中(存储到物理介质)
  6. //2、对象需要在网络上传输
  7. //如果对象没有实现Serializable接口,会报错误:java.io.NotSerializableException
  8. public class Dog implements Serializable{
  9. private static final long serialVersionUID = 1L; //序列化编号,确定是不是一个对象
  10. private String name;
  11. private int age;
  12. private String sex;
  13. private transient int id; //在序列化中被忽略
  14. public String getName() {
  15. return name;
  16. }
  17. public void setName(String name) {
  18. this.name = name;
  19. }
  20. public int getAge() {
  21. return age;
  22. }
  23. public void setAge(int age) {
  24. this.age = age;
  25. }
  26. public String getSex() {
  27. return sex;
  28. }
  29. public void setSex(String sex) {
  30. this.sex = sex;
  31. }
  32. public Dog(String name, int age, String sex) {
  33. super();
  34. this.name = name;
  35. this.age = age;
  36. this.sex = sex;
  37. }
  38. public Dog() {
  39. super();
  40. // TODO Auto-generated constructor stub
  41. }
  42. @Override
  43. public String toString() {
  44. return "Dog [name=" + name + ", age=" + age + ", sex=" + sex + "]";
  45. }
  46. }

8、字节数组流

ByteArrayInputStream

包含一个内部缓冲区,该缓冲区包含从流中读取的字节。内部计数器跟踪 read 方法要提供的下一个字节。 关闭 ByteArrayInputStream 无效。此类中的方法在关闭此流后仍可被调用,而不会产生任何 IOException。

ByteArrayOutputStream

此类实现了一个输出流,其中的数据被写入一个 byte 数组。缓冲区会随着数据的不断写入而自动增长。可使用 toByteArray() 和 toString() 获取数据。 关闭ByteArrayOutputStream 无效。此类中的方法在关闭此流后仍可 被调用,而不会产生任何 IOException。

  1. import java.io.ByteArrayInputStream;
  2. import java.io.ByteArrayOutputStream;
  3. /**
  4. * 字节数组流:
  5. * 基于内存操作,内部维护着一个字节数组,我们可以利用流的读取机制来处理字符串
  6. * 无需关闭
  7. * @description
  8. */
  9. public class ByteArrayStreamDemo {
  10. private static void byteArray(){
  11. String s = "12345676dfghjhg(*$$%^&SDFGHJ";
  12. ByteArrayInputStream bais = new ByteArrayInputStream(s.getBytes());
  13. ByteArrayOutputStream baos = new ByteArrayOutputStream();
  14. int curr = -1;//每次读取的字节
  15. while((curr=bais.read())!=-1){
  16. if((curr>=65 && curr<=90) || (curr>=97 && curr<=122)){
  17. baos.write(curr);
  18. }
  19. }
  20. //此时无需关闭,原因,字节数组流是基于内存的操作流
  21. System.out.println(baos.toString()); //dfghjhgSDFGHJ
  22. }
  23. public static void main(String[] args) {
  24. byteArray();
  25. }
  26. }

9、数据流

DataInputStream:

数据输入流允许应用程序以与机器无关方式从底层输入流中读取基本 Java 数据类型。应用程序可以使用数据输出 流写入稍后由数据输入流读取的数据。DataInputStream对于多线程访问不一定是安全的。 线程安全是可选的,它由此类方法的使用者负责。

DataOutputStream:

数据输出流允许应用程序以适当方式将基本 Java 数据类型写入输出流中。然后,应用程序可以使用数据输入流将数据读入。

案例: 实现文件分割合并。

与底层无关,还原很方便

  1. package com.vince;
  2. import java.io.BufferedInputStream;
  3. import java.io.BufferedOutputStream;
  4. import java.io.DataInputStream;
  5. import java.io.DataOutputStream;
  6. import java.io.File;
  7. import java.io.FileInputStream;
  8. import java.io.FileNotFoundException;
  9. import java.io.FileOutputStream;
  10. import java.io.IOException;
  11. import java.io.InputStream;
  12. import java.io.OutputStream;
  13. /**
  14. * 数据流
  15. * 与机器无关的操作JAVA的基本数据类型
  16. * @description
  17. */
  18. public class DataStreamDemo {
  19. private static void read(){
  20. File file = new File("d:\\test\\test.dat");
  21. try {
  22. InputStream in = new FileInputStream(file);
  23. BufferedInputStream bis = new BufferedInputStream(in);
  24. DataInputStream dis = new DataInputStream(bis);
  25. int num = dis.readInt();
  26. byte b = dis.readByte();
  27. String s = dis.readUTF();
  28. System.out.println(num+","+b+","+s);
  29. dis.close();
  30. } catch (FileNotFoundException e) {
  31. e.printStackTrace();
  32. } catch (IOException e) {
  33. e.printStackTrace();
  34. }
  35. }
  36. private static void write(){
  37. File file = new File("d:\\test\\test.dat");
  38. try {
  39. OutputStream out = new FileOutputStream(file);
  40. BufferedOutputStream bos = new BufferedOutputStream(out);
  41. DataOutputStream dos = new DataOutputStream(bos);
  42. dos.writeInt(10); //写入4个字节
  43. dos.writeByte(1);//写入1个字节
  44. dos.writeUTF("中");
  45. dos.close();
  46. } catch (FileNotFoundException e) {
  47. e.printStackTrace();
  48. } catch (IOException e) {
  49. e.printStackTrace();
  50. }
  51. }
  52. public static void main(String[] args) {
  53. write();
  54. read();
  55. }
  56. }

文件分割与合并

  1. import java.io.BufferedInputStream;
  2. import java.io.BufferedOutputStream;
  3. import java.io.File;
  4. import java.io.FileInputStream;
  5. import java.io.FileNotFoundException;
  6. import java.io.FileOutputStream;
  7. import java.io.IOException;
  8. import java.io.InputStream;
  9. import java.io.SequenceInputStream;
  10. import java.util.Enumeration;
  11. import java.util.Vector;
  12. /**
  13. * 文件分割合并示例
  14. *
  15. * @description
  16. */
  17. public class FileDivisionMergeDemo {
  18. /**
  19. * 文件的分割 targetFile 要分割的目标文件 cutSize 每个文件大小
  20. */
  21. private static void division(File targetFile, long cutSize) {
  22. if (targetFile == null)
  23. return;
  24. // 计算总分割的文件数
  25. int num = targetFile.length() % cutSize == 0 ? (int) (targetFile.length() / cutSize)
  26. : (int) (targetFile.length() / cutSize + 1);
  27. try {
  28. // 构造一个文件输入流
  29. BufferedInputStream in = new BufferedInputStream(new FileInputStream(targetFile));
  30. BufferedOutputStream out = null;
  31. byte[] bytes = null;// 每次要读取的字节数
  32. int len = -1; //每次实际读取的长度
  33. int count = 0;// 每一个文件要读取的次数
  34. //循环次为生成文件的个数
  35. for (int i = 0; i < num; i++) {
  36. out = new BufferedOutputStream(
  37. new FileOutputStream(new File("c:\\test\\" + (i + 1) + "-temp-" + targetFile.getName())));
  38. if (cutSize <= 1024) {
  39. bytes = new byte[(int) cutSize];
  40. count = 1;
  41. } else {
  42. bytes = new byte[1024];
  43. count = (int) cutSize / 1024;
  44. }
  45. while (count > 0 && (len = in.read(bytes)) != -1) {
  46. out.write(bytes, 0, len);
  47. out.flush();
  48. count--;
  49. }
  50. //计算每个文件大小除于1024的余数,决定是否要再读取一次
  51. if (cutSize % 1024 != 0) {
  52. bytes = new byte[(int) cutSize % 1024];
  53. len = in.read(bytes);
  54. out.write(bytes, 0, len);
  55. out.flush();
  56. out.close();
  57. }
  58. }
  59. in.close();
  60. } catch (FileNotFoundException e) {
  61. e.printStackTrace();
  62. } catch (IOException e) {
  63. e.printStackTrace();
  64. }
  65. }
  66. /**
  67. * 文件合并
  68. */
  69. private static void merge(Enumeration<InputStream> es) { //枚举类型
  70. //构造一个合并流
  71. SequenceInputStream sis = new SequenceInputStream(es);
  72. try {
  73. BufferedOutputStream bos = new BufferedOutputStream(
  74. new FileOutputStream("c:\\test\\第01章_Java开发入门_01_计算机基本概念与DOS命令.avi"));
  75. byte[] bytes = new byte[1024];
  76. int len = -1;
  77. while((len=sis.read(bytes))!=-1){
  78. bos.write(bytes,0,len);
  79. bos.flush();
  80. }
  81. bos.close();
  82. sis.close();
  83. System.out.println("合并完成.");
  84. } catch (FileNotFoundException e) {
  85. e.printStackTrace();
  86. } catch (IOException e) {
  87. e.printStackTrace();
  88. }
  89. }
  90. public static void main(String[] args) {
  91. // File file = new File("c:\\第01章_Java开发入门_01_计算机基本概念与DOS命令.avi");
  92. // division(file, 1024 * 1024 * 20);
  93. try {
  94. InputStream in1 = new FileInputStream(new File("c:\\test\\1-temp-第01章_Java开发入门_01_计算机基本概念与DOS命令.avi"));
  95. InputStream in2 = new FileInputStream(new File("c:\\test\\2-temp-第01章_Java开发入门_01_计算机基本概念与DOS命令.avi"));
  96. InputStream in3 = new FileInputStream(new File("c:\\test\\3-temp-第01章_Java开发入门_01_计算机基本概念与DOS命令.avi"));
  97. InputStream in4 = new FileInputStream(new File("c:\\test\\4-temp-第01章_Java开发入门_01_计算机基本概念与DOS命令.avi"));
  98. InputStream in5 = new FileInputStream(new File("c:\\test\\5-temp-第01章_Java开发入门_01_计算机基本概念与DOS命令.avi"));
  99. //集合工具类,内部实现使用了数组
  100. Vector<InputStream> v = new Vector<InputStream>();
  101. v.add(in1);
  102. v.add(in2);
  103. v.add(in3);
  104. v.add(in4);
  105. v.add(in5);
  106. Enumeration<InputStream> es = v.elements();
  107. merge(es);
  108. } catch (FileNotFoundException e) {
  109. e.printStackTrace();
  110. }
  111. }
  112. }

10、合并流、字符串流、管道流

一、合并流:

SequenceInputStream 表示其他输入流的逻辑串联。它从输入流的有序集合开始,并从第一个输入流开始读取, 直到到达文件末尾,接着从第二个输入流读取,依次类推,直到到达包含的最后一个输入流的文件末尾为止。

二、字符串流

1、StringReader 其源为一个字符串的字符流。

2、StringWriter 一个字符流,可以用其回收在字符串缓冲区中的输出来构造字符串。 关闭 StringWriter 无效。此类中的方法在关闭该流后仍可被调用,而不会产生任何 IOException。

  1. package com.vince;
  2. import java.io.IOException;
  3. import java.io.StreamTokenizer;
  4. import java.io.StringReader;
  5. /**
  6. * 字符串流:以一个字符串为数据源,来构造一个字符流
  7. * 作用:在WEB开发中,我们经常要从服务器上获取数据,数据的返回格式通过是一个字符串(XML,JSON),我们需要把这个字符串构造成一个字符流
  8. * 然后再用第三方的数据解析器来解析数据。
  9. * StringWriter
  10. * @description
  11. */
  12. public class StringStreamDemo {
  13. private static void stringReader(){
  14. String info = "good good study day day up";
  15. StringReader sr = new StringReader(info);
  16. //流标记器
  17. StreamTokenizer st = new StreamTokenizer(sr);
  18. int count = 0;
  19. while(st.ttype != StreamTokenizer.TT_EOF){
  20. try {
  21. if(st.nextToken()==StreamTokenizer.TT_WORD){
  22. count++;
  23. }
  24. } catch (IOException e) {
  25. e.printStackTrace();
  26. }
  27. }
  28. sr.close();
  29. System.out.println("count="+count);
  30. }
  31. public static void main(String[] args) {
  32. stringReader();
  33. }
  34. }

三、管道流

管道输入流应该连接到管道输出流;管道输入流提供要写入管道输出流的所有数据字节。通常,数据由某个线程从 PipedInputStream 对象读取,并由其他线程将其写入到相应的 PipedOutputStream

不建议对这两个对象尝试使用单个线程,因为这样可能死锁线程。管道输入流包含一个缓冲区,可在缓冲区限定的范围内将读 操作和写操作分离开。如果向连接管道输出流提供数据字节的线程不再存在,则认为该管道已损坏。

  1. package com.vince;
  2. import java.io.IOException;
  3. import java.io.PipedInputStream;
  4. import java.io.PipedOutputStream;
  5. /**
  6. * 管道流测试:一个线程写入,一个线程读取
  7. * 作用,用于线程之间的数据通讯
  8. * @description
  9. */
  10. public class PipedStreamDemo {
  11. public static void main(String[] args) {
  12. PipedInputStream pin = new PipedInputStream();
  13. PipedOutputStream pout = new PipedOutputStream();
  14. try {
  15. pin.connect(pout); //两个管道进行链接
  16. } catch (IOException e) {
  17. e.printStackTrace();
  18. } //输入流与输出流连接
  19. ReadThread readTh = new ReadThread(pin);
  20. WriteThread writeTh = new WriteThread(pout);
  21. new Thread(readTh).start();
  22. new Thread(writeTh).start();
  23. //读到:你好...
  24. }
  25. }
  26. //读取数据的线程
  27. class ReadThread implements Runnable {
  28. private PipedInputStream pin; //输入管道
  29. ReadThread(PipedInputStream pin){
  30. this.pin = pin;
  31. }
  32. public void run(){
  33. try {
  34. byte[] buf = new byte[1024];
  35. int len = pin.read(buf); // read阻塞
  36. String s = new String(buf, 0, len);
  37. System.out.println("读到:"+s);
  38. pin.close();
  39. } catch (Exception e) {
  40. e.printStackTrace();
  41. }
  42. }
  43. }
  44. //写入数据的线程
  45. class WriteThread implements Runnable {
  46. private PipedOutputStream pout; //输出管道
  47. WriteThread(PipedOutputStream pout) {
  48. this.pout = pout;
  49. }
  50. public void run() {
  51. try {
  52. pout.write("你好...".getBytes()); // 管道输出流
  53. pout.close();
  54. } catch (Exception e) {
  55. e.printStackTrace();
  56. }
  57. }
  58. }

11、RandomAccessFile

RandomAccessFile是IO包的类,从Object直接继承而来。 只可以对文件进行操作,可以对文件进行读取和写入。

当模式为r是,当文件不存在时会报异常,

当模式为rw时,当文件不存在时,会自己动创建文件,当文件已经存在时 不会对原有文件进行覆盖。

RandomAccessFile有强大的文件读写功能,其内部是大型 byte[],可以通过seek(),getFilePointer()等方法操作的指针,方便对数据进行写入与读取。还可以对基本数据类型进行直接的读和写操作。

RandomAccessFile的绝大多数功能,已经被JDK 1.4的nio的“内存映射文件(memory-mapped files)”给取代了,考虑一下是不是用“内存映射文件”来代替RandomAccessFile了。

  1. package com.vince;
  2. import java.io.FileNotFoundException;
  3. import java.io.IOException;
  4. import java.io.RandomAccessFile;
  5. /**
  6. * RandromAccessFile
  7. * @author vince
  8. * @description
  9. */
  10. public class RandromAccessFileDemo {
  11. public static void main(String[] args) {
  12. try {
  13. //读取文件
  14. RandomAccessFile r = new RandomAccessFile("d:\\3D0.jpg","r");
  15. //写入文件
  16. RandomAccessFile w= new RandomAccessFile("d:\\test\\3D0.jpg","rw");
  17. byte[] bytes = new byte[1024];
  18. int len = -1;
  19. while((len=r.read(bytes))!=-1){
  20. w.write(bytes,0,len);
  21. }
  22. w.close();
  23. r.close();
  24. } catch (FileNotFoundException e) {
  25. e.printStackTrace();
  26. } catch (IOException e) {
  27. // TODO Auto-generated catch block
  28. e.printStackTrace();
  29. }
  30. System.out.println("copy success.");
  31. }
  32. }

12、Properties文件操作

Properties(Java.util.Properties)主要用于读取Java的配置文件,各种语言都有自己所支持的配置文件,配置文件中很多变量是经常改变的,这样做也是为了方便用户,让用户能够脱离程序本身去修改相关的变量设置。

它提供了几个主要的方法:

  1. getProperty ( String key),用指定的键在此属性列表中搜索属性。也就是通过参数key ,得到 key 所对应的 value。
  2. load ( InputStream inStream),从输入流中读取属性列表(键和元素对)。通过对指定的文件(比如说上面的test.properties 文件)进行装载来获取该文件中的所有键 - 值对。以供 getProperty (String key) 来搜索。
  3. setProperty (String key, String value) ,调用 Hashtable 的方法 put 。他通过调用基类的put方法来设置 键 - 值对。
  4. store ( OutputStream out, String comments),以适合使用 load 方法加载到 Properties 表中的格式,将此 Properties 表中的属性列表(键和元素对)写入输出流。与 load 方法相反,该方法将键 - 值对写入到指定的 文件中去。
  5. clear (),清除所有装载的 键 - 值对。该方法在基类中提供。
  1. import java.io.FileInputStream;
  2. import java.io.FileNotFoundException;
  3. import java.io.FileOutputStream;
  4. import java.io.IOException;
  5. import java.io.InputStream;
  6. import java.io.OutputStream;
  7. import java.util.Properties;
  8. /**
  9. * Properties:
  10. * properties可以用来做配置文件
  11. * javaweb javaee 开发中通常会用到
  12. *
  13. * ResouceBundle 只读
  14. * Properties 可读可写
  15. *
  16. * @description
  17. */
  18. public class PropertiesDemo {
  19. public static String version = "";
  20. public static String username = "";
  21. public static String password = "";
  22. //静态代码块,只会执行一次
  23. static{
  24. //readConfig();
  25. }
  26. /**
  27. * 对属性文件的写操作
  28. * @param version
  29. * @param username
  30. * @param password
  31. */
  32. private static void writeConfig(String version,String username,String password){
  33. Properties p = new Properties();
  34. p.put("app.version", version);
  35. p.put("db.username", username);
  36. p.put("db.password", password);
  37. try {
  38. OutputStream out = new FileOutputStream("config.properties");
  39. //写文件
  40. p.store(out, "update config");
  41. out.close();
  42. } catch (FileNotFoundException e) {
  43. e.printStackTrace();
  44. } catch (IOException e) {
  45. e.printStackTrace();
  46. }
  47. }
  48. /**
  49. * 读取properties配置文件
  50. */
  51. private static void readConfig(){
  52. Properties p = new Properties();
  53. try {
  54. //通过当前线程的类加载器对象,来加载指定包下的配置文件
  55. InputStream inStream = Thread.currentThread().getContextClassLoader()
  56. .getResourceAsStream("com/res/config.properties");
  57. // InputStream inStream = new FileInputStream("config.properties");
  58. p.load(inStream);//加载文件
  59. //从properties中获取数据
  60. version = p.getProperty("app.version");
  61. username = p.getProperty("db.username");
  62. password = p.getProperty("db.password");
  63. inStream.close();
  64. } catch (FileNotFoundException e) {
  65. e.printStackTrace();
  66. } catch (IOException e) {
  67. e.printStackTrace();
  68. }
  69. }
  70. public static void main(String[] args) {
  71. //writeConfig("2","vince","654321");
  72. readConfig();
  73. System.out.println(PropertiesDemo.version);
  74. System.out.println(PropertiesDemo.username);
  75. System.out.println(PropertiesDemo.password);
  76. }
  77. }

13、文件压缩与解压缩

java中实现zip的压缩与解压缩 ZipOutputStream 实现文件的压缩

ZipOutputStream(OutputStream out) 创建新的 ZIP 输出流。

void putNextEntry(ZipEntry e) 开始写入新的 ZIP 文件条目并将流定位到条目数据的开始处。

ZipEntry(String name) //test/mm.jpg /test/a.txt 使用指定名称创建新的 ZIP 条目。

ZipInputStream 实现文件的解压 ZipInputStream(InputStream in) 创建新的 ZIP 输入流。

ZipEntry getNextEntry() 读取下一个 ZIP 文件条目并将流定位到该条目数据的开始处。

  1. import java.io.BufferedInputStream;
  2. import java.io.BufferedOutputStream;
  3. import java.io.File;
  4. import java.io.FileInputStream;
  5. import java.io.FileNotFoundException;
  6. import java.io.FileOutputStream;
  7. import java.io.IOException;
  8. import java.io.InputStream;
  9. import java.io.OutputStream;
  10. import java.util.zip.ZipEntry;
  11. import java.util.zip.ZipInputStream;
  12. import java.util.zip.ZipOutputStream;
  13. /**
  14. * 压缩与解压缩
  15. * @description
  16. */
  17. public class CompressionAndDecompressionDemo {
  18. /**
  19. * 压缩
  20. */
  21. private static void compression(String zipFileName,File targetFile){
  22. System.out.println("正在压缩...");
  23. try {
  24. //要生成的压缩文件
  25. ZipOutputStream out = new ZipOutputStream(new FileOutputStream(zipFileName));
  26. BufferedOutputStream bos = new BufferedOutputStream(out);
  27. zip(out,targetFile,targetFile.getName(),bos);
  28. bos.close();
  29. out.close();
  30. } catch (FileNotFoundException e) {
  31. e.printStackTrace();
  32. } catch (IOException e) {
  33. e.printStackTrace();
  34. }
  35. System.out.println("压缩完成");
  36. }
  37. //zip
  38. private static void zip(ZipOutputStream zOut, File targetFile, String name, BufferedOutputStream bos) throws IOException {
  39. //如果是个目录
  40. if(targetFile.isDirectory()){
  41. File[] files = targetFile.listFiles();
  42. if(files.length==0){ //空文件夹
  43. zOut.putNextEntry(new ZipEntry(name+"/")); //处理空目录
  44. }
  45. for(File f: files){
  46. //递归处理
  47. zip(zOut,f,name+"/"+f.getName(),bos);
  48. }
  49. }else{
  50. zOut.putNextEntry(new ZipEntry(name));
  51. InputStream in = new FileInputStream(targetFile);
  52. BufferedInputStream bis = new BufferedInputStream(in);
  53. byte[] bytes = new byte[1024];
  54. int len = -1;
  55. while((len=bis.read(bytes))!=-1){
  56. bos.write(bytes,0,len);
  57. }
  58. bis.close();
  59. }
  60. }
  61. /**
  62. * 解压
  63. */
  64. private static void decompression(String targetFileName,String parent){
  65. try {
  66. //构造解压的输入流
  67. ZipInputStream zIn = new ZipInputStream(new FileInputStream(targetFileName));
  68. ZipEntry entry = null;
  69. File file = null;
  70. while((entry = zIn.getNextEntry())!=null && !entry.isDirectory()){
  71. file = new File(parent,entry.getName());
  72. if(!file.exists()){
  73. new File(file.getParent()).mkdirs();//创建此文件的上级目录
  74. }
  75. OutputStream out = new FileOutputStream(file);
  76. BufferedOutputStream bos = new BufferedOutputStream(out);
  77. byte[] bytes = new byte[1024];
  78. int len = -1;
  79. while((len=zIn.read(bytes))!=-1){
  80. bos.write(bytes, 0, len);
  81. }
  82. bos.close();
  83. System.out.println(file.getAbsolutePath()+" 解压成功");
  84. }
  85. } catch (FileNotFoundException e) {
  86. e.printStackTrace();
  87. } catch (IOException e) {
  88. e.printStackTrace();
  89. }
  90. }
  91. public static void main(String[] args) {
  92. //compression("d:\\test.zip",new File("d:\\test"));
  93. decompression("d:\\test.zip","d:\\QMDownload\\");
  94. }
  95. }

14、装饰者模式

意图

动态地给一个对象添加一些额外的职责。就增加功能来说,Decorator模式相比生成子类更为灵活。该模式以对客 户端透明的方式扩展对象的功能。

适用环境

在不影响其他对象的情况下,以动态、透明的方式给单个对象添加职责。 处理那些可以撤消的职责。 当不能采用生成子类的方法进行扩充时。一种情况是,可能有大量独立的扩展,为支持每一种组合将产生大量的子类,使得子类数目呈爆炸性增长。另一种情况可能是因为类定义被隐藏,或类定义不能用于生成子类

类图:

Component(被装饰对象基类) 定义对象的接口,可以给这些对象动态增加职责;

ConcreteComponent(具体被装饰对象) 定义具体的对象,Decorator可以给它增加额外的职责;

Decorator(装饰者抽象类) 维护指向Component实例的引用,定义与Component一致的接口;

ConcreteDecorator(具体装饰者) 具体的装饰对象,给内部持有的具体被装饰对象增加具体的职责;

涉及角色

  1. 抽象组件:定义一个抽象接口,来规范准备附加功能的类。
  2. 具体组件:将要被附加功能的类,实现抽象构件角色接口。
  3. 抽象装饰者:持有对具体构件角色的引用并定义与抽象构件角色一致的接口。
  4. 具体装饰:实现抽象装饰者角色,负责为具体构件添加额外功能。

代码实现

  1. Drink.java 被装饰者对象的接口
  2. SoyaBeanMilk.java 具体的被装饰者对象
  3. EggDecorator.java 具体装饰者对象
  4. SugarDecorator.java 具体装饰者对象
  5. BlackBeanDecorator.java 具体装饰者对象
  6. Decorator.java 装饰者基类
  7. Test.java 测试

装饰者模式小结:

OO原则:动态地将责任附加到对象上。想要扩展功能,装饰者提供有别于继承的另一种选择。

要点

  1. 继承属于扩展形式之一,但不见得是达到弹性设计的最佳方案。
  2. 在我们的设计中,应该允许行为可以被扩展,而不须修改现有的代码。
  3. 组合和委托可用于在运行时动态地加上新的行为。
  4. 除了继承,装饰者模式也可以让我们扩展行为。
  5. 装饰者模式意味着一群装饰者类,这些类用来包装具体组件。
  6. 装饰者类反映出被装饰的组件类型(实际上,他们具有相同的类型, 都经过接口或继承实现)。
  7. 装饰者可以在被装饰者的行为前面与/或后面加上自己的行为, 甚至将被装饰者的行为整个取代掉,而达到特定的目的。
  8. 可以有无数个装饰者包装一个组件。
  9. 装饰者一般对组建的客户是透明的, 除非客户程序依赖于组件的具体类型。

    1、Drink

  1. //被装饰者的接口
  2. public interface Drink {
  3. float cost();//计算价格
  4. String description();//描述
  5. }

2、SoyaBeanMilk

  1. /**
  2. * 具体的被装饰者类
  3. * 豆浆
  4. * @description
  5. */
  6. public class SoyaBeanMilk implements Drink{
  7. @Override
  8. public float cost() {
  9. return 10f;
  10. }
  11. @Override
  12. public String description() {
  13. return "纯豆浆";
  14. }
  15. }

3、Decorator

  1. /**
  2. * 装饰者的基类
  3. * @description
  4. */
  5. public abstract class Decorator implements Drink{
  6. private Drink drink;//要装饰的对象
  7. public Decorator(Drink drink){
  8. this.drink = drink;
  9. }
  10. @Override
  11. public float cost() {
  12. return drink.cost();
  13. }
  14. @Override
  15. public String description() {
  16. return drink.description();
  17. }
  18. }

4、SugerDecorator

  1. /**
  2. * 具体的装饰者类
  3. * @description
  4. */
  5. public class SugarDecorator extends Decorator {
  6. public SugarDecorator(Drink drink) {
  7. super(drink);
  8. }
  9. @Override
  10. public float cost() {
  11. return super.cost()+1.0f;
  12. }
  13. @Override
  14. public String description() {
  15. return super.description()+"+糖";
  16. }
  17. }

5、BlackBeanDrcorator

  1. /**
  2. * 具体的装饰者类
  3. * @description
  4. */
  5. public class BlackBeanDecorator extends Decorator {
  6. public BlackBeanDecorator(Drink drink) {
  7. super(drink);
  8. }
  9. @Override
  10. public float cost() {
  11. return super.cost()+2.0f;
  12. }
  13. @Override
  14. public String description() {
  15. return super.description()+"+黑豆";
  16. }
  17. }

6、EggDecorator

  1. /**
  2. * 具体的装饰者类
  3. * @description
  4. */
  5. public class EggDecorator extends Decorator {
  6. public EggDecorator(Drink drink) {
  7. super(drink);
  8. }
  9. @Override
  10. public float cost() {
  11. return super.cost()+3.0f;
  12. }
  13. @Override
  14. public String description() {
  15. return super.description()+"+鸡蛋";
  16. }
  17. }

7、Test

  1. package com.vince.decorator;
  2. public class Test {
  3. public static void main(String[] args) {
  4. // OutputStream out = new FileOutputStream("xxx");
  5. // BufferedOutputStream bos = new BufferedOutputStream(out);
  6. // PrintStream ps = new PrintStream(bos);
  7. // ps.print(..);
  8. Drink drink = new SoyaBeanMilk();
  9. SugarDecorator sugar = new SugarDecorator(drink);
  10. EggDecorator egg = new EggDecorator(sugar);
  11. BlackBeanDecorator blackBean = new BlackBeanDecorator(egg);
  12. System.out.println("你点的豆浆是:"+blackBean.description());
  13. System.out.println("一共花了"+blackBean.cost()+"元");
  14. }
  15. }

15、常见字符编码

在程序中如果没有处理好字符的编码,就有可能出现乱码问题。下面我们一起为大家介绍在开发中常见的编码有 哪些。 在计算机世界里,任何的文字都是以指定的编码方式存在的。

常见编码有:ISO8859-1、GBK/GB2312、unicode、UTF。

iso8859-1: 编码属于单字节编码,最多只能表示0——255的字符范围,主要在英文上应用。

GBK/GB2312: 中文的国际编码,专门用来表示汉字,是双字节编码

unicode: java中就是使用此编码方式,也是最标准的一种编码,是使用16进制表示的编码。但此编码不兼容iso8859-1编码。

UTF: 由于unicode不支持iso8859-1编码,而且容易占用更多的空间,而且对于英文母也需要使用两个字节编码,这样使用unicode不便于传输和储存,因此产生了utf编码,utf编码兼容了iso8859-1编码,也可以用来表示所有语言字符,不过utf是不定长编码,每个字符的长度从1-6个字节不等,一般在中文网页中使用此编码,因为这样可以节省空间。

造成乱码的根本原因:

  1. 程序使用的编码与本机的编码不统一
  2. 在网络中,客户端与服务端编码不统一(WEB开发中出现的乱码情况)
  1. import java.io.UnsupportedEncodingException;
  2. public class CodeDemo {
  3. public static void main(String[] args) {
  4. //通常产生乱码的情况是,两个不兼容的编码相互转换
  5. String info = "小河流水哗啦啦"; //GB2312
  6. try { //将 编码x 转成 编码y
  7. String newInfo = new String(info.getBytes("gb2312"),"iso8859-1");
  8. System.out.println(newInfo);
  9. String newInfo2 = new String(newInfo.getBytes("iso8859-1"),"gb2312");
  10. System.out.println(newInfo2);
  11. } catch (UnsupportedEncodingException e) {
  12. e.printStackTrace();
  13. }
  14. }
  15. }

16、New IO

为什么要使用 NIO?

NIO是JDK1.4加入的新包,NIO 的创建目的是为了让 Java 程序员可以实现高速 I/O 而无需编写自定义的本机代码。 NIO 将最耗时的 I/O 操作(即填充和提取缓冲区)转移回操作系统,因而可以极大地提高速度。

流与块的比较

原来的 I/O 库(在 java.io.*中) 与 NIO 最重要的区别是数据打包和传输的方式,原来的 I/O 以流的方式处理数据,而 NIO 以块的方式处理数据。 面向流 的 I/O 系统一次一个字节地处理数据。一个输入流产生一个字节的数据,一个输出流消费一个字节的数据。 不利的一面是,面向流的 I/O 通常相当慢。 一个 面向块 的 I/O 系统以块的形式处理数据。每一个操作都在一步中产生或者消费一个数据块。按块处理数据比按(流式的)字节处理数据要快得多。但是面向块的 I/O 缺少一些面向流的 I/O 所具有的优雅性和简单性。

缓冲区

在 NIO 库中,所有数据都是用缓冲区处理的。在读取数据时,它是直接读到缓冲区中的。在写入数据时,它是写入到缓冲区中的。任何时候访问 NIO 中的数据,都是将它放到缓冲区中。

缓冲区实质上是一个数组。通常它是一个字节数组,但是也可以使用其他种类的数组。但是一个缓冲区不仅仅是一个数组。缓冲区提供了对数据的结构化访问,而且还可以跟踪系统的读/写进程。

缓冲区类型

最常用的缓冲区类型是ByteBuffer。一个ByteBuffer可以在其底层字节数组上进行 get/set 操作(即字节的获取和设置)。ByteBuffer不是 NIO 中唯一的缓冲区类型。事实上,对于每一种基本 Java 类型都有一种缓冲区类型: ByteBuffer CharBuffer ShortBuffer IntBuffer LongBuffer FloatBuffer DoubleBuffer

缓冲区内部细节:

状态变量 可以用三个值指定缓冲区在任意时刻的状态: position limit capacity

NIODemo

  1. import java.nio.ByteBuffer;
  2. public class NIODemo {
  3. public static void main(String[] args) {
  4. //创建 一个字节缓冲区,申请内存空间为8字节
  5. ByteBuffer buf = ByteBuffer.allocate(8);
  6. System.out.println("position="+buf.position());
  7. System.out.println("limit="+buf.limit());
  8. System.out.println("capacity="+buf.capacity());
  9. System.out.println("---------");
  10. //向缓冲区中写入数据
  11. buf.put((byte)10);
  12. buf.put((byte)20);
  13. buf.put((byte)30);
  14. buf.put((byte)40);
  15. System.out.println("position="+buf.position());
  16. System.out.println("limit="+buf.limit());
  17. System.out.println("capacity="+buf.capacity());
  18. //缓冲区反转:截取相关数据
  19. buf.flip();
  20. System.out.println("-----------");
  21. System.out.println("position="+buf.position());
  22. System.out.println("limit="+buf.limit());
  23. System.out.println("capacity="+buf.capacity());
  24. //告知在当前位置和限制之间是否有元素。
  25. if(buf.hasRemaining()){
  26. //返回当前位置与限制之间的元素数。
  27. for(int i=0;i<buf.remaining();i++){
  28. byte b = buf.get(i);
  29. System.out.println(b);
  30. }
  31. }
  32. System.out.println("-----------");
  33. System.out.println("position="+buf.position());
  34. System.out.println("limit="+buf.limit());
  35. System.out.println("capacity="+buf.capacity());
  36. }
  37. }

通道: Channel

Channel 是一个对象,可以通过它读取和写入数据。拿 NIO 与原来的 I/O 做个比较,通道就像是流。

正如前面提到的,所有数据都通过 Buffer 对象来处理。您永远不会将字节直接写入通道中, 相反,您是将数据写入包含一个或者多个字节的缓冲区。同样,您不会直接从通道中读取字节,而是将数据从通道读入缓冲区,再从缓冲区获取这个字节。

JDK1.7引入了新的IO操作类, java.nio.file包下,Java NIO Path接口和Files类

CopyDemo

  1. import java.io.FileInputStream;
  2. import java.io.FileOutputStream;
  3. import java.io.RandomAccessFile;
  4. import java.nio.ByteBuffer;
  5. import java.nio.MappedByteBuffer;
  6. import java.nio.channels.FileChannel;
  7. import java.nio.channels.FileChannel.MapMode;
  8. /**
  9. * 比较IO操作的性能比较:
  10. * 1、内存映射最快
  11. * 2、NIO读写文件
  12. * 3、使用了缓存的IO流
  13. * 4、无缓存的IO流
  14. *
  15. * @description
  16. */
  17. public class CopyFileDemo {
  18. private static void randomAccessFileCopy() throws Exception{
  19. RandomAccessFile in = new RandomAccessFile(":d\\3D0.jpg","r");
  20. RandomAccessFile out = new RandomAccessFile("d:\\test\\3D0.jpg","rw");
  21. FileChannel fcIn = in.getChannel();
  22. FileChannel fcOut = out.getChannel();
  23. long size = fcIn.size();//输入流的字节大小
  24. //输入流的缓冲区
  25. MappedByteBuffer inBuf = fcIn.map(MapMode.READ_ONLY, 0, size);
  26. //输出流的缓冲区
  27. MappedByteBuffer outBuf = fcOut.map(MapMode.READ_WRITE, 0, size);
  28. for(int i=0;i<size;i++){
  29. outBuf.put(inBuf.get());
  30. }
  31. //关闭(关闭通道时会写入数据块)
  32. fcIn.close();
  33. fcOut.close();
  34. in.close();
  35. out.close();
  36. System.out.println("copy success");
  37. }
  38. /**
  39. * 通过文件通道实现文件的复制
  40. * @throws Exception
  41. */
  42. private static void copyFile() throws Exception{
  43. //创建一个输入文件的通道
  44. FileChannel fcIn = new FileInputStream("d:\\3D0.jpg").getChannel();
  45. //创建一个输出文件的通道
  46. FileChannel fcOut = new FileOutputStream("d:\\test\\3D0.jpg").getChannel();
  47. ByteBuffer buf = ByteBuffer.allocate(1024);
  48. while(fcIn.read(buf)!=-1){
  49. buf.flip();
  50. fcOut.write(buf);
  51. buf.clear();
  52. }
  53. fcIn.close();
  54. fcOut.close();
  55. System.out.println("copy success.");
  56. }
  57. public static void main(String[] args) {
  58. try {
  59. // copyFile();
  60. randomAccessFileCopy();
  61. } catch (Exception e) {
  62. // TODO Auto-generated catch block
  63. e.printStackTrace();
  64. }
  65. }
  66. }

Path接口

  1. Path表示的是一个目录名序列,其后还可以跟着一个文件名,路径中第一个部件是根部件时就是 绝对路径,例如 / 或 C:\ ,而允许访问的根部件取决于文件系统;
  2. 以根部件开始的路径是绝对路径,否则就是相对路径;
  3. 静态的Paths.get方法接受一个或多个字符串,字符串之间自动使用默认文件系统的路径分隔符连 接起来(Unix是 /,Windows是 \ ),这就解决了跨平台的问题,接着解析连接起来的结果,如果不是合法路径就抛出InvalidPathException异常,否则就返回一个Path对象;

Files工具类

1、读写文件

  • static path write(Path path, byte[] bytes, OpenOption… options) 写入文件
  • static byte[] readAllBytes(Path path) 读取文件中的所有字节。

2、复制、剪切、删除

  • static path copy(Path source, Path target, CopyOption… options)
  • static path move(Path source, Path target, CopyOption… options)
  • static void delete(Path path) //如果path不存在文件将抛出异常,此时调用下面的比较好
  • static boolean deleteIfExists(Path path)

3、创建文件和目录

//创建新目录,除了最后一个部件,其他必须是已存在的

Files.createDirectory(path); //创建路径中的中间目录,能创建不存在的中间部件

Files.createDirectories(path); //创建一个空文件,检查文件存在,如果已存在则抛出异常而检查文件存在是原子性的,

//因此在此过程中无法执行文件创建操作 Files.createFile(path);

//添加前/后缀创建临时文件或临时目录 Path newPath = Files.createTempFile(dir, prefix, suffix);

Path newPath = Files.createTempDirectory(dir, prefix);

PathFilesDemo

  1. package com.nio;
  2. import java.io.File;
  3. import java.io.IOException;
  4. import java.nio.file.FileSystems;
  5. import java.nio.file.Files;
  6. import java.nio.file.Path;
  7. import java.nio.file.Paths;
  8. import java.nio.file.StandardCopyOption;
  9. import java.nio.file.StandardOpenOption;
  10. /**
  11. * JDK1.7新的文件操作类 Path接口 Paths类 Files类
  12. *
  13. * @author vince
  14. * @description
  15. */
  16. public class PathFilesDemo {
  17. public static void main(String[] args) {
  18. File file = new File("d:\\test\\3D0.jpg");
  19. // path
  20. Path p1 = Paths.get("d:\\test", "3D0.jpg");
  21. System.out.println(p1);
  22. Path p2 = file.toPath();
  23. System.out.println(p2);
  24. Path p3 = FileSystems.getDefault().getPath("c:\\test", "3D0.jpg");
  25. // Files工具类
  26. Path p4 = Paths.get("d:\\test\\test.txt");
  27. String info = "枯藤老树昏鸦,小桥流水人家";
  28. // try {
  29. // //写入文件
  30. // Files.write(p4, info.getBytes("gb2312"),StandardOpenOption.APPEND);
  31. // } catch (IOException e) {
  32. // e.printStackTrace();
  33. // }
  34. // 读取文件
  35. try {
  36. byte[] bytes = Files.readAllBytes(p4);
  37. System.out.println(new String(bytes));
  38. } catch (IOException e) {
  39. // TODO Auto-generated catch block
  40. e.printStackTrace();
  41. }
  42. // 复制文件
  43. // try {
  44. // Files.copy(p3, Paths.get("d:\\3D0.jpg"),StandardCopyOption.REPLACE_EXISTING);
  45. // } catch (IOException e) {
  46. // // TODO Auto-generated catch block
  47. // e.printStackTrace();
  48. // }
  49. // 移动文件
  50. // try {
  51. // Files.move(p3,Paths.get("c:\\3D0.jpg"),StandardCopyOption.REPLACE_EXISTING);
  52. // } catch (IOException e) {
  53. // // TODO Auto-generated catch block
  54. // e.printStackTrace();
  55. // }
  56. //删除文件
  57. // try {
  58. // Files.delete(p3);//static boolean deleteIfExists(Path path)
  59. // } catch (IOException e) {
  60. // // TODO Auto-generated catch block
  61. // e.printStackTrace();
  62. // }
  63. //创建新目录,除了最后一个部件,其他必须是已存在的
  64. // try {
  65. // Files.createDirectory(Paths.get("d:\\BB"));
  66. // //Files.createDirectories(path); 创建多级不存在的目录
  67. // } catch (IOException e) {
  68. // e.printStackTrace();
  69. // }
  70. //创建文件
  71. try {
  72. Files.createFile(Paths.get("d:\\BB.txt"));
  73. } catch (IOException e) {
  74. e.printStackTrace();
  75. }
  76. //添加前/后缀创建临时文件或临时目录
  77. // Path newPath = Files.createTempFile(dir, prefix, suffix);
  78. // Path newPath = Files.createTempDirectory(dir, prefix);
  79. }
  80. }