我已使用单位名称转换此XML树: Dim = Dimension
Dim1
|---MG1
|---M1
|---M2
|---M3
|---MG31
|---MG32
Dim2
|---MG220
|---MG2222
...进入一个单位名单列表,其中每个单位可以拥有另一个具有无限层次结构的列表。现在我想将List转换为具有父/子层次结构的表格格式。
数据表应该是这样的:
Dimension...Parent..Child
Dim1........Dim1....MG1
Dim1........MG1.....M1
Dim1........MG1.....M2
Dim1........Dim1....MG2
Dim1........MG1.....M3
Dim1........M3......MG31
Dim1........M3......MG32
Dim2........Dim2....MG220
Dim2........MG220...MG2222
public class Unit
{
public String Name { get; set; }
public Unit Dimension { get; set; }
public UnitParent { get; set; }
public List<Unit> Children { get; set; }
}
问题:如何迭代List并将所有数据写入DataTable? 必须有一个我找不到的棘手的讽刺。
答案 0 :(得分:1)
递归是正确的方法,但我建议使用LINQ方法 - 尤其是当这个问题用LINQ标记时。
LINQ的一个好处是扩展方法可以消除很多复杂性并留下简单的查询来简单地表达业务逻辑。
所以这就是我用来压扁递归结构的东西:
public static IEnumerable<T> Flatten<T>(this Func<T, IEnumerable<T>> @this, T root)
{
var head = new [] { root, };
var tail =
from c in @this(root)
where !c.Equals(root)
from d in @this.Flatten(c)
select d;
return head.Concat(tail);
}
请注意对Flatten
的递归调用,并且这是在函数上定义的扩展方法,该函数返回给定父项的子项。
现在我们可以像这样定义Func<T, IEnumerable<T>>
:
Func<Unit, IEnumerable<Unit>> f = u => u.Children;
然后,假设所有Dimension
,Parent
和Children
属性都不为空,我们可以使用此查询生成要添加到表中的记录列表:< / p>
var records =
from r in dimensions
from d in f.Flatten(r)
select new
{
Dimension = d.Dimension.Name,
Parent = d.Parent.Name,
d.Name,
};
现在,如果任何属性为null
,则此处为修复程序。
将f
重新定义为:
Func<Unit, IEnumerable<Unit>> f = u => u.Children ?? new List<Unit>();
并添加此扩展方法:
public static R ValueOrNull<T, R>(this T @this, Func<T, R> selector)
where R : class
{
return @this != null ? selector(@this) : null;
}
现在查询的工作原理如下:
var records =
from r in dimensions
from d in f.Flatten(r)
select new
{
Dimension = d.Dimension.ValueOrNull(x => x.Name),
Parent = d.Parent.ValueOrNull(x => x.Name),
d.Name,
};
仍然非常相似,但null
安全。
我希望这会有所帮助。
答案 1 :(得分:0)
一个简单的递归算法会很好......
function AddSubTree(Unit unit) {
if (unit != unit.Dimension)
AddItemToDataTable(unit.Dimension.Name, unit.UnitParent.Name, unit.Name);
foreach (Unit childUnit in unit.Children) {
AddSubTree(childUnit);
}
}
您为每个维度对象调用AddSubTree