如果我有以下HTML页面
<div>
<p>
Hello world!
</p>
<p> <a href="example.com"> Hello and Hello again this is an example</a></p>
</div>
我想获得特定的单词,例如'hello',并将其更改为'welcome',无论它们在文档中的位置
你有什么建议吗?我会很高兴得到您的答案,无论您使用哪种类型的解析器?使用XSLT很容易做到这一点。
XSLT 1.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="yes"/>
<xsl:strip-space elements="*"/>
<xsl:param name="pTarget" select="'hello'"/>
<xsl:param name="pReplacement" select="'welcome'"/>
<xsl:variable name="vtargetLength" select=
"string-length($pTarget)"/>
<xsl:variable name="vUpper" select=
"'ABCDEFGHIJKLMNOPQRSTUVWXYZ'"/>
<xsl:variable name="vLower" select=
"'abcdefghijklmnopqrstuvwxyz'"/>
<xsl:template match="node()|@*">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
<xsl:template match="text()" name="replace">
<xsl:param name="pText" select="."/>
<xsl:variable name="vLowerText" select=
"translate($pText,$vUpper,$vLower)"/>
<xsl:choose>
<xsl:when test=
"not(contains(concat(' ', $vLowerText, ' '),
concat(' ',$pTarget,' ')
)
)">
<xsl:value-of select="$pText"/>
</xsl:when>
<xsl:otherwise>
<xsl:variable name="vOffset" select=
"string-length(
substring-before(concat(' ', $vLowerText, ' '),
concat(' ', $pTarget,' ')
)
)"/>
<xsl:value-of select="substring($pText, 1, $vOffset)"/>
<xsl:value-of select="$pReplacement"/>
<xsl:call-template name="replace">
<xsl:with-param name="pText" select=
"substring($pText, $vOffset + $vtargetLength+1)"/>
</xsl:call-template>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
</xsl:stylesheet>
,当对提供的XML文档应用此转换:
<div>
<p>
Hello world!
</p>
<p> <a href="example.com"> Hello and Hello again this is an example</a></p>
</div>
生成所需的正确结果:
<div>
<p>
welcome world!
</p>
<p>
<a href="example.com"> welcome and welcome again this is an example</a>
</p>
</div>
我的假设是匹配和替换是不区分大小写的(即:"hello"one_answers"hello"都应该换成"welcome")。如果需要区分大小写的匹配,则可以大大简化转换。
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="yes"/>
<xsl:param name="pTarget" select="'hello'"/>
<xsl:param name="pReplacement" select="'welcome'"/>
<xsl:template match="node()|@*">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
<xsl:template match="text()[matches(.,$pTarget, 'i')]">
<xsl:variable name="vEnlargedRep" select=
"replace(concat(' ',.,' '),
concat(' ',$pTarget,' '),
concat(' ',$pReplacement,' '),
'i')"/>
<xsl:variable name="vLen" select="string-length($vEnlargedRep)"/>
<xsl:sequence select=
"substring($vEnlargedRep,2, $vLen -2)"/>
</xsl:template>
</xsl:stylesheet>
当对提供的XML文档应用此转换时(如上所示),再次生成所需的正确结果:
<div>
<p>
welcome world!
</p>
<p>
<a href="example.com"> welcome and welcome again this is an example</a>
</p>
</div>
说明:使用标准XPath 2.0函数 matches()
和 replace()
指定第三个参数"i"
——一个不区分大小写的操作标志。