Ansible ad-hoc命令过滤器按键或属性输出JSON

时间:2016-10-21 16:19:11

标签: json ansible ansible-ad-hoc

我想过滤ad-hoc ansible命令的JSON输出 - 例如获取多个主机的长“facts”列表,并只显示一个可能有多个级别的列表,例如ansible_lsb.description,这样我就可以快速比较它们运行的​​软件版本,检查准确的时间或时区,无论如何。

这有效:

ansible myserver -m setup -a 'filter=ansible_lsb'
myserver | SUCCESS => {
    "ansible_facts": {
        "ansible_lsb": {
            "codename": "wheezy",
            "description": "Debian GNU/Linux 7.11 (wheezy)",
            "id": "Debian",
            "major_release": "7",
            "release": "7.11"
        }
    },
    "changed": false
}

但是,作为setup module docs状态,“过滤器选项仅过滤ansible_facts下面的第一级子项”,因此失败:

ansible myserver -m setup -a 'filter=ansible_lsb.description'
myserver | SUCCESS => {
    "ansible_facts": {},
    "changed": false
}

(虽然作为参考,您可以在其他地方使用点表示法,例如任务的when conditional

有没有办法在显示输出之前过滤JSON键?

1 个答案:

答案 0 :(得分:1)

标准setup模块只能对“顶级”事实应用过滤器。

要实现您的目标,您可以制作一个名为setup的动作插件来应用自定义过滤器。

工作示例./action_plugins/setup.py

from ansible.plugins.action import ActionBase

class ActionModule(ActionBase):

    def run(self, tmp=None, task_vars=None):

        def lookup(obj, path):
            return reduce(dict.get, path.split('.'), obj)

        result = super(ActionModule, self).run(tmp, task_vars)

        myfilter = self._task.args.get('myfilter', None)

        module_args = self._task.args.copy()
        if myfilter:
            module_args.pop('myfilter')

        module_return = self._execute_module(module_name='setup', module_args=module_args, task_vars=task_vars, tmp=tmp)

        if not module_return.get('failed') and myfilter:
            return {"changed":False, myfilter:lookup(module_return['ansible_facts'], myfilter)}
        else:
            return module_return

它调用原始setup模块剥离myfilter参数,然后在任务未失败且设置了myfilter的情况下使用简单的reduce实现过滤结果。查找功能非常简单,因此它不适用于列表,仅适用于对象。

结果:

$ ansible myserver -m setup -a "myfilter=ansible_lsb.description"
myserver | SUCCESS => {
    "ansible_lsb.description": "Ubuntu 12.04.4 LTS",
    "changed": false
}