溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊(cè)×
其他方式登錄
點(diǎn)擊 登錄注冊(cè) 即表示同意《億速云用戶(hù)服務(wù)條款》

C#中怎么實(shí)現(xiàn)文件流讀寫(xiě)操作

發(fā)布時(shí)間:2021-07-22 17:04:05 來(lái)源:億速云 閱讀:240 作者:Leah 欄目:編程語(yǔ)言

這篇文章給大家介紹C#中怎么實(shí)現(xiàn)文件流讀寫(xiě)操作,內(nèi)容非常詳細(xì),感興趣的小伙伴們可以參考借鑒,希望對(duì)大家能有所幫助。

var fs_in = System.IO.File.OpenRead(@"C:\3.0.6.apk");
var fs_out = System.IO.File.OpenWrite(@"C:\3.0.6.apk.copy");
byte[] buffer = new byte[1024];
while (fs_in.Read(buffer,0,buffer.Length)>0)
{
 fs_out.Write(buffer, 0, buffer.Length);
}
Console.WriteLine("復(fù)制完成");

所以一眼就能看出這個(gè)方法簡(jiǎn)直有天大的 bug ,假設(shè)文件長(zhǎng)度不為 1024 的倍數(shù),永遠(yuǎn)會(huì)在文件尾部多補(bǔ)充上一段的冗余數(shù)據(jù)。

C#中怎么實(shí)現(xiàn)文件流讀寫(xiě)操作

這里整整多出了 878 字節(jié)的數(shù)據(jù),導(dǎo)致整個(gè)文件都不對(duì)了,明顯是基礎(chǔ)知識(shí)都沒(méi)學(xué)好。

增加一個(gè)變量保存實(shí)際讀取到的字節(jié)數(shù),改為如下:

var fs_in = System.IO.File.OpenRead(@"C:\迅雷下載\3.0.6.apk");
var fs_out = System.IO.File.OpenWrite(@"C:\迅雷下載\3.0.6.apk.copy");
byte[] buffer = new byte[1024];
int readBytes = 0;
while ((readBytes= fs_in.Read(buffer, 0, buffer.Length)) >0)
{
 fs_out.Write(buffer, 0, readBytes);
}
Console.WriteLine("復(fù)制完成");

對(duì)于處理大型文件,一般都有進(jìn)度指示,比如處理壓縮了百分多少之類(lèi)的,這里我們也可以加上,比如專(zhuān)門(mén)寫(xiě)一個(gè)方法用于文件讀取并返回 byte[] 和百分比。

static void ReadFile(string filename,int bufferLength, Action<byte[],int> callback)
{
 if (!System.IO.File.Exists(filename)) return;
 if (callback == null) return;
 System.IO.FileInfo finfo = new System.IO.FileInfo(filename);
 long fileLength = finfo.Length;
 long totalReadBytes = 0;
 var fs_in = System.IO.File.OpenRead(filename);
 byte[] buffer = new byte[bufferLength];
 int readBytes = 0;
 while ((readBytes = fs_in.Read(buffer, 0, buffer.Length)) > 0)
 {
  byte[] data = new byte[readBytes];
  Array.Copy(buffer, data, readBytes);
  totalReadBytes += readBytes;
  int percent = (int)((totalReadBytes / (double)fileLength) * 100);
  callback(data, percent);
 }
}

調(diào)用就很簡(jiǎn)單了:

static void Main(string[] args)
{
 string filename = @"C:\3.0.6.apk";
 var fs_in = System.IO.File.OpenRead(filename);
 long ttc = 0;
 ReadFile(filename, 1024, (byte[] data, int percent) => 
 {
  ttc += data.Length;
  Console.SetCursorPosition(0, 0);
  Console.Write(percent+"%");
 });
 Console.WriteLine("len:"+ttc);
 Console.ReadKey();
}

這是基于文件讀取的,稍微改一下就可以改成輸入流輸出流的,這里就不貼出來(lái)了。文件讀寫(xiě)非常耗時(shí),特別是大文件,IO 和 網(wǎng)絡(luò)請(qǐng)求都是 “重操作”,所以建議大家 IO 都放在單獨(dú)的線(xiàn)程去執(zhí)行。C# 中可以使用 Task、Thread、如果同時(shí)有多個(gè)線(xiàn)程需要執(zhí)行就用 ThreadPool 或 Task,Java 或 Android 中用 Thread 或線(xiàn)程池,以及非常流行的 RxJava 等等 ...

關(guān)于C#中怎么實(shí)現(xiàn)文件流讀寫(xiě)操作就分享到這里了,希望以上內(nèi)容可以對(duì)大家有一定的幫助,可以學(xué)到更多知識(shí)。如果覺(jué)得文章不錯(cuò),可以把它分享出去讓更多的人看到。

向AI問(wèn)一下細(xì)節(jié)

免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場(chǎng),如果涉及侵權(quán)請(qǐng)聯(lián)系站長(zhǎng)郵箱:is@yisu.com進(jìn)行舉報(bào),并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI