c#中方法的参数有四种类型
-
值参数类型(不加任何修饰符,是 默认的类型)
-
引用型参数(以ref修饰符声明)
-
输出型参数(以out修饰符声明)
-
数组型参数(以params修饰符声明)
1.值参数类型
- 值传递: 值类型是方法默认的参数类型,采用的是值拷贝的方式。也就是说,如果使用的是值类型,则可以在方法中更改该值,但当控制传递回调用过程时,不会保留更改的值。使用值类型的例子如下:(下面的Swap()未能实现交换的功能,因为控制传递回调用方时不保留更改的值)
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Demo11 { class Program { static void Swap(int x, int y) { int temp = x; x = y; y = temp; } static void Main(string[] args) { int i = 1,j = 2; Swap(i, j); Console.WriteLine("i={0},j={1}", i, j); } } } //输出结果为i=1;j=2;未能实现Swap()计划的功能
2.引用型参数
- 引用传递(ref类型): ref 关键字使参数按引用传递。其效果是,当控制权传递回调用方法时,在方法中对参数所做的任何更改都将反映在该变量中。
若要使用 ref 参数,则方法定义和调用方法都必须显式使用 ref 关键字。
传递到 ref 参数的参数必须最先初始化。这与 out 不同,out 的参数在传递之前不需要显式初始化。
如果一个方法采用 ref 或 out 参数,而另一个方法不采用这两类参数,则可以进行重载。
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Demo11 { class Program { static void Swap( ref int x,ref int y) { int temp = x; x = y; y = temp; } static void Main(string[] args) { int i = 1,j = 2; Swap(ref i, ref j); Console.WriteLine("i={0},j={1}", i, j); } } } //输出为i=2,j=1;
3.输出型参数
- 输出类型(out类型): out 关键字会导致参数通过引用来传递。这与 ref 关键字类似。 与 ref 的不同之处:
ref 要求变量必须在传递之前进行初始化,out 参数传递的变量不需要在传递之前进行初始化。
尽管作为 out 参数传递的变量不需要在传递之前进行初始化,但需要在调用方法初始化以便在方法返回之前赋值。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Demo11
{
class Program
{
static void Swap( out int x,out int y)
{
//在这里进行了i和j的初始化
x = 1;
y = 2;
int temp = x;
x = y;
y = temp;
}
static void Main(string[] args)
{
int i ,j ;
Swap(out i, out j);
Console.WriteLine("i={0},j={1}", i, j);
}
}
}
//输出为i=2,j=1;
4.数组型参数
- 数组型参数类型(params类型): params 关键字可以指定在参数数目可变处采用参数的方法参数。也就是说。使用params可以自动把你传入的值按照规则转换为一个新建的数组。
在方法声明中的 params 关键字之后不允许任何其他参数,并且在方法声明中只允许一个 params 关键字。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Demo11
{
class Program
{
private int Add(params int[] x)
{
int result = 0;
for (int i = 0; i < x.Length; i++)
{
result += x[i];
}
return result;
}
static void Main(string[] args)
{
Program pro = new Program();
Console.WriteLine("{0}+{1}={2}", 23, 34, pro.Add(23, 34));
Console.ReadLine();
}
}
}