如何通过flex / actionscript中的属性名称/值查找特定的xml数据

时间:2010-02-09 00:11:58

标签: xml flex search actionscript

从某些xml我想找到具有特定属性和值的项目。

以下是xml示例:

<node>
 <node>
  <node>
   <special NAME="thisone"></special>
  </node>
  <node>
   <special>dont want this one</special>
  </node>
 </node>
</node>

(节点可以包含节点......)

我需要找到第一个基于它的名为“NAME”的属性和“thisone”的值。

然后我需要它的父(节点)。

我试过了:

specialItems = tempXML。*。(hasOwnProperty(“NAME”));

但似乎没有做任何事情。

...

谢谢!

2 个答案:

答案 0 :(得分:16)

在ActionScript中,您通常会使用E4X而不是XPath。你想要的是这样的:

var xml:XML = <node>...</node>;
var selected:XMLList = xml.descendants().(attribute("NAME") == "thisone");      
var first:XML = selected[0];
var parent:XML = first.parent();

如果您知道所需的节点是special,那么您可以使用:

var selected:XMLList = xml..special.(attribute("NAME") == "thisone");

代替。这是一个nice E4X tutorial

如果您使用@NAME == "thisone"语法,那么您需要在所有XML节点上使用NAME属性,但如果您使用attribute()运算符语法则不需要。


我在上面添加了parent()电话;您可以通过仅在条件中使用子项来直接获取父级:

xml..node.(child("special").attribute("NAME") == "thisone");        

答案 1 :(得分:1)

您可以通过两种方式完成此操作:

  1. 将NAME属性添加到您的所有特殊节点,以便您可以使用E4X条件( xml
  2. 使用循环遍历特殊节点并检查是否确实存在NAME属性( xml2
  3. 以下是一个例子:

    //xml with all special nodes having NAME attribute
    var xml:XML = <node>
     <node>
          <node>
            <special NAME="thisone"></special>
          </node>
          <node>
            <special NAME="something else">dont want this one</special>
          </node>
         </node>
    </node>
    //xml with some special nodes having NAME attribute
    var xml2:XML = <node>
     <node>
          <node>
            <special NAME="thisone"></special>
          </node>
          <node>
            <special>dont want this one</special>
          </node>
         </node>
    </node>
    
    //WITH 4XL conditional
    var filteredNodes:XMLList = xml.node.node.special.(@NAME == 'thisone');
    trace("E4X conditional: " + filteredNodes.toXMLString());//carefull, it traces 1 xml, not a list, because there only 1 result,otherwise should return 
    //getting the parent of the matching special node(s)
    for each(var filteredNode:XML in filteredNodes)
        trace('special node\'s parent is: \n|XML BEGIN|' + filteredNode.parent()+'\n|XML END|');
    
    //WITHOUGH E4X conditional
    for each(var special:XML in xml2.node.node.*){
        if(special.@NAME.length()){
            if(special.@NAME == 'thisone')  trace('for each loop: ' + special.toXMLString() + ' \n parent is: \n|XML BEGIN|\n' + special.parent()+'\n|XML END|');
        }
    }
    

    yahoo flash developer page上有一篇关于E4X的非常好且易于理解的文章。