0

我有一个 XML,它可能类似于以下内容之一:

// #1
<A>
     <B>... stuff ...</B>
</A>

// #2
<B>... stuff ...</B>

我需要将这些转换为一个响应节点,这两个实例看起来应该相同。有点像这样:

<fooMethodResponse>
    ... one thing from A if A was root ...
    ... stuff from B ...
</fooMethodResponse>

我怎样才能在不重复自己的情况下做到这一点?我现在已经这样做了:

<xsl:template match="/A">
        <fooMethodResponse>
            <xsl:apply-templates select="B" mode="get-B" />
        <xsl:element name="processId">
            <xsl:value-of select="@id" />
        </xsl:element>
    </fooMethodResponse>
</xsl:template>

<xsl:template match="/B">
    <fooMethodResponse>
        <xsl:apply-templates select="." mode="get-B" />
    </fooMethodResponse>
</xsl:template>

<xsl:template match="B" mode="get-B"></xsl:template>

这里的问题是我正在重复响应包装器,我只想将它放在一个地方。想我可以做这样的事情:

<xsl:template match="/">
    <fooMethodResponse>
        <xsl:choose>
            <xsl:when test="node name is A">
            <xsl:when test="node name is B">
        </xsl:choose>
    </fooMethodResponse>
</xsl:template>

但我不知道如何编写测试来检查根元素的节点名称。根元素的处理方式是否有所不同?


我想给出更准确的例子,但里面有很多商业内容,所以我试着把它归结为:p

4

2 回答 2

0

我不确定你想做什么,需要更精确的输入和输出样本。不过,以下 XSLT (1.0) 可以作为解决您问题的基础:

<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
    version="1.0">
    <xsl:template match="/">
        <fooMethodResponse>
            <xsl:apply-templates/>
        </fooMethodResponse>
    </xsl:template>
    <xsl:template match="A">
        <xsl:text>... one thing from A if A was root ...</xsl:text>
        <xsl:apply-templates/>
    </xsl:template>
    <xsl:template match="B">
        <xsl:text>... stuff from B ...</xsl:text>
    </xsl:template>
</xsl:stylesheet>

对于输入 #1 :

<A>
     <B>... stuff ...</B>
</A>

结果#1是:

<fooMethodResponse>... one thing from A if A was root ...
    ... stuff from B ...
</fooMethodResponse>

对于输入#2:

<B>... stuff ...</B>

结果 #2 是:

<fooMethodResponse>... stuff ...</fooMethodResponse>

希望这可以帮助!

于 2012-08-27T12:16:52.723 回答
0

您可以做的是将模式与|运算符结合起来,例如

<xsl:template match="/A[B] | /B">
  <fooMethodResponse>...</fooMethodResponse>
</xsl:template>

在你的情况下这是否有意义或简化事情我不确定,因为我不明白你想fooMethodResponse为这两个不同的元素放入什么。考虑为您发布的每个可能的输入样本拼出每个结果样本,我不清楚您当前的单个结果样本。

于 2012-08-27T12:16:59.250 回答