方法是一組在一起執(zhí)行任務(wù)的語(yǔ)句。每個(gè) C# 程序都至少有一個(gè)含有方法的類,名為 Main。
若要使用方法,您需要:
當(dāng)你定義一個(gè)方法時(shí),你基本上要聲明其結(jié)構(gòu)的組成元素。在 C# 中定義方法的語(yǔ)法如下所示:
<Access Specifier> <Return Type> <Method Name>(Parameter List)
{
Method Body
}
以下是方法中的各種元素:
示例
下面的代碼段顯示了一個(gè)函數(shù) FindMax,從兩個(gè)整數(shù)值中,返回其中較大的一個(gè)。它具有公共訪問(wèn)說(shuō)明符,所以它可以通過(guò)使用類的外部例子來(lái)訪問(wèn)。
class NumberManipulator
{
public int FindMax(int num1, int num2)
{
/* local variable declaration */
int result;
if (num1 > num2)
result = num1;
else
result = num2;
return result;
}
...
}
你可以使用方法的名稱來(lái)調(diào)用方法。下面的示例說(shuō)明了這一點(diǎn):
using System;
namespace CalculatorApplication
{
class NumberManipulator
{
public int FindMax(int num1, int num2)
{
/* local variable declaration */
int result;
if (num1 > num2)
result = num1;
else
result = num2;
return result;
}
static void Main(string[] args)
{
/* local variable definition */
int a = 100;
int b = 200;
int ret;
NumberManipulator n = new NumberManipulator();
//calling the FindMax method
ret = n.FindMax(a, b);
Console.WriteLine("Max value is : {0}", ret );
Console.ReadLine();
}
}
}
編譯執(zhí)行上述代碼,得到如下結(jié)果:
Max value is : 200
你也可以通過(guò)使用類的實(shí)例來(lái)從其他類中調(diào)用公開(kāi)方法。
例如,F(xiàn)indMax 它屬于 NumberManipulator 類中的方法,你可以從另一個(gè)類測(cè)試中調(diào)用它。
using System;
namespace CalculatorApplication
{
class NumberManipulator
{
public int FindMax(int num1, int num2)
{
/* local variable declaration */
int result;
if(num1 > num2)
result = num1;
else
result = num2;
return result;
}
}
class Test
{
static void Main(string[] args)
{
/* local variable definition */
int a = 100;
int b = 200;
int ret;
NumberManipulator n = new NumberManipulator();
//calling the FindMax method
ret = n.FindMax(a, b);
Console.WriteLine("Max value is : {0}", ret );
Console.ReadLine();
}
}
}
編譯執(zhí)行上述代碼,得到如下結(jié)果:
Max value is : 200
有一種方法可以調(diào)用本身。這就是所謂的遞歸。下面是使用遞歸函數(shù)計(jì)算一個(gè)給定數(shù)字階乘的示例:
using System;
namespace CalculatorApplication
{
class NumberManipulator
{
public int factorial(int num)
{
/* local variable declaration */
int result;
if (num == 1)
{
return 1;
}
else
{
result = factorial(num - 1) * num;
return result;
}
}
static void Main(string[] args)
{
NumberManipulator n = new NumberManipulator();
//calling the factorial method
Console.WriteLine("Factorial of 6 is : {0}", n.factorial(6));
Console.WriteLine("Factorial of 7 is : {0}", n.factorial(7));
Console.WriteLine("Factorial of 8 is : {0}", n.factorial(8));
Console.ReadLine();
}
}
}
編譯執(zhí)行上述代碼,得到如下結(jié)果:
Factorial of 6 is: 720
Factorial of 7 is: 5040
Factorial of 8 is: 40320
當(dāng)調(diào)用帶參數(shù)的方法時(shí),您需要將參數(shù)傳遞給該方法。有三種方法,可以將參數(shù)傳遞給方法:
方法 | 描述 |
---|---|
值參數(shù) | 此方法將參數(shù)的實(shí)際值復(fù)制到該函數(shù)的形參。在這種情況下,對(duì)該參數(shù)在函數(shù)內(nèi)部所做的更改沒(méi)有對(duì)參數(shù)產(chǎn)生影響。 |
引用參數(shù) | 此方法將對(duì)實(shí)參的內(nèi)存位置的引用復(fù)制到形參。這意味著對(duì)參數(shù)所做的更改會(huì)影響參數(shù)本身。 |
輸出參數(shù) | 這種方法有助于返回多個(gè)值。 |
更多建議: