web-dev-qa-db-ja.com

浮動小数点数の配列をbyte []に​​変換し、その逆に変換するにはどうすればよいですか?

バイト配列に変換し、float []に戻す必要があるフロートの配列があります。

私はbitConverterクラスで作業していますが、結果を追加しようとして立ち往生しています。

これを行う理由は、ランタイム値をIO Stream。入力が出力と一致する限り、格納されます。

static  byte[] ConvertFloatToByteArray(float[] floats)
        {
            byte[] ret = new byte[floats.Length * 4];// a single float is 4 bytes/32 bits

            for (int i = 0; i < floats.Length; i++)
            {
               // todo: stuck...I need to append the results to an offset of ret
                ret = BitConverter.GetBytes(floats[i]);

            }
            return ret;
        }


 static  float[] ConvertByteArrayToFloat(byte[] bytes)
{ //to do }
40

パフォーマンスを探しているなら、 Buffer.BlockCopy 。素晴らしく、シンプルで、おそらくマネージドコードの場合と同じくらい高速です。

var floatArray1 = new float[] { 123.45f, 123f, 45f, 1.2f, 34.5f };

// create a byte array and copy the floats into it...
var byteArray = new byte[floatArray1.Length * 4];
Buffer.BlockCopy(floatArray1, 0, byteArray, 0, byteArray.Length);

// create a second float array and copy the bytes into it...
var floatArray2 = new float[byteArray.Length / 4];
Buffer.BlockCopy(byteArray, 0, floatArray2, 0, byteArray.Length);

// do we have the same sequence of floats that we started with?
Console.WriteLine(floatArray1.SequenceEqual(floatArray2));    // True
74
LukeH

Float [i]をバイト配列にコピーするときに位置を移動していないので、次のように記述する必要があります。

Array.Copy(BitConverter.GetBytes(float[i]),0,res,i*4);

代わりに:

ret = BitConverter.GetBytes(floats[i]);

逆関数は同じ戦略に従います。

5
Felice Pollano

ここで役立つ BitConverter.ToSingle(byte[] value, int startIndex) メソッドがあります。

バイト配列の指定された位置にある4バイトから変換された単精度浮動小数点数を返します。

あなたはおそらく(未テスト)のようなものを望んでいます:

static float[] ConvertByteArrayToFloat(byte[] bytes)
{
    if(bytes == null)
        throw new ArgumentNullException("bytes");

   if(bytes.Length % 4 != 0)
        throw new ArgumentException
              ("bytes does not represent a sequence of floats");

    return Enumerable.Range(0, bytes.Length / 4)
                     .Select(i => BitConverter.ToSingle(bytes, i * 4))
                     .ToArray();
}

[〜#〜] edit [〜#〜]:非LINQ:

float[] floats = new float[bytes.Length / 4];

for (int i = 0; i < bytes.Length / 4; i++)
    floats[i] = BitConverter.ToSingle(bytes, i * 4);

return floats;
4
Ani
static float[] ConvertByteArrayToFloat(byte[] bytes)
{
    if(bytes.Length % 4 != 0) throw new ArgumentException();

    float[] floats = new float[bytes.Length/4];
    for(int i = 0; i < floats.Length; i++)
    {
        floats[i] = BitConverter.ToSingle(bytes, i*4);
    }

    return floats;
}
1
Lee