如何仅使用 xslt 删除 xml 标签

How to remove xml tags only using xslt

<document>
    <body>
        <p>
            <pPr>
                <autoSpaceDE/>
                <autoSpaceDN/>
                <adjustRightInd/>
                <spacing/>
                <rPr>
                    <rFonts/>
                    <b/>
                    <bCs/>
                    <lang/>
                </rPr>
            </pPr>
            <r>
                <rPr>
                    <rFonts/>
                    <b/>
                    <bCs/>
                    <lang/>
                </rPr>
                <t>Title</t>
            </r>
        </p>
    </body>
</document>

如何在不影响或删除其中文本的情况下删除一些标签 这是我在 xslt

之后的预期输出
<document><body><p>Title</p></body></document>

你可以使用这个:

<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:template match="@* | node()">
    <xsl:copy>
        <xsl:apply-templates select="@* | node()"/>
    </xsl:copy>
</xsl:template>
<xsl:template match="p">
    <xsl:copy>
        <xsl:value-of select="normalize-space(.)"/>
    </xsl:copy>
</xsl:template>
</xsl:stylesheet>

基本上,您可以遵循以下两种策略之一:

  1. identity transform 模板开始,默认复制所有内容;然后添加模板以匹配您要修改为例外的任何节点;这就是你开始做的 - 现在你只需要添加空 template/s 来删除你不想要的节点。

  2. 只选择你想要的节点;由于只有一个,在这种情况下,这将是迄今为止首选的策略:

XSLT 1.0

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

<xsl:template match="/">
    <p>
        <xsl:value-of select="document/body/p/r/t" />
    </p>
</xsl:template>

</xsl:stylesheet>

返回结果

<?xml version="1.0" encoding="UTF-8"?>
<p>Title</p>

以上假设您实际上想要 <t> 元素的特定值 - 而不仅仅是 any 文本 node/s 碰巧是 descendant/s 输入的 <p> 元素。如果此假设不正确,请改为执行此操作:

XSLT 1.0

<xsl:stylesheet version="1.0" 
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" version="1.0" encoding="UTF-8" indent="yes"/>
<xsl:strip-space elements="*"/>

<xsl:template match="/">
    <p>
        <xsl:value-of select="document/body/p" />
    </p>
</xsl:template>

</xsl:stylesheet>

这是我的答案,对我有好处

<xsl:template match="//*/text()">
  <xsl:if test="normalize-space(.)">
    <xsl:value-of select=
     "concat(normalize-space(.), '&#xA;')"/>
  </xsl:if>

  <xsl:apply-templates />
</xsl:template>

我用过这个,现在我的问题是如何删除具有空值的标签

<p/>

改造后如何消除那个标签?谢谢