コンパイラ エラー CS0165
更新 : 2008 年 7 月
エラー メッセージ
未割り当てのローカル変数 'name' が使用されました。
C# コンパイラでは、初期化されていない変数を使用できません。初期化されていない可能性のある変数を検出した場合、コンパイラは CS0165 を生成します。詳細については、「フィールド (C# プログラミング ガイド)」を参照してください。このエラーは、代入なしの変数が使用されたと思われる構成要素が、特定のコードでは検出されなくてもコンパイラで検出された場合に生成されます。これにより、代入を確実に行うための非常に複雑な規則を使用する必要がなくなります。
このエラーが発生した場合
詳細については、https://blogs.msdn.com/ericlippert/archive/2006/08/18/706398.aspx を参照してください。
使用例
次の例では CS0165 エラーが生成されます。
// CS0165.cs
using System;
class MyClass
{
public int i;
}
class MyClass2
{
public static void Main(string [] args)
{
int i, j;
if (args[0] == "test")
{
i = 0;
}
/*
// to resolve, either initialize the variables when declared
// or provide for logic to initialize them, as follows:
else
{
i = 1;
}
*/
j = i; // CS0165, i might be uninitialized
MyClass myClass;
myClass.i = 0; // CS0165
// use new as follows
// MyClass myClass = new MyClass();
// myClass.i = 0;
}
}
次のコードは、Visual Studio 2008 では CS0165 を生成しますが、Visual Studio 2005 では生成しません。
//cs0165_2.cs
class Program
{
public static int Main()
{
int i1, i2, i3, i4, i5;
// this is an error, because 'as' is an operator
// that is not permitted in a constant expression.
if (null as object == null)
i1 = 1;
// this is an error, because 'is' is an operator that
// is not permitted in a constant expression.
// warning CS0184: The given expression is never of the provided ('object') type
if (!(null is object))
i2 = 1;
// this is an error, because a variable j3 is not
// permitted in a constant expression.
int j3 = 0;
if ((0 == j3 * 0) && (0 == 0 * j3))
i3 = 1;
// this is an error, because a variable j4 is not
// permitted in a constant expression.
int j4 = 0;
if ((0 == (j4 & 0)) && (0 == (0 & j4)))
i4 = 1;
// this might be an error, because a variable j5 is not
// permitted in a constant expression.
// warning CS1718: Comparison made to same variable; did you mean to compare something else?
int? j5 = 1;
if (j5 == j5)
i5 = 1;
System.Console.WriteLine("{0}{1}{2}{3}{4}{5}", i1, i2, i3, i4, i5); //CS0165
return 1;
}
}
このエラーは再帰的なデリゲート定義で発生し、2 つのステートメントでデリゲートを定義することで回避できます。
class Program
{
delegate void Del();
static void Main(string[] args)
{
Del d = delegate() { System.Console.WriteLine(d); }; //CS0165
// Try this instead:
// Del d = null;
//d = delegate() { System.Console.WriteLine(d); };
d();
}
}
履歴の変更
日付 |
履歴 |
理由 |
---|---|---|
2008 年 7 月 |
再帰的なデリゲートに関するテキストとコード例を追加 |
コンテンツ バグ修正 |