0

我希望这是一个简单的,虽然它似乎往往不是......

我正在使用XLST 1.0,我有一个需要的字符串translate。此字符串是用户输入的文本字段。它包含几个由分隔符分隔的较小字符串。(在这种情况下,它是“|”。)这个字符串的长度和特殊字符的数量变化很大。

(此字段类似于 CSV 列表,但不是使用逗号作为分隔符,而是使用“|”作为分隔符。)

我需要学习如何将此分隔符更改为<br>.

我尝试使用以下 XSL 来实现此目的:

<xsl:variable name="stringtotrans">
    <xsl:text>String1|String2|String3</xsl:text>
</xsl:vairable>
    <!-- In the actual XML document, this variable grabs the value of an attribute. -->
    <!-- For this example, it's being entered manually. -->
    <!-- The number and length of the individual strings varies widely. -->

<xsl:value-of select="translate($stringtotrans, '|', '&#xA;&#xD;')"/>

运行此代码时,输​​出为:

String1String2String3

预期/期望的输出是:

String1
String2
String3

对此的任何和所有帮助将不胜感激!

4

2 回答 2

1

translate()函数从一个字符映射到另一个字符。在您的情况下,您将替换|&#xA;(第一个字符),即换行符(LF)。这可能适用于 LF 通常标记行尾的 Unix 系统,但不适用于 Windows,例如,行尾标记为 CR+LF ( &#xD;&#xA;)。

有关 XML 中 EOL 的更多详细信息,请参阅如何在 XML 文件中添加换行符(换行符)?

要在 XSLT 1.0 中用字符串替换字符,请参阅Michael 的 replace 递归模板

于 2016-03-07T22:55:47.833 回答
1

我需要学习如何将此分隔符更改为<br>.

以下样式表:

XSLT 1.0

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

<xsl:template match="/">

    <xsl:variable name="stringtotrans">
        <xsl:text>String1|String2|String3</xsl:text>
    </xsl:variable>

    <p>
        <xsl:call-template name="tokenize">
            <xsl:with-param name="text" select="$stringtotrans"/>
        </xsl:call-template>
    </p>
</xsl:template>

<xsl:template name="tokenize">
    <xsl:param name="text"/>
    <xsl:param name="delimiter" select="'|'"/>
    <xsl:choose>
        <xsl:when test="contains($text, $delimiter)">
            <xsl:value-of select="substring-before($text, $delimiter)"/>
            <br/>
            <!-- recursive call -->
            <xsl:call-template name="tokenize">
                <xsl:with-param name="text" select="substring-after($text, $delimiter)"/>
            </xsl:call-template>
        </xsl:when>
        <xsl:otherwise>
            <xsl:value-of select="$text"/>
        </xsl:otherwise>
    </xsl:choose>
</xsl:template>

</xsl:stylesheet>

应用于任何 XML 输入,将返回:

<p>String1<br>String2<br>String3</p>
于 2016-03-08T14:42:35.437 回答