web-dev-qa-db-ja.com

C#でStreamをbyte []に​​変換する方法

C#でStreambyte[]に変換する簡単な方法や方法はありますか?

341
pupeno

次の関数を呼び出す

byte[] m_Bytes = StreamHelper.ReadToEnd (mystream);

関数:

public static byte[] ReadToEnd(System.IO.Stream stream)
    {
        long originalPosition = 0;

        if(stream.CanSeek)
        {
             originalPosition = stream.Position;
             stream.Position = 0;
        }

        try
        {
            byte[] readBuffer = new byte[4096];

            int totalBytesRead = 0;
            int bytesRead;

            while ((bytesRead = stream.Read(readBuffer, totalBytesRead, readBuffer.Length - totalBytesRead)) > 0)
            {
                totalBytesRead += bytesRead;

                if (totalBytesRead == readBuffer.Length)
                {
                    int nextByte = stream.ReadByte();
                    if (nextByte != -1)
                    {
                        byte[] temp = new byte[readBuffer.Length * 2];
                        Buffer.BlockCopy(readBuffer, 0, temp, 0, readBuffer.Length);
                        Buffer.SetByte(temp, totalBytesRead, (byte)nextByte);
                        readBuffer = temp;
                        totalBytesRead++;
                    }
                }
            }

            byte[] buffer = readBuffer;
            if (readBuffer.Length != totalBytesRead)
            {
                buffer = new byte[totalBytesRead];
                Buffer.BlockCopy(readBuffer, 0, buffer, 0, totalBytesRead);
            }
            return buffer;
        }
        finally
        {
            if(stream.CanSeek)
            {
                 stream.Position = originalPosition; 
            }
        }
    }
145
pedrofernandes

私が知っている最短の解決策:

using(var memoryStream = new MemoryStream())
{
  sourceStream.CopyTo(memoryStream);
  return memoryStream.ToArray();
}
736
James Dingle

.NET Framework 4以降では、Streamクラスに組み込みのCopyToメソッドを使用できます。

フレームワークの以前のバージョンでは、持っていると便利なヘルパー関数は次のとおりです。

public static void CopyStream(Stream input, Stream output)
{
    byte[] b = new byte[32768];
    int r;
    while ((r = input.Read(b, 0, b.Length)) > 0)
        output.Write(b, 0, r);
}

次に、上記の方法のいずれかを使用してMemoryStreamにコピーし、GetBufferを呼び出します。

var file = new FileStream("c:\\foo.txt", FileMode.Open);

var mem = new MemoryStream();

// If using .NET 4 or later:
file.CopyTo(mem);

// Otherwise:
CopyStream(file, mem);

// getting the internal buffer (no additional copying)
byte[] buffer = mem.GetBuffer();
long length = mem.Length; // the actual length of the data 
                          // (the array may be longer)

// if you need the array to be exactly as long as the data
byte[] truncated = mem.ToArray(); // makes another copy

編集: 当初、私はStreamプロパティをサポートするLengthにJasonの回答を使用することを提案しました。しかし、Streamはすべての内容を単一のReadで返すと想定していたため、問題がありました。必ずしもそうとは限りません(たとえば、Socketの場合など)。 StreamをサポートするLength実装の例がStreamに含まれているかどうかはわかりませんが、要求したよりも短いチャンクでデータが返される可能性があります。簡単にそうかもしれません。

ほとんどの場合、上記の一般的な解決策を使用するほうがおそらく簡単ですが、bigEnoughの配列に直接読み込みたいとします。

byte[] b = new byte[bigEnough];
int r, offset;
while ((r = input.Read(b, offset, b.Length - offset)) > 0)
    offset += r;

つまり、Readを繰り返し呼び出して、データを格納する位置を移動します。

41
    byte[] buf;  // byte array
    Stream stream=Page.Request.InputStream;  //initialise new stream
    buf = new byte[stream.Length];  //declare arraysize
    stream.Read(buf, 0, buf.Length); // read from stream to byte array
27
user734862

私はこの拡張クラスを使います。

public static class StreamExtensions
{
    public static byte[] ReadAllBytes(this Stream instream)
    {
        if (instream is MemoryStream)
            return ((MemoryStream) instream).ToArray();

        using (var memoryStream = new MemoryStream())
        {
            instream.CopyTo(memoryStream);
            return memoryStream.ToArray();
        }
    }
}

クラスをソリューションにコピーするだけで、すべてのストリームでそれを使用できます。

byte[] bytes = myStream.ReadAllBytes()

すべてのストリームに最適で、大量のコードを節約できます。もちろん、必要に応じてパフォーマンスを向上させるためにここで他の方法のいくつかを使用するようにこの方法を変更することができますが、私はそれを単純にしておきたいです。

20
JCH2k
Byte[] Content = new BinaryReader(file.InputStream).ReadBytes(file.ContentLength);
17
Tavo

わかりました、多分私はここに何かが欠けています、しかしこれは私がそれをする方法です:

public static Byte[] ToByteArray(this Stream stream) {
    Int32 length = stream.Length > Int32.MaxValue ? Int32.MaxValue : Convert.ToInt32(stream.Length);
    Byte[] buffer = new Byte[length];
    stream.Read(buffer, 0, length);
    return buffer;
}
6
Vinicius

携帯端末などからファイルを投稿した場合

    byte[] fileData = null;
    using (var binaryReader = new BinaryReader(Request.Files[0].InputStream))
    {
        fileData = binaryReader.ReadBytes(Request.Files[0].ContentLength);
    }
3
Savas Adar

早くて汚いテクニック:

    static byte[] StreamToByteArray(Stream inputStream)
    {
        if (!inputStream.CanRead)
        {
            throw new ArgumentException(); 
        }

        // This is optional
        if (inputStream.CanSeek)
        {
            inputStream.Seek(0, SeekOrigin.Begin);
        }

        byte[] output = new byte[inputStream.Length];
        int bytesRead = inputStream.Read(output, 0, output.Length);
        Debug.Assert(bytesRead == output.Length, "Bytes read from stream matches stream length");
        return output;
    }

テスト:

    static void Main(string[] args)
    {
        byte[] data;
        string path = @"C:\Windows\System32\notepad.exe";
        using (FileStream fs = File.Open(path, FileMode.Open, FileAccess.Read))
        {
            data = StreamToByteArray(fs);
        }

        Debug.Assert(data.Length > 0);
        Debug.Assert(new FileInfo(path).Length == data.Length); 
    }

もしストリームの内容をコピーしたいのであれば、なぜあなたはbyte []に​​ストリームを読み込みたいのですか?MemoryStreamを使って入力ストリームをメモリストリームに書き込むことをお勧めします。

2
Phil Price

一度に部分的に読み込み、返されるバイト配列を拡張することもできます。

public byte[] StreamToByteArray(string fileName)
{
    byte[] total_stream = new byte[0];
    using (Stream input = File.Open(fileName, FileMode.Open, FileAccess.Read))
    {
        byte[] stream_array = new byte[0];
        // Setup whatever read size you want (small here for testing)
        byte[] buffer = new byte[32];// * 1024];
        int read = 0;

        while ((read = input.Read(buffer, 0, buffer.Length)) > 0)
        {
            stream_array = new byte[total_stream.Length + read];
            total_stream.CopyTo(stream_array, 0);
            Array.Copy(buffer, 0, stream_array, total_stream.Length, read);
            total_stream = stream_array;
        }
    }
    return total_stream;
}
1
SwDevMan81
Stream s;
int len = (int)s.Length;
byte[] b = new byte[len];
int pos = 0;
while((r = s.Read(b, pos, len - pos)) > 0) {
    pos += r;
}

もう少し複雑な解決策はs.LengthInt32.MaxValueを超えることです。しかし、それほど大きいストリームをメモリに読み込む必要がある場合は、問題に対する別のアプローチを検討する必要があります。

編集:あなたのストリームがLengthプロパティをサポートしていない場合は、Earwickerの 回避策 を使って修正してください。

public static class StreamExtensions {
    // Credit to Earwicker
    public static void CopyStream(this Stream input, Stream output) {
        byte[] b = new byte[32768];
        int r;
        while ((r = input.Read(b, 0, b.Length)) > 0) {
            output.Write(b, 0, r);
        }
    }
}

[...]

Stream s;
MemoryStream ms = new MemoryStream();
s.CopyStream(ms);
byte[] b = ms.GetBuffer();
1
jason

"bigEnough"配列は少しストレッチです。確かに、バッファには「大きなもの」が必要ですが、アプリケーションの適切な設計にはトランザクションとデリミタを含める必要があります。この構成では、各トランザクションは事前設定された長さを持ち、配列は特定のバイト数を予想してそれを正しいサイズのバッファーに挿入します。区切り文字はトランザクションの整合性を保証し、各トランザクション内で提供されます。アプリケーションをさらに良くするために、2つのチャンネル(2つのソケット)を使うことができます。データチャネルを使用して転送されるデータトランザクションのサイズおよびシーケンス番号に関する情報を含む固定長制御メッセージトランザクションを通信する。受信側はバッファの作成を確認し、そのときだけデータが送信されます。ストリーム送信側を制御できない場合は、バッファとして多次元配列が必要です。予想されるデータの見積もりに基づいて、コンポーネント配列は管理しやすいほど小さく、実用的になるのに十分な大きさになります。プロセスロジックは、後続の要素配列で既知の開始区切り文字を探し、次に終了区切り文字を探します。終了区切り文字が見つかると、区切り文字の間に関連データを格納するための新しいバッファーが作成され、データの廃棄を可能にするために最初のバッファーを再構築する必要があります。

ストリームをバイト配列に変換するコードは以下の通りです。

Stream s = yourStream;
int streamEnd = Convert.ToInt32(s.Length);
byte[] buffer = new byte[streamEnd];
s.Read(buffer, 0, streamEnd);
0
ArtK