Vijesh
Vijesh

Reputation: 1208

How to filter Ansible 'find' output

I would like to view the list of symbolic links from some remote servers in the terminal, but a lot of information is being printed when I run the playbook.

This is ansible 2.7.12 running on an Ubuntu server. I am using 'find' module and file_type: link to get the softlink details.

Find is returning a lot of details with the return value key "files" but I just need the soft links and corresponding server name in the terminal.

---
# tasks file for application
- name: Get the current applications running
  find:
    paths: /path/to/app
    file_type: link
  register: find_result

- name: Print find output
  debug: 
    var: find_result.results

Actual Result:

ok: [client3.example.com] => {
    "find_result.files": [
        {
            "atime": 1559027986.555, 
            "ctime": 1559027984.828, 
            "dev": 64768, 
            "gid": 0, 
            "gr_name": "root", 
            "inode": 4284972, 
            "isblk": false, 
            "ischr": false, 
            "isdir": false, 
            "isfifo": false, 
            "isgid": false, 
            "islnk": true, 
            "isreg": false, 
            "issock": false, 
            "isuid": false, 
            "mode": "0777", 
            "mtime": 1559027984.828, 
            "nlink": 1, 
            "path": "/path/to/app/softlink.1", 
            "pw_name": "root", 
            "rgrp": true, 
            ...
            ...

Would like to get some filtered output in the terminal like:

ok: [client3.example.com] => {
    "find_result.files": [
        {
            "path": "/path/to/app/softlink.1",
},

Upvotes: 0

Views: 4099

Answers (1)

larsks
larsks

Reputation: 311615

There are a couple of ways of addressing this question. You could use the map filter to extract just the path attribute from your results:

- name: Print find output
  debug:
    var: results.files|map(attribute='path')|list

Given the sample data in your question, this would result in:

TASK [Print find output] *****************************************************************************************************************************************************
ok: [localhost] => {
    "results.files|map(attribute='path')|list": [
        "/path/to/app/softlink.1"
    ]
}

You can also accomplish something similar using the json_query filter, which applies JMESPath queries to your data:

- name: Print find output
  debug:
    var: results.files|json_query('[*].path')

Upvotes: 4

Related Questions