Csharp 简明教程
C
当以 unsafe 修饰符标记时,C# 允许在代码块函数中使用指针变量。 unsafe code 或非托管代码是一个使用 pointer 变量的代码块。
Pointers
pointer 是一个变量,其值为另一个变量的地址,即内存位置的直接地址。与任何变量或常量类似,您必须先声明一个指针,才能用它存储任何变量地址。
指针声明的一般形式为 −
type *var-name;
以下是有效的指针声明−
int *ip; /* pointer to an integer */
double *dp; /* pointer to a double */
float *fp; /* pointer to a float */
char *ch /* pointer to a character */
以下示例演示使用不安全修饰符在 C# 中使用指针−
using System;
namespace UnsafeCodeApplication {
class Program {
static unsafe void Main(string[] args) {
int var = 20;
int* p = &var;
Console.WriteLine("Data is: {0} ", var);
Console.WriteLine("Address is: {0}", (int)p);
Console.ReadKey();
}
}
}
编译并执行上述代码后,它将产生以下结果−
Data is: 20
Address is: 99215364
除了将整个方法声明为不安全代码,您还可以将代码的一部分声明为不安全代码。以下部分中的示例演示了这一点。
Retrieving the Data Value Using a Pointer
您可以使用 ToString() 方法检索指针变量引用的位置处存储的数据。以下示例演示了这一点−
using System;
namespace UnsafeCodeApplication {
class Program {
public static void Main() {
unsafe {
int var = 20;
int* p = &var;
Console.WriteLine("Data is: {0} " , var);
Console.WriteLine("Data is: {0} " , p->ToString());
Console.WriteLine("Address is: {0} " , (int)p);
}
Console.ReadKey();
}
}
}
编译并执行上述代码后,它将产生以下结果−
Data is: 20
Data is: 20
Address is: 77128984
Passing Pointers as Parameters to Methods
您可以将指针变量作为参数传递给方法。以下示例说明了这一点−
using System;
namespace UnsafeCodeApplication {
class TestPointer {
public unsafe void swap(int* p, int *q) {
int temp = *p;
*p = *q;
*q = temp;
}
public unsafe static void Main() {
TestPointer p = new TestPointer();
int var1 = 10;
int var2 = 20;
int* x = &var1;
int* y = &var2;
Console.WriteLine("Before Swap: var1:{0}, var2: {1}", var1, var2);
p.swap(x, y);
Console.WriteLine("After Swap: var1:{0}, var2: {1}", var1, var2);
Console.ReadKey();
}
}
}
编译并执行上述代码后,将产生以下结果 −
Before Swap: var1: 10, var2: 20
After Swap: var1: 20, var2: 10
Accessing Array Elements Using a Pointer
在 C# 中,数组名称和指向与数组数据类型相同的数据类型的指针不是同一种变量类型。例如,int *p 和 int[] p,不是同一种类型。您可以对指针变量 p 进行递增,因为它不会固定在内存中,但数组地址在内存中是固定的,您无法对它进行递增。
因此,如果您需要使用指针变量访问数组数据,正如我们通常在 C 或 C++(请检查: C Pointers ) 中所做的那样,您需要使用 fixed 关键字修复指针。
以下示例演示了这一点−
using System;
namespace UnsafeCodeApplication {
class TestPointer {
public unsafe static void Main() {
int[] list = {10, 100, 200};
fixed(int *ptr = list)
/* let us have array address in pointer */
for ( int i = 0; i < 3; i++) {
Console.WriteLine("Address of list[{0}]={1}",i,(int)(ptr + i));
Console.WriteLine("Value of list[{0}]={1}", i, *(ptr + i));
}
Console.ReadKey();
}
}
}
编译并执行上述代码后,它将产生以下结果−
Address of list[0] = 31627168
Value of list[0] = 10
Address of list[1] = 31627172
Value of list[1] = 100
Address of list[2] = 31627176
Value of list[2] = 200