パラメータとしての配列の受け渡し (C# プログラミング ガイド)
更新 : 2007 年 11 月
配列は、パラメータとしてメソッドに渡すことができます。配列は参照型であるため、メソッドで配列要素の値を変更できます。
パラメータとしての 1 次元配列の受け渡し
初期化された 1 次元配列をメソッドに渡すことができます。次に例を示します。
PrintArray(theArray);
上の行で呼び出されるメソッドは、次のように定義できます。
void PrintArray(int[] arr)
{
// method code
}
配列の初期化と受け渡しを 1 ステップで行うこともできます。たとえば、次のような方法があります。
PrintArray(new int[] { 1, 3, 5, 7, 9 });
使用例
次の例では、文字列配列を初期化し、パラメータとして PrintArray メソッドに渡しています。このメソッドでは、渡された配列の要素を表示します。
class ArrayClass
{
static void PrintArray(string[] arr)
{
for (int i = 0; i < arr.Length; i++)
{
System.Console.Write(arr[i] + "{0}", i < arr.Length - 1 ? " " : "");
}
System.Console.WriteLine();
}
static void Main()
{
// Declare and initialize an array:
string[] weekDays = { "Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat" };
// Pass the array as a parameter:
PrintArray(weekDays);
}
}
// Output: Sun Mon Tue Wed Thu Fri Sat
次の例では、2 次元配列を初期化し、PrintArray メソッドに渡しています。このメソッドでは、渡された配列の要素を表示します。
class ArrayClass2D
{
static void PrintArray(int[,] arr)
{
// Display the array elements:
for (int i = 0; i < 4; i++)
{
for (int j = 0; j < 2; j++)
{
System.Console.WriteLine("Element({0},{1})={2}", i, j, arr[i, j]);
}
}
}
static void Main()
{
// Pass the array as a parameter:
PrintArray(new int[,] { { 1, 2 }, { 3, 4 }, { 5, 6 }, { 7, 8 } });
// Keep the console window open in debug mode.
System.Console.WriteLine("Press any key to exit.");
System.Console.ReadKey();
}
}
/* Output:
Element(0,0)=1
Element(0,1)=2
Element(1,0)=3
Element(1,1)=4
Element(2,0)=5
Element(2,1)=6
Element(3,0)=7
Element(3,1)=8
*/
パラメータとしての多次元配列の受け渡し
初期化された多次元配列をメソッドに渡すことができます。たとえば、次の theArray が 2 次元配列だとします。
PrintArray(theArray);
上の行で呼び出されるメソッドは、次のように定義できます。
void PrintArray(int[,] arr)
{
// method code
}
配列の初期化と受け渡しを 1 ステップで行うこともできます。たとえば、次のような方法があります。
PrintArray(new int[,] { { 1, 2 }, { 3, 4 }, { 5, 6 }, { 7, 8 } });
// Keep the console window open in debug mode.
System.Console.WriteLine("Press any key to exit.");
System.Console.ReadKey();