bash + xmlstarlet:如何将索引编入列表或填充数组?

时间:2015-08-05 16:43:35

标签: bash xmlstarlet

我正在尝试使用以下示例XML中的xmlstarlet选择单个节点:

<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<?xml-stylesheet type="text/xsl" href="key.xsl" ?>
<tables>
  <tableset>
    <table name="table1">
      <row>
        <fld name="fileName">
          <strval><![CDATA[/my/XYZ/file1]]></strval>
        </fld>
        <fld name="fileName">
          <strval><![CDATA[/my/XYZ/file2]]></strval>
        </fld>
        <fld name="fileName">
          <strval><![CDATA[/my/other/XYZ/file3]]></strval>
        </fld>
        <fld name="worksBecauseUnique">
          <strval><![CDATA[/XYZ/unique]]></strval>
        </fld>
      </row>
    </table>
  </tableset>
</tables>

我正在尝试在bash中构建关联数组...如何选择单个节点,或使用xmlstarlet迭代多个节点?

到目前为止我正在尝试类似下面的内容:

xmlstarlet sel -t -v "//tables/tableset/table/row/fld[@name=\"fileName\"]/strval[0]" xmlfile.xml

希望获得“/ my / XYZ / file1”,但这不起作用。

1 个答案:

答案 0 :(得分:3)

回答你问题的第一部分,你犯了一个简单的错误:

strval[0]

需要

strval[1]

...选择第一个实例,因为XPath数组是1索引的,而不是0索引的。

现在,当你想在整个文档中选择第二个匹配时,而不是在父fld内,这看起来有点不同:

(//tables/tableset/table/row/fld[@name="fileName"]/strval)[2]

现在开始填充shell数组。由于此处的内容不包含换行符:

query='//tables/tableset/table/row/fld[@name="fileName"]/strval'

fileNames=( )
while IFS= read -r entry; do
  fileNames+=( "$entry" )
done < <(xmlstarlet sel -t -v "$query" -n xmlfile.xml)

# print results
printf 'Extracted filename: %q\n' "${fileNames[@]}"

你没有提供足够的细节来设置一个关联数组(你想如何建立密钥?),所以我这样做是一个简单的索引。

另一方面,如果我们要做出一些假设 - 你想设置你的关联数组以匹配@name键到strval值,并且你想要当为同一个键给出时,使用换行符分隔多个值 - 那么可能如下所示:

match='//tables/tableset/table/row/fld[@name][strval]'
key_query='./@name'
value_query='./strval'

declare -A content=( )
while IFS= read -r key && IFS= read -r value; do
  if [[ $content[$key] ]]; then
    # appending to existing value
    content[$key]+=$'\n'"$value"
  else
    # first value for this key
    content[$key]="$value"
  fi
  fileNames+=( "$entry" )
done < <(xmlstarlet sel \
           -t -m "$query" \
           -v "$key_query" -n \
           -v "$value_query" -n xmlfile.xml)