C# 將 Stream 保存到文件的方法
在拿到一個 Stream 如何優雅將這個 Stream 保存到代碼
最優雅的方法應該是通過 CopyTo 或 CopyToAsync 的方法
using (var fileStream = File.Create("C:\\lindexi\\File.txt")) { inputStream.Seek(0, SeekOrigin.Begin); iputStream.CopyTo(fileStream); }
這裡的 inputStream.Seek(0, SeekOrigin.Begin);
不一定需要,請根據你自己的需求,如你隻需要將這個 Stream 的從第10個byte開始復制等就不能采用這句代碼
用異步方法會讓本次寫入的時間長一點,但是會讓總體性能更好,讓 CPU 能處理其他任務
using (var fileStream = File.Create("C:\\lindexi\\File.txt")) { await iputStream.CopyToAsync(fileStream); }
註意使用 CopyToAsync 記得加上 await 哦,執行到這句代碼的時候,就將執行交給瞭 IO 瞭,大部分的 IO 處理都不需要 CPU 進行計算,這樣能達到總體性能更好
另外如果 iputStream 是外面傳入的,那麼我不建議在這個方法裡面釋放,為什麼呢?我用的好好的一個Stream傳入一個業務就被幹掉瞭
其次的方法是自己控制內存復制緩存,此方法將會多出一次內存復制
public static void CopyStream(Stream input, Stream output) { byte[] buffer = new byte[1024]; int len; while ( (len = input.Read(buffer, 0, buffer.Length)) > 0) { output.Write(buffer, 0, len); } } // 使用方法如下 using (Stream file = File.Create("C:\\lindexi\\File.txt")) { CopyStream(input, file); }
此方法的作用就是讓你修改 new byte[1024]
的值,讓你可以控制復制的緩存
接下來就是一些不推薦的方法瞭,但是寫的時候方便
using (var stream = new MemoryStream()) { input.CopyTo(stream); File.WriteAllBytes(file, stream.ToArray()); }
上面這個方法將會復制兩次內存,而且如果 input 這個資源長度有 1G 就要占用 2G 的資源
和上面差不多的是申請一個大的緩存,如下面代碼:
public void SaveStreamToFile(string fileFullPath, Stream stream) { if (stream.Length == 0) return; using (FileStream fileStream = System.IO.File.Create(fileFullPath, (int)stream.Length)) { byte[] bytesInStream = new byte[stream.Length]; stream.Read(bytesInStream, 0, (int)bytesInStream.Length); fileStream.Write(bytesInStream, 0, bytesInStream.Length); } }
從效率和代碼的優雅其實都不如 CopyTo 方法,而且因為 stream.Length 作為長度沒有決定緩存,所以也不如第二個方法
下面是一個超級慢的方法,一個 byte 一個 byte 寫入的速度是超級慢的
public void SaveStreamToFile(Stream stream, string filename) { using(Stream destination = File.Create(filename)) { Write(stream, destination); } } public void Write(Stream from, Stream to) { for(int a = from.ReadByte(); a != -1; a = from.ReadByte()) { to.WriteByte( (byte) a ); } }
推薦閱讀:
- C#中流的使用和分類
- C#二進制讀寫BinaryReader、BinaryWriter、BinaryFormatter
- C#實現文件與字符串互轉的方法詳解
- c# 用ICSharpCode組件壓縮文件
- C#實現多文件打包壓縮(.Net Core)