深度克隆对象后清除主键
本文关键字:清除 对象 深度 | 更新日期: 2023-09-27 18:23:39
我有以下LINQ到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;
}