3

次のシグネチャを持つ C++ メソッドがあります。

typedef char TNameFile[256];

void Foo(TNameFile** output);

私はそれをマーシャリングする方法のアイデアを使い果たしました。

4

2 に答える 2

0

最後の要素として空の文字列を返すと仮定します。

static extern void Foo(ref IntPtr output);

IntPtr ptr = IntPtr.Zero;
Foo(ref ptr);
while (Marshal.ReadByte(ptr) != 0)
{
   Debug.Print(Marshal.PtrToStringAnsi(ptr, 256).TrimEnd('\0'));
   ptr = new IntPtr(ptr.ToInt64() + 256);
}

編集:スマートフォンで上記のコードを書いたので、今朝コードをテストしましたが、うまくいくようです(追加する必要がありましたTrimEnd('\0'))。これが私のテストケースです:

class Program
{
    const int blockLength = 256;

    /// <summary>
    /// Method that simulates your C++ Foo() function
    /// </summary>
    /// <param name="output"></param>
    static void Foo(ref IntPtr output)
    {
        const int numberOfStrings = 4;
        byte[] block = new byte[blockLength];
        IntPtr dest = output = Marshal.AllocHGlobal((numberOfStrings * blockLength) + 1);
        for (int i = 0; i < numberOfStrings; i++)
        {
            byte[] source = Encoding.UTF8.GetBytes("Test " + i);
            Array.Clear(block, 0, blockLength);
            source.CopyTo(block, 0);
            Marshal.Copy(block, 0, dest, blockLength);
            dest = new IntPtr(dest.ToInt64() + blockLength);
        }
        Marshal.WriteByte(dest, 0); // terminate
    }

    /// <summary>
    /// Method that calls the simulated C++ Foo() and yields each string
    /// </summary>
    /// <returns></returns>
    static IEnumerable<string> FooCaller()
    {
        IntPtr ptr = IntPtr.Zero;
        Foo(ref ptr);
        while (Marshal.ReadByte(ptr) != 0)
        {
            yield return Marshal.PtrToStringAnsi(ptr, blockLength).TrimEnd('\0');
            ptr = new IntPtr(ptr.ToInt64() + blockLength);
        }
    }

    static void Main(string[] args)
    {
        foreach (string fn in FooCaller())
        {
            Console.WriteLine(fn);
        }
        Console.ReadKey();
    }
}

1 つの疑問が残ります:誰がバッファを解放するのでしょうか?

于 2012-07-25T20:16:11.543 に答える
-1

ネイティブC++の代わりにC++/ CLIを使用すると、作業が大幅に楽になります。安全でないコードやマーサリングについて心配する必要はありません。

array<Byte>^ cppClass::cppFunction(TNameFile** input, int size)
{
    array<Byte>^ output = gcnew array<Byte>(size);

    for(int i = 0; i < size; i++)
        output[i] = (**input)[i];

    return output;
}

マーシャリングを使用する必要がある場合は、WouterHが回答で提案したように Marshal.PtrToStringAnsiを使用してみてください。

于 2012-07-25T19:55:01.197 に答える