3

基本的に次のように見えるcシャープにマーシャリングしたい管理されていない構造体があります。

struct MyStruct{  
    /* ... some stuff ... */
    int numChilds;  
    MyStruct *childs;
}

カスタム マーシャラーを作成する必要があると思いますが、どうすればよいかわかりません。

4

2 に答える 2

5

子に直接インデックスを付ける必要がない場合は、次のような設定を使用するのが好きです。

struct MyStruct
{
    /* ... some stuff ... */
    int numChilds;
    IntPtr childData;

    public IEnumerable<MyStruct> Children
    {
        get
        {
            int elementSize = Marshal.SizeOf(typeof(MyStruct));
            for (int i = 0; i < this.numChilds; i++)
            {
                IntPtr data = new IntPtr(this.childData.ToInt64() + elementSize * i);
                MyStruct child = (MyStruct)Marshal.PtrToStructure(data, typeof(MyStruct));
                yield return child;
            }
        }
    }
}

子に直接インデックスを付ける必要がある場合GetChild最も簡単な方法はメソッドを作成することです(以下を参照)。より難しい方法は、 を実装するヘルパー/ラッパー クラスを作成することIList<MyStruct>です。インスタンスはChildrenプロパティから返され、その内部はGetChildメソッドを呼び出すことで機能します。これは、必要に応じて読者への演習として残されています。

public MyStruct GetChild(int index)
{
    if (index < 0)
        throw new ArgumentOutOfRangeException("index", "The index must be >= 0.");
    if (index >= this.numChilds)
        throw new ArgumentException("The index must be less than the number of children", "index");

    int elementSize = Marshal.SizeOf(typeof(MyStruct));
    IntPtr data = new IntPtr(childData.ToInt64() + elementSize * index);
    MyStruct child = (MyStruct)Marshal.PtrToStructure(data, typeof(MyStruct));
    return child;
}
于 2009-07-19T16:55:57.953 に答える
1

アンマネージ関数に渡すだけの場合は、アンセーフ コードと stackalloc / fix an array を使用して、オブジェクトの配列へのポインターを取得できます。

        unsafe struct Foo
        {
            public int value;
            public int fooCount;
            public Foo* foos;
        }

        [DllImport("dll_natv.dll")]
        static extern void PrintFoos(Foo f);

        public unsafe static void Main()
        {
            Foo* foos = stackalloc Foo[10];

            for (int i = 0; i < 10; ++i)
                foos[i].value = i;

            Foo mainFoo = new Foo();
            mainFoo.fooCount = 10;
            mainFoo.value = 100;
            mainFoo.foos = foos;

            PrintFoos(mainFoo);


        }
于 2009-07-19T16:36:49.693 に答える