字节流的两个顶层父类:1,InputStream 2,OutputStream.FileInputStream FileOutputStreamBufferedInputStreamBufferedOutputStreamFileInputStream 和 FileOutputStream新建对象,读/写rend()/write(),关闭close()。
写文件新建对象带true参数支持续写。读文件文件不存在会报异常。
read()参数支持 (空),字节流读取,返回单字符int。
(字节数组),把文件内容一次读入到数组,返回成功读取的字符数,然后在文件结尾处返回-1
(字节数组,int offset,int length),可以控制写在数组哪里,最多读取多少个字符。
write()参数支持 (int),字节流写入。
(字节数组),字节数组写入
(字符数组,int offset,int length),可以控制数组哪里开始写入,最多读取多少个字符。
fos.write("abcdefg".getBytes());//"abcdefg".getBytes()返回byte[]
byte[] buf = new byte[fis.available()];//fis.available()返回可读的字节数。但是不建议用来创建数组,因为很可能返回错误的字节数。
BufferedInputStream 和 BufferedOutputStream
缓冲区的出现提高了对数据的读写效率。特点:缓冲区要结合流才可以使用,在创建缓冲区之前,必须要有流对象。在流的基础上对流的功能进行了增强。buffer后没有覆写read()和write()方法。没在这两个基础上创建新方法。
FileInputStream fis = new FileInputStream("c:\\0.mp3");
BufferedInputStream bufis = new BufferedInputStream(fis);
FileOutputStream fos = new FileOutputStream("c:\\2.mp3");
BufferedOutputStream bufos = new BufferedOutputStream(fos);
int ch = 0;
while((ch=bufis.read())!=-1){
bufos.write(ch);
}
bufos.close();
bufis.close();
public static void readKey2() throws IOException {
//1,创建容器。
StringBuilder sb = new StringBuilder();
//2,获取键盘读取流。
InputStream in = System.in;
//3,定义变量记录读取到的字节,并循环获取。
int ch = 0;
while((ch=in.read())!=-1){
// 在存储之前需要判断是否是换行标记 ,因为换行标记不存储。
if(ch=='\r')
continue;
if(ch=='\n'){
String temp = sb.toString();
if("over".equals(temp))
break;
System.out.println(temp.toUpperCase());
sb.delete(0, sb.length());
}
else
//将读取到的字节存储到StringBuilder中。
sb.append((char)ch);
// System.out.println(ch);
}
}
public static void readKey() throws IOException {
InputStream in = System.in;
int ch = in.read();//阻塞式方法。
System.out.println(ch);
int ch1 = in.read();//阻塞式方法。
System.out.println(ch1);
int ch2 = in.read();//阻塞式方法。
System.out.println(ch2);
// in.close();
// InputStream in2 = System.in;
// int ch3 = in2.read();
}
}
|
|