I wanted to convert array< Byte>^ to unsigned char*. I have tried to explain what i have done. I donot know how to proceed further. Please show me the right approach. I am using MS VC 2005.
//Managed array
array<Byte>^ vPublicKey = vX509->GetPublicKey();//Unmanaged arrayunsignedchar vUnmanagedPublicKey[MAX_PUBLIC_KEY_SIZE];ZeroMemory(vUnmanagedPublicKey,MAX_PUBLIC_KEY_SIZE);//MANAGED ARRAY to UNMANAGED ARRAY // Initialize unmanged memory to hold the array.
vPublicKeySize =Marshal::SizeOf(vPublicKey[0])* vPublicKey->Length;IntPtr vPnt =Marshal::AllocHGlobal(vPublicKeySize);// Copy the Managed array to unmanaged memory. Marshal::Copy(vPublicKey,0,vPnt,vPublicKeySize);
Here vPnt is a number. But how can copy the data from vPublicKey in to vUnmanagedPublicKey.
You have already allocated a buffer in unmanaged memory to copy the key to, so there is no need to allocate unmanaged memory using AllocHGlobal. You just needed to convert your unmanaged pointer (vUnmanagedPublicKey) to a managed pointer (IntPtr) so that Marshal::Copy could use it. IntPtr takes a native pointer as one of the arguments to its constructor to perform that conversion.
Instead of using the marshalling-API it is easier to just pin the managed array:
array<Byte>^ vPublicKey = vX509->GetPublicKey();
cli::pin_ptr<unsignedchar> pPublicKey =&vPublicKey[0];// You can now use pPublicKey directly as a pointer to the data.// If you really want to move the data to unmanaged memory, you can just memcpy it:unsignedchar* unmanagedPublicKey =newunsignedchar[vPublicKey->Length];
memcpy(unmanagedPublicKey, pPublicKey, vPublicKey->Length);// .. use unmanagedPublicKeydelete[] unmanagedPublicKey;