TA的每日心情data:image/s3,"s3://crabby-images/8e309/8e309f4cf802aae0fde4f861b9c21feba5bf2023" alt="" | 开心 2021-3-12 23:18 |
---|
签到天数: 2 天 [LV.1]初来乍到
|
今天碰到了一个问题,从游戏服务器下载下来的输出log有一个多G大。用记事本打不开,EditPlus也打不开,都提示文件太大。用word也打不开,提示文件大于512M。打不开怎么查找错误啊。于是他问我解决办法。我想了想,决定写一个简单的程序读取这个log,把这个log切分成一些小的可以用Editplus打开的文本。正好前段时间看了一些NIO的东西,所以决定用NIO来写。没想到,10几行代码就搞定了。下面附上源代码:
ReadLargeTextWithNIO.java
- import java.io.FileInputStream;
- import java.io.FileOutputStream;
- import java.io.IOException;
- import java.nio.ByteBuffer;
- import java.nio.channels.FileChannel;
- /**
- *
- * 用NIO读取大文本(1G以上)
- *
- * @author landon
- *
- */
- public class ReadLargeTextWithNIO
- {
- public static void main(String...args) throws IOException
- {
- FileInputStream fin = new FileInputStream("d:\temp\outlineA1.log");
- FileChannel fcin = fin.getChannel();
-
- ByteBuffer buffer = ByteBuffer.allocate(1024 * 1024 * 50);
-
- while(true)
- {
- buffer.clear();
-
- int flag = fcin.read(buffer);
-
- if(flag == -1)
- {
- break;
- }
-
- buffer.flip();
-
- FileOutputStream fout = new FileOutputStream("d:\temp" + Math.random() + ".log");
- FileChannel fcout = fout.getChannel();
-
- fcout.write(buffer);
- }
- }
- }
复制代码 下面简单说几个注意的地方:
a.因为要把超大文本切分成小的部分,所以分配buffer的时候尽量大一些,这里我分配的大小是50M,不过如果太大了,可能会报内存溢出。
b.说一下clear和flip的方法,直接上源码:
public final Buffer clear()
{
position = 0;
limit = capacity;
mark = -1;
return this;
} public final Buffer flip()
{
limit = position;
position = 0;
mark = -1;
return this;
}
一看便知二者的区别。
c.跳出循环也即读完的判断是read返回的flag是-1
源码下载:http://file.javaxxz.com/2014/11/4/235832796.zip |
|