XML 样式表 PI 的语法在spec中给出,因此,如果您想正确处理,只需为该语法编写解析器即可。由于该语言实际上是正则的,因此可以使用正则表达式对其进行正确解析。最大的复杂性可能是,由于 XML 规范不要求在处理指令中识别字符引用或预定义的实体引用,因此您可能需要自己负责处理这些内容。
至于你应该如何做,这取决于你在什么环境中工作。例如,这是一个 XQuery 函数,它完成这项工作并返回从处理指令中的伪属性创建的元素列表;如果 PI 与规范中给出的语法不匹配,它会返回一个名为error
.
declare function bmt:parse-sspi($s as xs:string)
as element()* {
if (bmt:check-sspi($s)) then
let $s1 := substring-after($s,"<?xml-stylesheet"),
$s2 := substring-before($s1,"?>")
return bmt:parse-pseudoatts($s2)
else <error/>
};
此函数将解析伪属性的实际工作交给一个单独的递归函数,该函数在每次调用时解析一个属性-值对:
declare function bmt:parse-pseudoatts($s as xs:string)
as element()* {
(: We know that $s is a syntactically legal sequence
of pseudo-attribute value specifications. So we
can get by with simpler patterns than we would
otherwise need.
:)
let $s1 := replace($s,"^\s+","")
return if ($s1 = "") then () else
let $s2 := substring-before($s, '='),
$Name := normalize-space($s2),
$s3 := substring-after($s, '='),
$s4 := replace($s3,"^\s+",""),
$Val := if (starts-with($s4,'"')) then
substring-before(
substring($s4,2),
'"')
else if (starts-with($s4,"'")) then
substring-before(
substring($s4,2),
"'")
else <ERROR/>,
$sRest := if (starts-with($s4,'"')) then
substring-after(
substring($s4,2),
'"')
else if (starts-with($s4,"'")) then
substring-after(
substring($s4,2),
"'")
else ""
return (element {$Name} { $Val },
bmt:parse-pseudoatts($sRest))
};
正如评论所表明的(如您所见),这两者都受益于提前知道 PI 实际上是合法的。因此,我们可以通过从字符串中第一个“=”之前的任何内容中去除空格来解析伪属性名称,依此类推。
正确性的保证由一个单独的check-sspi
函数提供,该函数系统地构造一个正则表达式,以便于将函数与规范中的语法进行比较,以检查函数是否正确。
declare function bmt:check-sspi($s as xs:string)
as xs:boolean {
let $pio := "<\?",
$kw := "xml-stylesheet",
$pic := "\?>",
$S := "\s+",
$optS := "\s*",
$Name := "\i\c*",
$CharRef := "&#[0-9]+;|&#x[0-9a-fA-F]+;",
$PredefinedEntityRef := concat("&amp;",
"|&lt;",
"|&gt;",
"|&quot;",
"|&apos;"),
$dq := '"',
$sq := "'",
$dqstring := concat($dq,
"(",
"[^", $dq, "<&]",
"|",
"$CharRef",
"|",
"$PredefinedEntityRef",
")*",
$dq),
$sqstring := concat($sq,
"(",
"[^",$sq,"<&]",
"|",
"$CharRef",
"|",
"$PredefinedEntityRef",
")*",
$sq),
$psAttVal := concat("(",$dqstring,"|",$sqstring,")"),
$pseudoAtt := concat("(",
$Name,
$optS, "=", $optS,
$psAttVal,
")"),
$sspi := concat($pio,
$kw,
"(", $S, $pseudoAtt, ")*",
$optS,
$pic),
$sspi2 := concat("^", $sspi, "$")
return if (matches($s,$sspi2)) then true() else false()
};
对于测试字符串
<?xml-stylesheet foo="bar"
href="http://www.w3.org/2008/09/xsd.xsl"
type='text/xsl'
?>
顶层parse-sspi
函数返回
<foo>bar</foo>
<href>http://www.w3.org/2008/09/xsd.xsl</href>
<type>text/xsl</type>
如果我们只使用单个 Perl 风格的正则表达式进行解析,这些函数可能会更紧凑一些。有些人可能会发现这种紧凑的形式更自然,更容易理解,有些人会更喜欢这里给出的不太简洁的表述。