标签:
不多说,先看代码。
namespace ConsoleApplication1
{
public class Program
{
static void Main(string[] args)
{
//Normal
string normal = "normal";
TestNormal(normal);
Console.WriteLine(normal); //输出Normal
Console.ReadKey();
//Test Ref
string tempRef = "before"; //ref必须在执行相应方法前赋值,否则抛错
TestRef(ref tempRef);
Console.WriteLine(tempRef); //输出before1
Console.ReadKey();
//Test Out
string tempOut;
TestOut(out tempOut);
Console.WriteLine(tempOut); //输出after1
Console.ReadKey();
}
static void TestNormal(string normalString) //TestNormal方法
{
normalString = normalString + "1";
}
static void TestRef(ref string tempRef) //TestRef方法
{
tempRef = tempRef + "1";
}
static void TestOut(out string tempOut) //TestOut方法
{
tempOut = "after"; //out必须在相应方法中进行初始化,否则抛错
tempOut = tempOut + "1";
}
}
}
代码包含3个方法,分别是TestNormal,TestRef,TestOut。
其中Normal部分,虽然执行TestNormal方法,但是并没有改变之前定义好的参数string normal = "normal"; 所以输出的时候,不会+"1"
C#语言中,参数的传递一共有两种方法,值传递和引用传递。而ref与out这两种方式都属于引用传递。因此执行完TestRef和TestOut之后,都会改变传入的参数。
ref的特点是有进有出,即在传递参数之前就已经对它进行赋值,在传入方法体时,是将该数的地址传了进来,如果对其进行相应的赋值操作,直接改的是地址里的值,所以,当该方法执行完,该数的值也就跟着改变了。
out在方法接收参数后,对它进行初始化(如果没有初始化,将会报错的),其余的用法都和ref一样。
对于Out来说,在Out参数所在的方法内,必须先要初始化相应的参数。具体可以看下代码中的注释。
标签:
原文地址:http://www.cnblogs.com/kykstyle/p/4881135.html