下面的脚本使用$ myContent块并对$ myKeyword值执行doReplace()函数。我遇到的问题是,它不知道替换文本是否已经在标记内。
我需要修改doReplace()函数,使其不会触及任何文本内部或作为命名标记的属性(h1,h2,h3,i,u,b,strong,em,img)。 / p>
我认为最好将其转换为xPath方法,并寻找有关如何使用xPath完成建议的建议。所以问题是:“你如何将它转换为xPath”?
注意:replace函数中的count变量就在那里,因为我只是替换了关键字的前三个外观。第一次看起来它变得粗体,下次它变为斜体,第三次出现时,它会加下划线。
$myKeyword = "test keyword";
$myContent = "My content contains the "test keyword".
Don't do the replace if the test keyword is inside:
h1, h2, h3, i, u, b, strong, em, tags.
<h1>This test keyword would not be replaced</h1>";
$myContent = preg_replace_callback("/\b($mykeyword)\b/i","doReplace", $myContent);
function doReplace($matches)
{
static $count = 0;
switch($count++) {
case 0: return ' <b>'.trim($matches[1]).'</b>';
case 1: return ' <em>'.trim($matches[1]).'</em>';
case 2: return ' <u>'.trim($matches[1]).'</u>';
default: return $matches[1];
}
}
答案 0 :(得分:1)
你不能在XPath 1.0和2.0中,因为你需要递归来表达这个算法。当然,你可以使用扩展功能。
这个XQuery:
declare variable $match as xs:string external;
declare variable $replace as xs:string external;
declare variable $preserve as xs:string external;
declare variable $vPreserve := tokenize($preserve,',');
declare function local:copy-replace($element as element()) {
element {node-name($element)}
{$element/@*,
for $child in $element/node()
return if ($child instance of element())
then local:copy-replace($child)
else if ($child instance of text() and
not(name($element)=$vPreserve))
then replace($child,$match,$replace)
else $child
}
};
local:copy-replace(/*)
使用此输入:
<html>
<h1>This test keyword would not be replaced</h1>
<p>This test keyword should be replaced</p>
</html>
输出:
<html>
<h1>This test keyword would not be replaced</h1>
<p>This replaced should be replaced</p>
</html>
此样式表:
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml"/>
<xsl:param name="pMatch" select="'test keyword'"/>
<xsl:param name="pReplace" select="'replaced'"/>
<xsl:param name="pPreserve" select="'h1,h2,h3,i,u,b,strong,em'"/>
<xsl:template match="node()|@*">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
<xsl:template match="text()">
<xsl:choose>
<xsl:when test="contains(concat(',',$pPreserve,','),
concat(',',name(..),','))">
<xsl:value-of select="."/>
</xsl:when>
<xsl:otherwise>
<xsl:call-template name="replace"/>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template name="replace">
<xsl:param name="pString" select="."/>
<xsl:choose>
<xsl:when test="contains($pString,$pMatch)">
<xsl:value-of
select="concat(substring-before($pString,
$pMatch),
$pReplace)"/>
<xsl:call-template name="replace">
<xsl:with-param name="pString"
select="substring-after($pString,
$pMatch)"/>
</xsl:call-template>
</xsl:when>
<xsl:otherwise>
<xsl:value-of select="$pString"/>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
</xsl:stylesheet>
编辑:更好的XQuery。