3

这是上一个关于在 bash 中使用 XPath 的问题的后续。

我有一组 XML 文件,其中大部分对与其他文件的关系进行编码:

<file>
    <fileId>xyz123</fileId>
    <fileContents>Blah blah Blah</fileContents>
    <relatedFiles>
        <otherFile href='http://sub.domain.abc.edu/directory/index.php?p=collections/pageview&amp;id=123‌​4'>
            <title>Some resource</title>
        </otherFile>
        <otherFile href='http://sub.domain.abc.edu/directory/index.php?p=collections/pageview&amp;id=4321'>
            <title>Some other resource</title>
        </otherFile>
    </relatedFiles>
</file>

上一个问题的答案帮助我成功处理了这些文件中的大部分。但是,该集合中有一些文件不包含任何relatedFiles/otherFile元素。我希望能够单独处理这些文件并将它们移动到“其他”文件夹中。我以为我可以使用 XPathnot()函数来执行此操作,但是当我运行脚本时,我收到该行的“找不到命令”错误。

#!/bin/bash

mkdir other
for f in *.xml; do
  fid=$(xpath -e '//fileId/text()' "$f" 2>/dev/null)   
  for uid in $(xpath -e '//otherFile/@href' "$f" 2>/dev/null | awk -F= '{gsub(/"/,"",$0); print $4}'); do
    echo  "Moving $f to ${fid:3}_${uid}.xml"
    cp "$f" "${fid:3}_${uid}.xml"    
  done      
  if $(xpath -e 'not(//otherFile)' "$f" 2>/dev/null); then            
    echo  "Moving $f to other/${fid:3}.xml"
    cp "$f" "other/${fid:3}.xml"              
  fi  
  rm "$f"    
done

如何在 bash 中使用 XPath 过滤掉不包含某些元素的文件?提前致谢。

4

1 回答 1

2

构造替换命令的$()输出。因此,任何吐出的内容xpath都将被替换,并且 shell 将尝试将其作为命令执行,这就是您收到错误消息的原因。

由于xpath似乎没有根据是否找到节点提供不同的退出代码,因此您可能只需将输出与某些内容进行比较,或测试是否为空:

if [ -z "$(xpath -q -e '//otherFile' "$f" 2>/dev/null)" ]; then

xpath如果没有产生输出,这应该执行以下代码。要颠倒意思,请使用-n代替-z(不确定您想要哪个)。

于 2013-09-29T22:17:52.043 回答