内存操作流:
内存输入流:
ByteArrayInputStream:在内存中引用开辟好了的byte数组作为数据源缓冲区构造内存输入流对象,该流对象可以读取这个byte数组内的内容;
内存输出流:
ByteArrayOutputStream:构造一个内存中的输出流对象;该对象自动在内存中开辟一个byte数组作为数据缓冲区用于将数据写出到该缓冲区,而且可以把缓冲区中的
内容写出到其他输出流并保存至内存以外的文件,其他流对象也可以直接操作该流,比如:标准输出流可以输出该流的内容(通过该流的toString());
import java.io.*;
public class ByteArrayIODemo{
public static void main(String[] args) throws Exception {
String str = "HELLOWORLD";
InputStream bis = null;
OutputStream bos = null;
bis = new ByteArrayInputStream(str.getBytes());
bos = new ByteArrayOutputStream();
int temp = 0 ;
while((temp = bis.read())!=-1){
char c = (char)temp;
bos.write(Character.toLowerCase(c));
}
bis.close();
bos.close();
String newStr = new String(bos.toString());
System.out.println(newStr);
}
}
管道流:
管道用来把一个程序、线程和代码块的输出连接到另一个程序、线程和代码块的输入。java.io中提供了类PipedInputStream和PipedOutputStream作为管道的输入/输出流
管道输入流作为一个通信管道的接收端,管道输出流则作为发送端。管道流必须是输入输出并用,即在使用管道前,两者必须进行连接
管道输入/输出流可以用两种方式进行连接:
1 在构造方法中进行连接
PipedInputStream(PipedOutputStream pos);
PipedOutputStream(PipedInputStream pis);
2 通过各自的connect()方法连接
在类PipedInputStream中,connect(PipedOutputStream pos);
在类PipedOutputStream中,connect(PipedInputStream pis);
import java.io.*;
class Send implements Runnable {
private PipedOutputStream pos = null;
Send() {
pos = new PipedOutputStream();
}
public void run() {
String str = "hello world!";
try {
pos.write(str.getBytes());
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
try {
pos.close();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
public PipedOutputStream getPos() {
return this.pos;
}
}
class Recevie implements Runnable {
private PipedInputStream pis = null;
Recevie() {
pis = new PipedInputStream();
}
public void run() {
byte buf[] = new byte[1024];
int i = 0;
try {
i = this.pis.read(buf);
} catch (IOException e1) {
// TODO Auto-generated catch block
e1.printStackTrace();
}
try {
pis.close();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
System.out.println(new String(buf, 0, i));
}
public PipedInputStream getPis() {
return this.pis;
}
}
public class PipedIODemo {
public static void main(String[] args) throws IOException {
Send s = new Send();
Recevie r = new Recevie();
s.getPos().connect(r.getPis());
new Thread(s).start();
new Thread(r).start();
}
}
打印流:
在整个 IO 包中,打印流是输出信息最方便的类,主要包含字节打印流(PrintStream) 和字符打印流(PrintWriter) . 打印流提供了非常方便的打印功能,可以打印任何的数据类型,例如: 小数、整数、字符串等等。
之前在打印信息的时候需要使用OutputStream, 但是这样一来,所有的数据输出的时候会非常的麻烦, String --> byte[], 打印流中可以方便的进行输出。
打印流的格式化输出(类似C语言):
import java.io.* ;
public class PrintDemo{
public static void main(String arg[]) throws Exception{
PrintStream ps = null ; // 声明打印流对象
// 如果现在是使用FileOuputStream实例化,意味着所有的输出是向文件之中
ps = new PrintStream(new FileOutputStream(new File("f:" + File.separator + "test.txt"))) ;
String name = "Sugite" ; // 定义字符串
int age = 20 ; // 定义整数
float score = 90.5f ; // 定义小数
char sex = 'M' ; // 定义字符
ps.printf("姓名:%s;年龄:%s;成绩:%s;性别:%s",name,age,score,sex) ;
ps.close() ;
}
};