3

使用 nodejs 中的 elementtree 包,我正在尝试验证 xml 文件(特别是 android 清单文件)中是否存在某个 xml 属性。

var manifestTxt = fs.readFileSync('AndroidManifest.xml', 'utf-8'),
    manifestDoc = new et.ElementTree(et.XML(manifestTxt)),
    expected = 'application/activity[@android:name="com.whatever.app"]';

test.ok(manifestDoc.find(expected));

我收到以下异常:

node_modules/elementtree/lib/elementpath.js:210
      throw new SyntaxError(token, 'Invalid attribute predicate');
        ^
Error: Invalid attribute predicate

它似乎不喜欢属性名称中的冒号,但没有它,搜索不匹配。我想我处理命名空间错误——但找不到正确的方法。

编辑这是我正在搜索的示例 xml:

<?xml version='1.0' encoding='utf-8'?>
<manifest ... xmlns:android="http://schemas.android.com/apk/res/android">
    <application android:debuggable="true" android:icon="@drawable/icon" android:label="@string/app_name">&#xA; 
        <activity android:label="@string/app_name" android:name="com.whatever.app">&#xA;                
            <intent-filter>&#xA;</intent-filter>
        </activity> 
    </application>
    <uses-sdk android:minSdkVersion="5" />
</manifest>
4

2 回答 2

8

如果您不知道如何注册命名空间并为其使用相关前缀,请使用

application/activity
   [@*[local-name()=name' 
     and 
      namespace-uri() = 'http://schemas.android.com/apk/res/android'
      ] 
   = 
    'com.whatever.app'
   ]

在一般情况下不安全的更简单的表达式,但在这种特定情况下可能会选择想要的节点

application/activity[@*[local-name()='name'] = 'com.whatever.app']

或这个表达式

application/activity[@*[name()='android:name'] = 'com.whatever.app']
于 2012-06-21T04:55:19.600 回答
2

Elementtree 需要命名空间 URI,而不是命名空间前缀。

var manifestTxt = fs.readFileSync('AndroidManifest.xml', 'utf-8'),
    manifestDoc = new et.ElementTree(et.XML(manifestTxt)),
    expected = '//application/activity[@{http://schemas.android.com/apk/res/android}name="com.whatever.app"]';

test.ok( manifestDoc.find(expected) );

请参阅:ElementTree:使用限定名称


编辑node-elementtree的 XPath 实现目前似乎根本不支持命名空间。

缺少你必须做一些跑腿工作:

var manifestTxt = fs.readFileSync('AndroidManifest.xml', 'utf-8'),
    manifestDoc = new et.ElementTree(et.XML(manifestTxt)),
    activities = manifestDoc.findall('//application/activity'), i;

for (i=0; i<activities.length; i++) {
  if ( activities[i].attrib['android:name'] === 'com.whatever.app' ) {
    test.ok(true);
  }
}

这条线if ( activities[i].attrib['android:name'] === 'com.whatever.app' ) {在很大程度上是一个猜测。

我不知道解析器如何处理命名空间属性。如有疑问,只需将整个转储activities[i].attrib到控制台并查看解析器做了什么。相应地调整上面的代码。恐怕这与您在有限的 XPath 支持下所获得的一样接近。

于 2012-06-20T21:59:54.240 回答