7

我有一个名为Profile的类,它具有一些简单的属性,然后它可以具有ProfileItem的集合,该集合再次具有一些简单的属性,然后它可以具有ProfileItem的集合(RECURSION)。

现在我正在尝试使用 VB.NET (3.5) 附带的 XML Literals 生成一个非常简单的保存函数。

我正在使用的代码如下:

  Dim xdoc As XDocument = _
            <?xml version="1.0" encoding="utf-8"?>
            <profiles>
                <%= _
                    From p In _Profiles _
                    Select <profile name=<%= p.Name %>>
                               <%= _
                                   From i In p.GetProfileItems _
                                   Select <item>
                                              <name><%= i.Name %></name>
                                              <action><%= i.Action.ToString %></action>
                                              <type><%= i.Type.ToString %></type>
                                              <arguments><%= i.Arguments %></arguments>
                                              <dependencies>
                                                  <%= _
                                                      From d In i.GetDependencies _
                                                      Select <dependency>
                                                                 <name><%= d.Name %></name>
                                                             </dependency> _
                                                  %>
                                              </dependencies>
                                          </item> _
                               %>
                           </profile> _
                %>
            </profiles>

与标签相关的部分应该是递归的,但我不知道它是否以某种方式受到这种语法的支持。

我应该重写所有避免使用 XML Literal 来实现递归吗?

4

1 回答 1

9

递归是我喜欢 VB.NET XML Literals 的原因之一!

为了进行递归,您需要一个接受 ProfileItems 集合并返回 XElement 的函数。然后您可以在 XML Literal 中递归调用该函数。

此外,为了使递归工作,GetProfileItems 和 GetDependencies 需要具有相同的名称(重命名其中之一)并以相同的 Xml 元素结构显示。下面是递归函数的样子:

Function GetProfileItemsElement(ByVal Items As List(Of ProfileItem) As XElement
    Return <items>
               <%= From i In Items _
                   Select <item>
                              <name><%= i.Name %></name>
                              <!-- other elements here -->
                              <%= GetProfileItemsElement(i.GetDependencies) %>
                          </item> %>
           </items>
End Function

当您到达一个为 GetDependencies 函数返回一个空列表的项目时,递归将结束。在这种情况下,嵌套items元素将为空:<items/>。XML Literals 足够聪明,可以items在没有任何子元素时组合开始和结束标记。

于 2009-07-28T18:00:03.553 回答