2

我想使用 xslt 从 xml 创建一个平面文件,此输出的顺序如下所示:

NM1*CC*1*Smith*John****34*999999999~
N3*100 大街~

从此 XML:

<Claim>
 <Claimant
    lastName="Smith"
    firstName="John"
    middleName=""
    suffixName=""
    indentificationCodeQualifier="34"
    identificationCode="999999999">
    <ClaimantStreetLocation
        primary="100 Main Street"
        secondary=""/>
 </Claimant>
</Claim>

使用我创建的 XSLT,由于 XSLT 在遍历我假设的输入树时的工作原理,我以相反的所需顺序获得输出,如下所示:

N3*100 Main Street~
NM1*CC*1*Smith*John****34*999999999~

我需要更改/添加什么来获得我正在寻找的 XSLT 的订单,如下所示:`

<xsl:template match="Claim/Claimant">
    <xsl:apply-templates />
    <xsl:text>NM1*CC*1*</xsl:text>
    <xsl:value-of select="@lastName" />
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@firstName" />
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@middleName" />
    <xsl:text>*</xsl:text>
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@suffixName" />
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@indentificationCodeQualifier" />
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@identificationCode" />
    <xsl:text>~</xsl:text>
    <xsl:text>
    </xsl:text>
</xsl:template>

<xsl:template match="Claim/Claimant/ClaimantStreetLocation">
    <xsl:apply-templates />
    <xsl:text>N3*</xsl:text>
    <xsl:value-of select="@primary" />
    <xsl:text>~</xsl:text>
    <xsl:text>
    </xsl:text>
</xsl:template>`

有没有办法在不将两个标签合并为一个的情况下做到这一点?

对于任何反馈,我们都表示感谢。

我不知道这是否重要,但我正在使用 xalan-java 来处理代码中的 xslt。

4

1 回答 1

2

如果要在子级之前处理父级,则应将 apply-templates 移动到父级模板的末尾:

<xsl:template match="Claim/Claimant">
    <xsl:text>NM1*CC*1*</xsl:text>
    <xsl:value-of select="@lastName" />
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@firstName" />
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@middleName" />
    <xsl:text>*</xsl:text>
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@suffixName" />
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@indentificationCodeQualifier" />
    <xsl:text>*</xsl:text>
    <xsl:value-of select="@identificationCode" />
    <xsl:text>~</xsl:text>
    <xsl:text>
    </xsl:text>
    <xsl:apply-templates />
</xsl:template>

<xsl:template match="ClaimantStreetLocation">
    <xsl:apply-templates />
    <xsl:text>N3*</xsl:text>
    <xsl:value-of select="@primary" />
    <xsl:text>~</xsl:text>
    <xsl:text>
    </xsl:text>
</xsl:template>`

更新:这里发生的事情是:

  1. 处理的第一个元素是 Claim,但没有与之匹配的模板,因此应用默认模板,该模板为其子节点处理模板。

  2. 在那里,第一个孩子是 Claimant,你确实有一个与之匹配的模板,所以它被应用了。

  3. 接下来,按顺序处理该模板。但关键点是 apply-templates 在其默认选择中省略了属性(请参阅 What is the default select of XSLT apply-templates?),因此唯一匹配的节点是 ClaimantStreetLocation 元素。

  4. 假设您有一个与 ClaimantStreetLocation 匹配的模板,它就会被应用。因此,如果您想首先处理属性,您应该延迟应用模板,直到它们被手动选择。

于 2013-05-14T19:37:53.603 回答