1

我正在尝试将 xml 中的所有数据转换为 SQL Server 中的字符串。

所以假设我有这样的xml:

<node1>
  <node2>
    <node3 att1="1">
      456
    </node3>
    <node4 att2="25"/>
  </node2>
</node1>

我想要的是得到这样的数据:

╔══════════════════════════╦════════════╗
║                     Name ║      Value ║
╠══════════════════════════╬════════════╣
║ node1/node2/node3        ║        456 ║
║ node1/node2/node3/@att1  ║          1 ║
║ node1/node2/node3/@att2  ║         25 ║
╚══════════════════════════╩════════════╝

我不太记得 XPath,我可以用递归查询(SQL FIDDLE)来做到这一点:

declare @data xml

set @data = '<root><node2><node3 att1="1">ggf</node3><node4 att2="25"/></node2></root>'

;with
CTE_xpath as (
  select
    T.C.value('local-name(.)', 'nvarchar(max)') as Name,
    T.C.query('./*') as elements,
    T.C.value('text()[1]', 'nvarchar(max)') as Value
  from @data.nodes('*') as T(c)

  union all

  select
    p.Name + '/' + T.C.value('local-name(.)', 'nvarchar(max)') as Name,
    T.C.query('./*') as elements,
    T.C.value('text()[1]', 'nvarchar(max)') as Value
  from CTE_xpath as p
    cross apply p.elements.nodes('*') as T(C)
  union all

  select
    p.Name + '/' +
    T.C.value('local-name(..)', 'nvarchar(max)') + '/@' +
    T.C.value('local-name(.)', 'nvarchar(max)') as Name,
    null as elements,
    T.C.value('.', 'nvarchar(max)') as Value
  from CTE_xpath as p
    cross apply p.elements.nodes('*/@*') as T(C)
)
select Name, Value
from CTE_xpath
where Value is not null

您如何看待,完成这项任务的最佳方法是什么?

4

1 回答 1

2

这是一个比托尼霍普金森评论中的更简洁的解决方案:

<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
  <xsl:output method="xml" indent="yes"/>

  <xsl:template match="/">
    <items>
      <xsl:apply-templates 
             select="(//* | //@*)[text()[normalize-space()] or
                                  not(self::*) and normalize-space()]" />
    </items>
  </xsl:template>

  <xsl:template match="@* | node()">
    <item value="{normalize-space()}">
      <xsl:attribute name="path">
        <xsl:apply-templates select="ancestor-or-self::node()[parent::node()]" 
                             mode="path" />
      </xsl:attribute>
    </item>
  </xsl:template>

  <xsl:template match="@* | node()" mode="path">
    <xsl:value-of select="concat('/',
                                 substring('@', 1, not(self::*)),
                                 name())"/>
  </xsl:template>
</xsl:stylesheet>

在您的示例输入上运行时的结果是:

<items>
  <item value="456" path="/node1/node2/node3" />
  <item value="1" path="/node1/node2/node3/@att1" />
  <item value="25" path="/node1/node2/node4/@att2" />
</items>

理论上应该可以使用更简洁直观的

<xsl:apply-templates select="//*[text()[normalize-space()]] |
                             //@*[normalize-space()]" />

但由于某种原因,这会使我的整个 IDE 崩溃,我不知道为什么。

于 2013-06-29T14:29:48.790 回答