我上课了。
public class abc
{
public int i = 0;
public string a = "";
}
=======================================
现在,我在类型为abc class
的列表中插入一些记录List<abc> c = new System.Collections.Generic.List<abc>();
abc a = new abc();
a.a = "1";
a.i = 1;
c.Add(a);
a = new abc();
a.a = "1";
a.i = 2;
c.Add(a);
===========================================
创建列表变量并添加一些过滤后的记录。
List<abc> temp = new System.Collections.Generic.List<abc>();
temp.AddRange(c.Where(i => i.i == 1));
===============================================
Query =通过执行下面的代码行也会改变c变量。
我知道这两点都指向相同的内存位置。有没有办法修复这段代码?
foreach (abc d in temp)
{
d.i = 10;
}
答案 0 :(得分:4)
这不是“为什么更新列表会更新另一个列表?”
“为什么更新列表中的实例会更新另一个列表中的同一个实例?”
因为您使用的是class
和此类的相同实例。
List<abc> list1 = new List<abc>();
list1.Add(new abc()); // new abc() creates an instance of the abc() class. Let's call this instance myInstance
List<abc> list2 = new List<abc>();
list2.Add(list1[0]); // Here you add the same instance (ie. myInstance) to the list2
list1[0].a = 5; // You modify the instance myinstance
Console.WriteLine(list2[0].a); // Returns "5" (because it is always the same instance myIsntance)
为避免此行为,您有两种解决方案:
创建克隆方法以克隆具有相同值的abc实例。
public class abc
{
public int i = 0;
public string a = "";
public abc Clone(abc instanceToClone)
{
abc result = new abc();
result.i = instanceToClone.i;
result.a = instanceToClone.a;
}
}
或者用结构替换类(那么你有一个值类型,但你不能有字段初始值设定项)
public struct abc
{
public int i; // Initialized by default to 0
public string a; // Initialized by default to null
}
我建议你阅读这篇优秀的article来理解C#的“基本”概念。 (不是那么容易,但非常重要)
答案 1 :(得分:3)
随时根据需要创建对象的克隆。例如,如果i
和a
是属性 - 它们应该完全属于! - 你本来可以写的
temp.AddRange(c.Where(i => i.i == 1).Select(o => new abc { a = o.a, i = o.i}));
答案 2 :(得分:0)
对象实例所做的更新对该实例的每个所有者都是可见的。无论对象的位置有多少,或者包含它的集合类型都无关紧要,变化随处可见。这只是因为集合仅指向内存中的相同位置。无论你在哪里做出改变,它都会随处可见。
如果您需要避免此类行为,您有两个选择:
struct
代替class
public struct abc
{
int i;
string a;
}
abc a, b;
...
a.i = 1;
b = a;
/* new memory location is allocated for `b`, and values are copied from `a`.
therefore, updates made to `a` will not affect `b`*/
b.i = 2;
if (a.i == b.i)
throw new Exception("i values are same");