如果我不正确,下面的代码用于将字节数组复制到C#中的内存位置:
byte[] byteName = Encoding.ASCII.GetBytes("Hello There");
int positionMemory = getPosition();
Marshal.Copy(byteName, 0, new IntPtr(positionMemory), byteName.length);
如何在原生C ++中实现这一目标?
提前致谢。
答案 0 :(得分:6)
使用指针和memcpy:
void * memcpy ( void * destination, const void * source, size_t num );
假设您要将长度为n的数组A复制到数组B
中memcpy (B, A, n * sizeof(char));
这比C ++更多C,字符串类具有可以使用的复制功能。
size_t length;
char buffer[20];
string str ("Test string...");
length=str.copy(buffer,6,5);
buffer[length]='\0';
这是一个具有完整代码的更具体的示例:
#include <stdio.h>
#include <string>
#include <string.h>
#include <iostream>
using namespace std;
int main()
{
string s("Hello World");
char buffer [255];
void * p = buffer; // Or void * p = getPosition()
memcpy(p,s.c_str(),s.length()+1);
cout << s << endl;
cout << buffer << endl;
return 0;
}
如果您需要更多详细信息,请与我们联系
答案 1 :(得分:1)
memcpy()
,memmove()
,CopyMemory()
和MoveMemory()
都可以用作Marshal.Copy()
的本机等效项。至于位置处理,所有.NET代码都是将整数转换为指针,您也可以在C ++中执行此操作。您展示的.NET代码与以下内容完全相同:
std::string byteName = "Hello There";
int positionMemory = getPosition();
memcpy(reinterpret_cast<void*>(positionMemory), byteName.c_str(), byteName.length());