我在 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;
}
}