ref 要求变量必须在传递之前进行初始化(赋初值),但调用时可以对它什么也不做;而out 在调用*之前*,并不需要为这一形参的变量赋予初始值。
class Program { static void Main(string[] args) { Program pg = new Program(); int x =0; int y = 0; pg.getnull(ref x, ref y);//这里x,y必须为已经赋过初值的,否则编译不通过 Console.WriteLine("x=" + x + ",y=" + y);//输出为:x=0,y=0,原值没有改变,因为是空方法 pg.GetValue(ref x, ref y);//这里x,y已经赋过初值的 Console.WriteLine("x=" + x + ",y=" + y);//输出为:x=1,y=2 Console.ReadLine(); } public void getnull(ref int x, ref int y) { } public void GetValue(ref int x, ref int y) { x++; y = y + 2; } }
out 只能用来将值从方法中传出。不管外界是什么值,使用了out是要把参数清空的,然后函数体中必须对其赋值。也就是说,在调用*之时*的函数体内部必须对out修饰的变量赋值。
class Program { static void Main(string[] args) { Program pg = new Program(); int x =0; int y = 0; pg.getnull(out x,out y);//这里x,y不需要赋初值,赋了也没关系,但会清零;注意:** 调用函数时必须写关键字out ** 因为参数与关键字是一起传递的 Console.WriteLine("x=" + x + ",y=" + y);//输出为:x=3,y=3,原值没有改变,因为是空方法 pg.GetValue(out x, out y);//这里x,y已经赋过初值的 Console.WriteLine("x=" + x + ",y=" + y);//输出为:x=12,y=21 Console.ReadLine(); } public void getnull(out int x, out int y)//如果函数体中没有给x,y赋初值(即下面函数体为空),那么编辑器会提示“控制离开当前方法之前必须对out参数x赋初值”,编译不通过 { x = 3;//这里我们赋值,不赋值编译不通过 y = 3; } public void GetValue(out int x, out int y) { //x++;//同样如果这么写会提示“使用了未赋值的out参数 x”,所以不可以这么直接 x++ //y = y + 2;//同上 //我们改为下边写法,就可以编译通过 x = 12; y = 12; //这个函数和getnull的功能就完全相同了 } }
简单说就是ref有进有出(或无出),out无进有出。