下面說下相同點:
1:out關鍵字修飾的方法參數是輸出參數,和與引用類型(別忘記了ref是引用類型哦)類似,輸出型參數也不創建新的內存區域。
不同點:
1:在傳遞out變量之前可以不對變量進行初始化,而在方法返回之前,必須給out參數賦值(不明白看上面代碼的解析羅),ref 要求變量必須在傳遞之前進行初始化。
out關鍵字作用:
一般的方法就只返回一個參數,當希望方法返回多個值時,聲明 out 方法很有用。
例子:
static void Method(out int i, out string s1, out string s2)
{ i = 44;
s1 = "I've been returned";
s2 = null;
}
也就是在方法返回後給事前聲明的變量在方法中賦值了
看多一條out的例子吧:
class TestOut
{
static void SplitPath(string path, out string dir, out string name)
{
int i = path.Length;
//以下計算路徑的節點
while (i > 0)
{
char ch = path[i - 1];
if (ch == '\\' || ch == '/' || ch == ':')
break;
else
i--;
}
dir = path.Substring(0, i); //在path的字符串中從第0個開始取出前i個字符,並賦值到dir上
name = path.Substring(i); //在path的字符串中取出後i個字符,並賦值到name上
}
static void Main(string[] args)
{
string dir, name;
SplitPath("c:\\learncs\\hello.txt", out dir, out name);
Console.WriteLine(dir);
Console.WriteLine(name);
}
}