java隨機訪問流RandomAccessFile
/**
* 測試隨機訪問流RandomAccessFile
* 對文件進行讀寫操作,不屬于字節(jié)流/字符流,不同于字節(jié)/字符流的順序讀取,隨機訪問流可以通過指針對任意位置進行讀寫
*/
public class TestRandomAccessFile {
? ?public static void main(String[] args) {
? ? ? ?try(RandomAccessFile raf = new RandomAccessFile("iostream/testRandom.txt","rw")) {
? ? ? ? ? ?//構(gòu)造器傳參(filename,mode)如果文件路徑的某一級路徑不存在會拋異常,如果上級路徑存在但文件不存在會生成文件,文件存在時讀取文件,不會覆蓋成空文件。mode分為r只能讀和rw可以讀寫兩種權(quán)限
? ? ? ? ? ?for (int i = 0;i<8;i++){
? ? ? ? ? ? ? ?raf.writeInt((i+1)*10);
? ? ? ? ? ? ? ?//隨機訪問流也可以存儲基礎(chǔ)數(shù)據(jù)類型,當不指定指針時默認從index=0開始,寫入10-80八個int值
? ? ? ? ? ? ? ?//隨機訪問流寫入基礎(chǔ)數(shù)據(jù)類型時使用自身的方法實現(xiàn),沒有通過數(shù)據(jù)流完成
? ? ? ? ? ?}
? ? ? ? ? ?//隨機訪問流沒有flush()方法
? ? ? ? ? ?raf.seek(4);
? ? ? ? ? ?//.seek(long pos)調(diào)整指針,pos即position,pos每一位是一個字節(jié)byte
? ? ? ? ? ?System.out.println(raf.readInt());
? ? ? ? ? ?//結(jié)果為20,int類型需要占用4個字節(jié),第一個int的10的pos從0-3,第二個int的20的pos從4-7,所以將指針移動到4進行.readInt()向后讀取4個字節(jié)返回int的20
? ? ? ? ? ?for (int i = 0;i<8;i+=2){
? ? ? ? ? ? ? ?//隔一個數(shù)讀一個數(shù)
? ? ? ? ? ? ? ?raf.seek(i*4);
? ? ? ? ? ? ? ?//i的值為0 4 8 12 16 20 24 28 對應每個int的第一個byte位,+=2時只為0 8 16 24
? ? ? ? ? ? ? ?System.out.print(raf.readInt()+",");
? ? ? ? ? ? ? ?//結(jié)果為10,30,50,70,
? ? ? ? ? ?}
? ? ? ? ? ?System.out.println();
? ? ? ? ? ?raf.seek(8);
? ? ? ? ? ?raf.writeInt(33);
? ? ? ? ? ?//.write方法會從指針位置往后寫入,如果有原始數(shù)據(jù)會覆蓋,不會將數(shù)據(jù)后移
? ? ? ? ? ?raf.seek(0);
? ? ? ? ? ?for (int i = 0;i<8;i++){
? ? ? ? ? ? ? ?System.out.print(raf.readInt()+",");
? ? ? ? ? ?}
? ? ? ? ? ?//結(jié)果為10,20,33,40,50,60,70,80, 30被覆蓋為33
? ? ? ? ? ?//System.out.print(raf.readInt()); 如果已經(jīng)讀完,再次調(diào)用.readInt()方法會拋java.io.EOFException
? ? ? ? ? ?System.out.println(raf.read());
? ? ? ? ? ?//在讀完的情況下調(diào)用.read()會返回-1
? ? ? ? ? ?System.out.println(raf.getFilePointer());
? ? ? ? ? ?//.getFilePointer()返回指針當前位置,結(jié)果32
? ? ? ? ? ?System.out.println(raf.length());
? ? ? ? ? ?//.length()返回文件長度/大小/字節(jié)數(shù),結(jié)果32
? ? ? ? ? ?//文件內(nèi)寫入了8個int,每個int占4字節(jié),所以文件大小為32字節(jié),pos從0-31,執(zhí)行了8次readInt()所以指針位置32到達文件末尾
? ? ? ? ? ?raf.seek(8);
? ? ? ? ? ?int insertInt = 30;
? ? ? ? ? ?int temp;
? ? ? ? ? ?long pos;
? ? ? ? ? ?while ((pos = raf.getFilePointer()) < raf.length()){
? ? ? ? ? ? ? ?temp = raf.readInt();
? ? ? ? ? ? ? ?raf.seek(pos);
? ? ? ? ? ? ? ?raf.writeInt(insertInt);
? ? ? ? ? ? ? ?insertInt=temp;
? ? ? ? ? ?}
? ? ? ? ? ?raf.writeInt(insertInt);
? ? ? ? ? ?raf.seek(0);
? ? ? ? ? ?while (raf.getFilePointer()<raf.length()){
? ? ? ? ? ? ? ?System.out.print(raf.readInt()+",");
? ? ? ? ? ?}
? ? ? ?} catch (FileNotFoundException e) {
? ? ? ? ? ?throw new RuntimeException(e);
? ? ? ?} catch (IOException e) {
? ? ? ? ? ?throw new RuntimeException(e);
? ? ? ?}
? ?}
}