3

我对 Java NIO 很陌生,没有动手。关于 Java NIO,我知道它比 java.IO 快。

因此,只是为了尝试一下,我想编写简单的程序来“将一个文件的内容复制到另一个文件”。“从大文件中搜索单词”。

同时使用 java.io 和 java.nio 包。

另外,我分别在操作开始和结束之前和之后打印了时间。

我没有发现 NIO 更快的任何区别。可能是我走错了方向。

任何人都可以指导我通过示例正确看到差异的场景吗?

编辑:

得知这个问题会得到反对票,我真的很惊讶。我已经提到我是 NIO 的新手,如果我走错了方向,我会指导我。我没有发布程序,因为它是非常基本的读写操作......请参阅下面我用来测试的程序......

使用 IO

public static void copyFile(File in, File out) throws Exception {

    SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");
    Date now = new Date();
    String strDate = sdf.format(now);

    System.out.println("Before Read :"+strDate);


    FileInputStream fis  = new FileInputStream(in);
    FileOutputStream fos = new FileOutputStream(out);
    try {
        byte[] buf = new byte[1024];
        int i = 0;
        while ((i = fis.read(buf)) != -1) {
            fos.write(buf, 0, i);
        }
    } 
    catch (Exception e) {
        throw e;
    }
    finally {
        if (fis != null) fis.close();
        if (fos != null) fos.close();
    }

    Date now1 = new Date();
    String strDate1 = sdf.format(now1);

    System.out.println("After Read :"+strDate1);


}

使用蔚来

 public static void copyFile(File in, File out) 
        throws IOException 
{

    SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");
    Date now = new Date();
    String strDate = sdf.format(now);

    System.out.println("Before Read :"+strDate);

    FileChannel inChannel = new
        FileInputStream(in).getChannel();
    FileChannel outChannel = new
        FileOutputStream(out).getChannel();
    try {
        inChannel.transferTo(0, inChannel.size(),
                outChannel);
    } 
    catch (IOException e) {
        throw e;
    }
    finally {
        if (inChannel != null) inChannel.close();
        if (outChannel != null) outChannel.close();
    }

    Date now1 = new Date();
    String strDate1 = sdf.format(now1);

    System.out.println("After Read :"+strDate1);
}

我从一个文件复制到另一个文件的文件大约是 20 MB。

4

2 回答 2

5

NIO 允许您仅使用单个(或更少)线程来管理多个通道,但代价是解析数据可能比使用标准 IO 从阻塞流中读取数据要复杂一些。

如果您需要同时管理数千个打开的连接,每个连接只发送少量数据,例如聊天服务器,那么在 NIO 中实现服务器可能是一个优势。同样,如果您需要保持与其他计算机的大量打开连接,例如在 P2P 网络中,使用单个线程来管理所有出站连接可能是一个优势。

如果您的连接较少且带宽非常高,一次发送大量数据,那么标准 IO 服务器实现应该是您的选择。

Ref :标准 IO 和 NIO 的区别

于 2013-12-23T07:40:42.770 回答
3

NIO 更快并不是真的。保罗·泰玛(Paul Tyma)在某个时候打破了这个神话。

http://mailinator.blogspot.in/2008/02/kill-myth-please-nio-is-not-faster-than.html

http://paultyma.blogspot.in/2008/03/writing-java-multithreaded-servers.html

于 2013-04-17T12:16:55.470 回答