FileOutputStream文件字节输出流

一.概念

以内存为基准,把内存中的数据以字节的形式写出到文件中

二.构造器

public FileOutputStream(File file)创建字节输出流管道与源文件对象接通


public FileOutputStream(String filepath)创建字节输出流管道与源文件路径接通


public FileOutputStream(File file,boolean append)创建字节输出流管道与源文件对象接通,可追加数据


public FileOutputStream(String filepath,boolean append)创建字节输出流管道与源文件路径接通,可追加数据

三.方法

public void write(int a)写一个字节出去


public void write(byte【】buffer)写一个字节数组出去


public void write(byte【】buffer, int pos, int len)写一个字节数组的一部分出去。


public void close()throws IOException关闭流。

四.代码

1.代码

package org.example;

import java.io.*;

public class day05 {
    public static void main(String[] args) throws IOException {
        final FileOutputStream os = new FileOutputStream("d:/temp/day05/test.txt");
        final byte[] bytes = "我们在一起".getBytes();
        os.write(bytes);
    }
}

2.缺点

每次执行代码都会把文件中存的内容清空,比如test.txt文件中存着有内容,执行代码后,之前的内容就消失了,变成了我们写入的内容

3.解决方法

在输出流后面追加true

package org.example;

import java.io.*;

public class day05 {
    public static void main(String[] args) throws IOException {
        final FileOutputStream os = new FileOutputStream("d:/temp/day05/test.txt",true);
        final byte[] bytes = "你们还好吗".getBytes();
        os.write(bytes);
    }
}

FileOutputStream文件字节输出流_第1张图片

如果想换行:os.write("\r\n".getBytes());

package org.example;

import java.io.*;

public class day05 {
    public static void main(String[] args) throws IOException {
        final FileOutputStream os = new FileOutputStream("d:/temp/day05/test.txt",true);
        final byte[] bytes = "你们还好吗".getBytes();
        os.write(bytes);
        os.write("\r\n".getBytes());
    }
}

你可能感兴趣的:(java,开发语言,换行,字节输出流)