这个 XSLT 2.0 转换:
<xsl:stylesheet version="2.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:xs="http://www.w3.org/2001/XMLSchema">
<xsl:output omit-xml-declaration="yes" indent="no"/>
<xsl:strip-space elements="*"/>
<xsl:param name="pmaxChars" as="xs:integer" select="200"/>
<xsl:variable name="vPass1">
<xsl:apply-templates select="/*"/>
</xsl:variable>
<xsl:template match="node()|@*" mode="#default pass2">
<xsl:copy>
<xsl:apply-templates select="node()|@*" mode="#current"/>
</xsl:copy>
</xsl:template>
<xsl:template match="/">
<xsl:apply-templates select="$vPass1" mode="pass2"/>
</xsl:template>
<xsl:template match=
"text()[sum(preceding::text()/string-length()) ge $pmaxChars]"/>
<xsl:template match="text()[not(following::text())]" mode="pass2">
<xsl:variable name="vPrecedingLength"
select="sum(preceding::text()/string-length())"/>
<xsl:variable name="vRemaininingLength"
select="$pmaxChars -$vPrecedingLength"/>
<xsl:sequence select=
"replace(.,
concat('(^.{0,', $vRemaininingLength, '})\W.*'),
'$1'
)
"/>
</xsl:template>
</xsl:stylesheet>
应用于提供的 XML 文档时:
<p>Lorem ipsum dolor sit amet, <b>consectetur adipisicing</b> elit, <i>sed do<sup>2</sup></i> eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.</p>
产生所需的正确结果(一个 XML 文档,其中所有文本节点的总长度不超过 200,截断是在单词边界上执行的,这是剩余最大可能总字符串长度的截断):
<p>Lorem ipsum dolor sit amet, <b>consectetur adipisicing</b> elit, <i>sed do<sup>2</sup></i> eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut</p>
说明:
这是一个通用解决方案,它接受最大数量的文本字符作为全局/外部参数$pmaxChars
。
这是一个两遍解决方案。在 pass1 中,标识规则被删除所有文本节点的模板覆盖,其起始字符的索引(在所有文本节点的总连接中)大于允许的最大字符数。因此, pass1 的结果是一个 XML 文档,其中最大允许长度的“中断”出现在最后一个文本节点中。
在 pass 2 中,我们使用与最后一个文本节点匹配的模板覆盖身份规则。我们使用replace()
函数:
……
replace(.,
concat('(^.{0,', $vRemaininingLength, '})\W.*'),
'$1'
)
这会导致完整的字符串被匹配并被括号之间的子表达式替换。此子表达式是动态构造的,它匹配从字符串开头开始并包含从 0 到$vRemaininingLength
(允许的最大长度减去所有前面的文本节点的总长度)字符的最长子字符串,并且紧跟在单词边界字符之后.
更新:
要摆脱由于修剪而没有文本节点后代(“空”)的结果元素,只需添加这个额外的模板:
<xsl:template match=
"*[(.//text())[1][sum(preceding::text()/string-length()) ge $pmaxChars]]"/>