1. ホーム
  2. c#

[解決済み] C/C++のデータ構造をバイト配列からC#で読み込む

2023-03-14 04:51:24

質問

C/C++ の構造体からのデータがある場合、byte[] 配列から C# の構造体を埋める最良の方法は何でしょうか。 Cの構造体は次のようになります(私のCは非常に錆びついています)。

typedef OldStuff {
    CHAR Name[8];
    UInt32 User;
    CHAR Location[8];
    UInt32 TimeStamp;
    UInt32 Sequence;
    CHAR Tracking[16];
    CHAR Filler[12];
}

といった具合に埋めることになる。

[StructLayout(LayoutKind.Explicit, Size = 56, Pack = 1)]
public struct NewStuff
{
    [MarshalAs(UnmanagedType.ByValTStr, SizeConst = 8)]
    [FieldOffset(0)]
    public string Name;

    [MarshalAs(UnmanagedType.U4)]
    [FieldOffset(8)]
    public uint User;

    [MarshalAs(UnmanagedType.ByValTStr, SizeConst = 8)]
    [FieldOffset(12)]
    public string Location;

    [MarshalAs(UnmanagedType.U4)]
    [FieldOffset(20)]
    public uint TimeStamp;

    [MarshalAs(UnmanagedType.U4)]
    [FieldOffset(24)]
    public uint Sequence;

    [MarshalAs(UnmanagedType.ByValTStr, SizeConst = 16)]
    [FieldOffset(28)]
    public string Tracking;
}

コピーするための最良の方法は何ですか? OldStuffNewStuff であれば OldStuff がbyte[]配列として渡された場合?

現在、以下のようなことをしているのですが、なんとなく不格好な感じがします。

GCHandle handle;
NewStuff MyStuff;

int BufferSize = Marshal.SizeOf(typeof(NewStuff));
byte[] buff = new byte[BufferSize];

Array.Copy(SomeByteArray, 0, buff, 0, BufferSize);

handle = GCHandle.Alloc(buff, GCHandleType.Pinned);

MyStuff = (NewStuff)Marshal.PtrToStructure(handle.AddrOfPinnedObject(), typeof(NewStuff));

handle.Free();

これを達成するためのより良い方法はあるのでしょうか?


を使用することは可能ですか? BinaryReader クラスを使用することで、メモリを固定した上で Marshal.PtrStructure ?

どのように解決するのですか?

その文脈で見る限りでは、コピーする必要はありません。 SomeByteArray をバッファにコピーする必要はありません。単にハンドルを SomeByteArray からハンドルを取得し、それをピン留めして IntPtr を使ってデータをコピーします。 PtrToStructure を作成し、リリースします。コピーする必要はありません。

ということになりますね。

NewStuff ByteArrayToNewStuff(byte[] bytes)
{
    GCHandle handle = GCHandle.Alloc(bytes, GCHandleType.Pinned);
    try
    {
        NewStuff stuff = (NewStuff)Marshal.PtrToStructure(handle.AddrOfPinnedObject(), typeof(NewStuff));
    }
    finally
    {
        handle.Free();
    }
    return stuff;
}

一般的なバージョンです。

T ByteArrayToStructure<T>(byte[] bytes) where T: struct 
{
    T stuff;
    GCHandle handle = GCHandle.Alloc(bytes, GCHandleType.Pinned);
    try
    {
        stuff = (T)Marshal.PtrToStructure(handle.AddrOfPinnedObject(), typeof(T));
    }
    finally
    {
        handle.Free();
    }
    return stuff;
}

よりシンプルなバージョン (要 unsafe スイッチが必要)。

unsafe T ByteArrayToStructure<T>(byte[] bytes) where T : struct
{
    fixed (byte* ptr = &bytes[0])
    {
        return (T)Marshal.PtrToStructure((IntPtr)ptr, typeof(T));
    }
}