深度克隆对象后清除主键
我有以下LINQ to SQL对象(例如)
class Parent{
int id; // primary key
IEnumerable<Child> children;
}
class Child{
int id; // primary key
string field1;
int field2;
}
我需要深入克隆一个Parent
并将其保存到数据库,但是对于COPIES的子节点,即不引用现有的子节点。
我已经使用这种方法来完成克隆,但是我正在寻找一种迭代父类和子类属性的优雅方式(假设可能有大量的子对象,级联远远超过1级),并将其主要键设置为0,这样当我将克隆的对象提交给数据库时,LINQ to SQL负责创建新的子项。
您可以尝试使用System.Reflection
的以下扩展方法:
public static T DeepCopy<T>(this T parent) where T : new()
{
var newParent = new T();
foreach (FieldInfo p in typeof(T).GetFields())
{
if (p.Name.ToLower() != "id")
p.SetValue(newParent, p.GetValue(parent));
else
p.SetValue(newParent, 0);
if (p.FieldType.IsGenericType &&
p.FieldType.GetGenericTypeDefinition() == typeof(IEnumerable<>))
{
dynamic children = p.GetValue(parent);
dynamic newChildren = p.GetValue(parent);
for (int i = 0; i < children.Length; i++)
{
var newChild = DeepCopy(children[i]);
newChildren.SetValue(newChild, i);
}
}
}
return newParent;
}
链接地址: http://www.djcxy.com/p/6969.html