public void Foo(params string[] values)
{
}
values
がnull
になる可能性はありますか、それとも常に0
以上のアイテムで設定されますか?
絶対に-値がnullのstring []型の引数で呼び出すことができます。
string[] array = null;
Foo(array);
私はこれを自分でテストするためにいくつかのコードを書くことにしました。次のプログラムを使用します。
using System;
namespace TestParams
{
class Program
{
static void TestParamsStrings(params string[] strings)
{
if(strings == null)
{
Console.WriteLine("strings is null.");
}
else
{
Console.WriteLine("strings is not null.");
}
}
static void TestParamsInts(params int[] ints)
{
if (ints == null)
{
Console.WriteLine("ints is null.");
}
else
{
Console.WriteLine("ints is not null.");
}
}
static void Main(string[] args)
{
string[] stringArray = null;
TestParamsStrings(stringArray);
TestParamsStrings();
TestParamsStrings(null);
TestParamsStrings(null, null);
Console.WriteLine("-------");
int[] intArray = null;
TestParamsInts(intArray);
TestParamsInts();
TestParamsInts(null);
//TestParamsInts(null, null); -- Does not compile.
}
}
}
次の結果が得られます。
strings is null.
strings is not null.
strings is null.
strings is not null.
-------
ints is null.
ints is not null.
ints is null.
そのため、はい、paramsに関連付けられた配列がnullになる可能性は完全にあります。
私の最初の推測は、デフォルト値のnullを使用してパラメーターを宣言することでした。
static void Test(params object[] values = null) // does not compile
{
}
エラーCS1751:パラメータ配列のデフォルト値を指定できません
Nullを明示的に渡すことによってこの制限を回避する方法はすでに回答されています。
Jonの回答に加えて、次のようなものも使用できます。
string[] array1 = new string[]; //array is not null, but empty
Foo(array1);
string[] array2 = new string[] {null, null}; //array has two items: 2 null strings
Foo(array2);