1

伪代码类似于:

 let $myNode as node() := $node 
 for $subpath in tokenize($path,'/')
 $myNode := $myNode/*[name()=$subpath] (: Here is the invalid line :)

我知道在 xQuery 3.0 中有一个运算符,我要求 xQuery 1.0。

4

1 回答 1

3

没有XQuery 2.0 ,但是无论版本如何,仅使用FLWOR表达式都不可能实现您想要做的事情。当前节点集必须在迭代之间更新,这不是FLWOR表达式的工作方式。

也就是说,使用XQuery 1.0中的递归函数可以轻松实现您想要做的事情:

declare function local:path(
  $context as node()*,
  $steps as xs:string*
) as node()* {
  if(empty($steps)) then $context
  else local:path(
    $context/*[name() = $steps[1]],
    $steps[position() gt 1]
  )
};

你可以用 local:path(document{ <x><y>foo</y><z/></x> }, tokenize("x/y", '/')).

XQuery 3.0中,它甚至更容易做到,无需新的顶级函数:

fn:fold-left(
  function($context, $step) {
    $context/*[name() eq $step]
  },
  document{ <x><y>foo</y><z/></x> },
  tokenize('x/y', '/')
)

The function fn:fold-left(..) takes care of the recursion internally and you only have to specify how to modify the context set in each step.

于 2012-08-05T13:35:21.983 回答