如何获取 json 格式的 systemd 状态?

如何获取 json 格式的 systemd 状态?

我想以机器可读的形式获取服务状态详细信息(已加载、已启用、活动、正在运行、自、主 PID),并且我知道 systemd 工具有--output=json选项,但如果我这样做:

 systemctl status servicename --output=json --plain

我看到类似这样的内容:

● snapd.service - Snappy daemon
   Loaded: loaded (/lib/systemd/system/snapd.service; enabled; vendor preset: enabled)
   Active: active (running) since Mon 2018-04-16 11:20:07 MSK; 4h 45min ago
 Main PID: 738 (snapd)
    Tasks: 10 (limit: 4915)
   CGroup: /system.slice/snapd.service
           └─738 /usr/lib/snapd/snapd

{ "__CURSOR" : "s=461ecb6a4b814913acd57572cd1e1c82;...

日志记录是 JSON 格式的。但是如果可以的话,如何以 JSON 格式获取服务状态?

答案1

以机器可读形式获取服务状态的简单方法:

systemctl show --no-pager servicename

此命令输出以下key=value格式的数据:

Type=notify
Restart=always
NotifyAccess=main
...

如果JSON需要格式,您可以使用以下简单的 Python 脚本(兼容 Python 2 和 3)get_service_info.py

import os, sys, subprocess, json
key_value = subprocess.check_output(["systemctl", "show", sys.argv[1]], universal_newlines=True).split('\n')
json_dict = {}
for entry in key_value:
    kv = entry.split("=", 1)
    if len(kv) == 2:
        json_dict[kv[0]] = kv[1]
json.dump(json_dict, sys.stdout)

用法:

get_service_info.py servicename

答案2

jq也可以使用以下方法:

systemctl show --no-page iptables \
    | jq --slurp --raw-input \
        'split("\n")
        | map(select(. != "") 
        | split("=") 
        | {"key": .[0], "value": (.[1:] | join("="))})
        | from_entries'

生成:

{
  "Type": "oneshot",
  "Restart": "no",
  "NotifyAccess": "none",
  "ExecStart": "{ path=/usr/libexec/iptables/iptables.init ; argv[]=/usr/libexec/iptables/iptables.init start ; ignore_errors=no ; start_time=[n/a] ; stop_time=[n/a] ; pid=0 ; code=(null) ; status=0/0 }",
  [... like 60 more entries ...],
  "CollectMode": "inactive"
}

命令解码jq

--slurp - read the whole thing as a really big string
--raw-input - p.s. it's not json input
split("\n") - break the input into an array of lines
map( ... )  - perform some transformation on each array element
select(. != "") - skip blank lines
split("=") - split the current line into array elements at each "="
(.[1:] | join("=")) - avoid mangling values with equal signs

(请注意:如果值本身包含等号,这将截断值。这可能可以解决,但对于这个目的来说似乎没问题)

{"key": .[0], "value": .[1]}  - build an key/value pair object

(此时map返回一个键/值对象数组)

from_entries - turn an array of "key"/"value" objects into an object

答案3

开发人员的建议是使用dbus API用于以编程方式访问服务状态。如果您确实需要 JSON,则可以调整 DBUS API 以生成所需的 JSON。

查看 Github 问题--output json 不产生 json 输出供开发人员讨论为什么推荐使用 DBUS API 而不是 JSON 输出。

相关内容