我正在尝试将托管C ++ / CLI包装器编写为非托管类。该类中的一个方法具有类似
的签名audiodecoder::Decode(byte *pEncodedBuffer, unsigned int uiEncodedBufLen, byte **pDecodedAudio, unsigned int *uiDecodedAudioLen)
其中* pEncodedBuffer是指向编码音频样本的指针,** pDecodedAudio是函数初始化内存并存储解码音频的地方。实际上,数据是音频应该没有任何后果。
这个方法的包装器会如何?任何建议都会有所帮助。
答案 0 :(得分:1)
托管代码的一个优点是它使用垃圾收集器并具有强类型数组。因此,很好地支持将数组作为函数返回值返回。这使你理想的包装功能如下:
array<Byte>^ Wrapper::Decode(array<Byte>^ encodedBuffer) {
pin_ptr<Byte> encodedPtr = &encodedBuffer[0];
Byte* decoded = nullptr;
unsigned int decodedLength
int err = unmanagedDecoder->Decode(encodedPtr, encodedBuffer->Length, &decoded, &decodeLength);
// Test err, throw an exception
//...
array<Byte>^ retval = gcnew array<Byte>(decodedLength);
Marshal::Copy((IntPtr)decoded, retval, 0, decodedLength);
free(decoded); // WATCH OUT!!!
return retval;
}
请注意// WATCH OUT
评论。您需要销毁解码器分配的缓冲区。正确执行此操作需要了解解码器如何管理其内存,并且通常使得非常重要,因为您的C ++ / CLI代码与解码器模块共享相同的CRT。如果没有好的协议或者你无法编译解码器源代码,这往往会出错。