C#指针(内存地址)IntPtr
IntPtr结构体全称为Integer Pointer,指针变量,主要用来保存寄存器起始地址的指针,如分配大内存的代码,并且可以进行指针偏移处理
int[] data = new int[] { 1, 2, 3, 4, 5 };
IntPtr ptr = Marshal.AllocHGlobal(data.Length * sizeof(int));
Marshal.Copy(data, 0, ptr, data.Length);
// 指针偏移
IntPtr nextPtr = ptr + 1; // 将指针向前移动一个字节
代码讲解
在.NET中,创建一个类的实例(如MyClass myObject = new MyClass();)时,会在托管堆上分配内存来存储该对象。这个内存分配与垃圾收集器(Garbage Collector,GC)的管理和控制有关。
当你使用GCHandle.Alloc(myObject, GCHandleType.Pinned)时,并不是分配了新的内存,而是将已经分配的内存中的对象的地址固定(或称为“钉住”),使其不会被垃圾收集器移动。这是为了防止在与非托管代码交互时,对象的地址发生变化导致的问题。因此,不会因为调用Alloc而占用两块内存。
GCHandle.Alloc方法只是增加了对原有对象的引用,并确保了对象在内存中的位置保持不变。handle.Free()调用是减少这种引用,并且取消对对象位置的固定,允许垃圾收集器在需要时移动和回收它。
总结来说,实例化MyClass和调用GCHandle.Alloc之间不会发生重复内存分配。前者是在托管堆上创建对象,后者是确保对象在内存中的地址固定,两者操作的内存区域是同一块。
示例代码
using System;
using System.Runtime.InteropServices;
class MyClass
{
public int MyProperty { get; set; }
}
class Program
{
static void Main()
{
MyClass myObject = new MyClass();
// 方法1: 使用GCHandle分配托管对象句柄
GCHandle handle = GCHandle.Alloc(myObject, GCHandleType.Pinned);
IntPtr pointerAddress = handle.AddrOfPinnedObject();
Console.WriteLine("Pointer Address (Method 1): " + pointerAddress);
handle.Free(); // 释放句柄资源
// 方法2: 使用Marshal.GetIUnknownForObject转换对象为非托管接口指针
IntPtr pointerAddress2 = Marshal.GetIUnknownForObject(myObject);
Console.WriteLine("Pointer Address (Method 2): " + pointerAddress2);
}
}