指针在C\C++里面可是一个好东西
但是到的时代指针已经被封装起来
对用户不可见
这点java做的非常的彻底可能因为还存在一个托管C++
因此指针并没有完全废除
C#还是保留了指针的操作
要使用指针首先要对使用指针的代码用unsafe进行进行声明声明和public声明一样可以对整个类进行声明也可以是类里面某个方法或者属性在代码里什么后还需要修改工程项目的Build属性让编译器支持指针的操作
做好事前的工作就可以使用指针了指针的使用方法和C++下使用没有太多差别只要编译器不报错就没有太大问题
下面是对指针的一些使用上的理解
. 指针类型可以是实体变量(intdouble)也可以是enum同时也支持结构体变量struct但不能是类不过空指针可以指向类只不过空指针不能进行任何操作也只能把空指针作为传递对象来使用
.C#提供一个的关键字stackalloc用于申请堆栈内存注意这个申请内存分配的是栈内存当函数执行完毕后内存会被自动回收不过我想用这个栈内存基本可以解决%的问题而且使用的时候不必担心内存洩漏问题
.& 好像不直接支持堆内存的申请(这个来说很危险)不过我们可以通过调用win api 的方法进行申请这样就可以解决剩下%的问题堆内存申请的方法在MSDN里面有相关的文档具体实现代码见附
. 结构体是一个特殊的对象他与类的定义就差一个关键字使用方法也和类一样可以定义属性可以定义方法但是在进行指针操作的时候双方就有很大的差别了结构体可以通过sizeof()取得大小大小与结构体里有多少实体变量有关但是如果struck里定义了类的对象或者指针sizeof可能会编译不过(void* 的空指针例外不过需要在结构体声明处加上unsafe)
.fixed关键字目前了解的不多不过有一个很实用的例子可以让指针能够里的数组进行交互操作
byte[] buffer = new byte[];
fixed (byte* p = buffer)
{
P[] = ;
……
}
. 其它
.
附
public unsafe class Memory
{
// Handle for the process heap This handle is used in all calls to the
// HeapXXX APIs in the methods below
static int ph = GetProcessHeap();
// Private instance constructor to prevent instantiation
private Memory() { }
// Allocates a memory block of the given size The allocated memory is
// automatically initialized to zero
public static void* Alloc(int size)
{
void* result = HeapAlloc(ph HEAP_ZERO_MEMORY size);
if (result == null) throw new OutOfMemoryException();
return result;
}
// Copies count bytes from src to dst The source and destination
// blocks are permitted to overlap
public static void Copy(void* src void* dst int count)
{
byte* ps = (byte*)src;
byte* pd = (byte*)dst;
if (ps > pd)
{
for (; count != ; count) *pd++ = *ps++;
}
else if (ps < pd)
{
for (ps += count pd += count; count != ; count) *pd = *ps;
}
}
// Frees a memory block
public static void Free(void* block)
{
if (!HeapFree(ph block)) throw new InvalidOperationException();
}
// Reallocates a memory block If the reallocation request is for a
// larger size the additional region of memory is automatically
// initialized to zero
public static void* ReAlloc(void* block int size)
{
void* result = HeapReAlloc(ph HEAP_ZERO_MEMORY block size);
if (result == null) throw new OutOfMemoryException();
return result;
}
// Returns the size of a memory block
public static int SizeOf(void* block)
{
int result = HeapSize(ph block);
if (result == ) throw new InvalidOperationException();
return result;
}
// Heap API flags
const int HEAP_ZERO_MEMORY = x;
// Heap API functions
[DllImport(kernel)]
static extern int GetProcessHeap();
[DllImport(kernel)]
static extern void* HeapAlloc(int hHeap int flags int size);
[DllImport(kernel)]
static extern bool HeapFree(int hHeap int flags void* block);
[DllImport(kernel)]
static extern void* HeapReAlloc(int hHeap int flags
void* block int size);
[DllImport(kernel)]
static extern int HeapSize(int hHeap int flags void* block);
}