0

我正在尝试使用 xmllint 搜索 xml 文件并将所需的值存储到数组中。这是我正在做的事情:

#!/bin/sh

function getProfilePaths {
    unset profilePaths
    unset profilePathsArr
    profilePaths=$(echo 'cat //profiles/profile/@path' | xmllint --shell file.xml | grep '=' | grep -v ">" | cut -f 2 -d "=" | tr -d \")
    profilePathsArr+=( $(echo $profilePaths))
    return 0
}

在另一个功能中,我有:

function useProfilePaths {
    getProfilePaths
    for i in ${profilePathsArr[@]}; do
    echo $i
    done
    return 0
}

useProfilePaths

无论我是在命令行上手动执行命令还是从不同的函数调用它们作为包装脚本的一部分,函数的行为都会发生变化。当我可以从包装脚本中执行函数时,数组中的项为 1,与我从命令行执行时相比,数组中的项为 2:

$ echo ${#profilePathsArr[@]}
2

回显时 profilePaths 的内容如下所示:

$ echo ${profilePaths}
/Profile/Path/1 /Profile/Path/2

我不确定 xmllint 调用的分隔符是什么。

当我从包装脚本调用函数时,for 循环的第一次迭代的内容如下所示:

for i in ${profilePathsArr[@]}; do
    echo $i
done

第一个回声看起来像:

/Profile/Path/1
/Profile/Path/2

...第二个回声是空的。

谁能帮我调试这个问题?如果我能找出 xmllint 使用的分隔符是什么,也许我可以正确解析数组中的项目。

仅供参考,我已经尝试过以下方法,结果相同:

profilePaths=($(echo 'cat //profiles/profile/@path' | xmllint --shell file.xml | grep '=' | grep -v ">" | cut -f 2 -d "=" | tr -d \"))
4

3 回答 3

0

--shell您应该使用正确的开关,而不是使用开关和许多管道--xpath

但据我所知,当您有多个值时,没有简单的方法可以拆分不同的节点。

所以一个解决方案是像这样迭代:

profilePaths=(
    $(
        for i in {1..100}; do
            xmllint --xpath "//profiles[$i]/profile/@path" file.xml || break
        done
    )
)

或使用

profilePaths=( $(xmlstarlet sel -t -v "//profiles/profile/@path" file.xml) )

它默认显示带有换行符的输出

于 2014-11-27T21:10:10.897 回答
0

您遇到的问题与数据封装有关;具体来说,函数中定义的变量是本地的,因此除非您另外定义它们,否则您无法在该函数之外访问它们。

根据sh您使用的实现,您可以通过在变量定义上使用或使用for和for and之eval类的修饰符来解决此问题。我知道它的实现肯定有效。globalmkshdeclare -gzshbashmksh

于 2014-11-27T22:15:36.720 回答
0

感谢您提供有关如何解决此问题的反馈。在进行了更多调查后,我能够通过更改迭代“profilePaths”变量的内容以将其值插入“profilePathsArr”数组的方式来完成这项工作:

# Retrieve the profile paths from file.xml and assign to 'profilePaths'
profilePaths=$(echo 'cat //profiles/profile/@path' | xmllint --shell file.xml | grep '=' | grep -v ">" | cut -f 2 -d "=" | tr -d \")

# Insert them into the array 'profilePathsArr'
IFS=$'\n' read -rd '' -a profilePathsArr <<<"$profilePaths"

出于某种原因,由于我的主脚本中的所有不同函数调用和对其他脚本的调用,分隔符似乎在此过程中丢失了。我无法找到根本原因,但我知道通过使用 "\n" 作为 IFS 和 while 循环,它就像一个魅力。

如果有人希望对此添加更多评论,我们非常欢迎您。

于 2014-11-28T00:35:14.327 回答