-2

如果我不正确,以下代码用于将字节数组复制到 C# 中的内存位置:

byte[] byteName = Encoding.ASCII.GetBytes("Hello There");

int positionMemory = getPosition();

Marshal.Copy(byteName, 0, new IntPtr(positionMemory), byteName.length);

如何在本机 C++ 中实现这一点?

4

2 回答 2

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;
}

如果您需要更多详细信息,请告诉我

于 2012-05-15T23:20:49.807 回答
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()); 
于 2012-05-16T01:46:56.040 回答