私はC#で次のコードを利用していforeach
ます。あるループでは、を変更しList<T>
、別のループではstring
配列を変更しています。
反復変数に値またはnullを直接割り当てることはできませんが、そのプロパティを変更することはでき、変更はList
finallyに反映されます。
つまり、これは基本的に、反復変数がリスト内の要素への参照であることを意味します。それでは、なぜ直接値を割り当てることができないのでしょうか。
class Program
{
public static void Main(string[] args)
{
List<Student> lstStudents = Student.GetStudents();
foreach (Student st in lstStudents)
{
// st is modified and the modification shows in the lstStudents
st.RollNo = st.RollNo + 1;
// not allowed
st = null;
}
string[] names = new string[] { "me", "you", "us" };
foreach (string str in names)
{
// modifying str is not allowed
str = str + "abc";
}
}
}
学生クラス:
class Student
{
public int RollNo { get; set; }
public string Name { get; set; }
public static List<Student> GetStudents()
{
List<Student> lstStudents = new List<Student>();
lstStudents.Add(new Student() { RollNo = 1, Name = "Me" });
lstStudents.Add(new Student() { RollNo = 2, Name = "You" });
lstStudents.Add(new Student() { RollNo = 3, Name = "Us" });
return lstStudents;
}
}