指针在C\C++里面可是一个好东西,但是到java,.net的时代指针已经被封装起来,对用户不可见,这点java做的非常的彻底。.net可能因为还存在一个托管C++,因此指针并没有完全废除,C#还是保留了指针的操作。
要C#使用指针首先要对使用指针的代码用unsafe进行进行声明,声明和public声明一样,可以对整个类进行声明,也可以是类里面某个方法或者属性。在代码里什么后,还需要修改工程项目的Build属性,让编译器支持指针的操作。
做好事前的工作就可以C#使用指针了。指针的使用方法和C++下使用没有太多差别。只要编译器不报错就没有太大问题。
下面是对指针的一些使用上的理解:
1.指针类型可以是实体变量(int,double)也可以是enum,同时也支持结构体变量struct。但不能是类。不过空指针可以指向类,只不过空指针不能进行任何操作,也只能把空指针作为传递对象来使用。
2.C#提供一个的关键字stackalloc用于申请堆栈内存。注意,这个申请内存分配的是栈内存,当函数执行完毕后,内存会被自动回收。不过我想用这个栈内存基本可以解决40%的问题,而且使用的时候不必担心内存泄漏问题。
3 .net好像不直接支持堆内存的申请(这个对.net来说很危险),不过我们可以通过调用win32 api 的方法进行申请。这样就可以解决剩下40%的问题。堆内存申请的方法在MSDN里面有相关的文档,具体实现代码见附1。
4.结构体是一个特殊的对象。他与类的定义就差一个关键字,使用方法也和类一样,可以定义属性,可以定义方法。但是在进行指针操作的时候双方就有很大的差别了。结构体可以通过sizeof()取得大小,大小与结构体里有多少实体变量有关,但是如果struck里定义了类的对象,或者指针,sizeof可能会编译不过(void* 的空指针例外,不过需要在结构体声明处加上unsafe)。
5.fixed关键字:目前了解的不多,不过有一个很实用的例子可以让C#使用指针能够和.net里的数组进行交互操作:
- byte[]buffer=newbyte[100];
- fixed(byte*p=buffer)
- {
- P[0]=123;
- ……
- }
其它
- publicunsafeclassMemory
- {
- //Handlefortheprocessheap.Thishandleisusedinallcallstothe
- //HeapXXXAPIsinthemethodsbelow.
- staticintph=GetProcessHeap();
- //Privateinstanceconstructortopreventinstantiation.
- privateMemory(){}
- //Allocatesamemoryblockofthegivensize.Theallocatedmemoryis
- //automaticallyinitializedtozero.
- publicstaticvoid*Alloc(intsize)
- {
- void*result=HeapAlloc(ph,HEAP_ZERO_MEMORY,size);
- if(result==null)thrownewOutOfMemoryException();
- returnresult;
- }
- //Copiescountbytesfromsrctodst.Thesourceanddestination
- //blocksarepermittedtooverlap.
- publicstaticvoidCopy(void*src,void*dst,intcount)
- {
- byte*ps=(byte*)src;
- byte*pd=(byte*)dst;
- if(ps>pd)
- {
- for(;count!=0;count--)*pd++=*ps++;
- }
- elseif(ps<pd)
- {
- for(ps+=count,pd+=count;count!=0;count--)*--pd=*--ps;
- }
- }
- //Freesamemoryblock.
- publicstaticvoidFree(void*block)
- {
- if(!HeapFree(ph,0,block))thrownewInvalidOperationException();
- }
- //Re-allocatesamemoryblock.Ifthereallocationrequestisfora
- //largersize,theadditionalregionofmemoryisautomatically
- //initializedtozero.
- publicstaticvoid*ReAlloc(void*block,intsize)
- {
- void*result=HeapReAlloc(ph,HEAP_ZERO_MEMORY,block,size);
- if(result==null)thrownewOutOfMemoryException();
- returnresult;
- }
- //Returnsthesizeofamemoryblock.
- publicstaticintSizeOf(void*block)
- {
- intresult=HeapSize(ph,0,block);
- if(result==-1)thrownewInvalidOperationException();
- returnresult;
- }
- //HeapAPIflags
- constintHEAP_ZERO_MEMORY=0x00000008;
- //HeapAPIfunctions
- [DllImport("kernel32")]
- staticexternintGetProcessHeap();
- [DllImport("kernel32")]
- staticexternvoid*HeapAlloc(inthHeap,intflags,intsize);
- [DllImport("kernel32")]
- staticexternboolHeapFree(inthHeap,intflags,void*block);
- [DllImport("kernel32")]
- staticexternvoid*HeapReAlloc(inthHeap,intflags,
- void*block,intsize);
- [DllImport("kernel32")]
- staticexternintHeapSize(inthHeap,intflags,void*block);
- }
【编辑推荐】