NIO之文件IO

public class TestFile {

    // 向本地文件写入数据
    @Test
    public void testWriteFile() throws Exception {
        // 1. 创建输出流
        FileOutputStream fos = new FileOutputStream("basic.txt");
        // 2. 基于输出流创建通道
        FileChannel fc = fos.getChannel();
        // 3. 获取缓冲区
        ByteBuffer buffer = ByteBuffer.allocate(1024);
        // 4. 将数据放入缓冲区, 此时指针指向最后一个字符的下一位。
        buffer.put("hello nio".getBytes());
        // 5. 将指针指向开头,不做此操作,数据将从指针位置往下读取。
        // 	  也就是说不做此操作读到的都是空白。
        buffer.flip();
        // 发送
        fc.write(buffer);
        // 关闭流
        fos.close();
    }

    // 从本地文件获取数据
    @Test
    public void testReadFile() throws Exception {
        File file = new File("basic.txt");
        // 1. 创建输入流
        FileInputStream fis = new FileInputStream(file);
        // 2. 获取channel
        FileChannel fc = fis.getChannel();
        // 3. 获取buffer
        ByteBuffer buffer = ByteBuffer.allocate((int) file.length());
        // 4. 获取数据
        fc.read(buffer);
        System.out.println(new String(buffer.array()));
    }

    // 将一个文件数据复制到另一个文件
    @Test
    public void testCopyFile() throws Exception {
        File file = new File("basic.txt");
        // 1. 创建输入流 输出流
        FileInputStream fis = new FileInputStream(file);
        FileOutputStream fos = new FileOutputStream("copyBasic.txt");
        // 2. 获取输入输出channel
        FileChannel readChannel = fis.getChannel();
        FileChannel writeChannel = fos.getChannel();
        // 3. copy数据
        readChannel.transferTo(0, readChannel.size(), writeChannel);
        // writeChannel.transferFrom(readChannel, 0, readChannel.size());
        // 6. 关闭数据
        fis.close();
        fos.close();

    }
}

你可能感兴趣的:(code,NIO)