mirror of
https://github.com/kellyjonbrazil/jc.git
synced 2025-06-17 00:07:37 +02:00
129 lines
2.7 KiB
Python
129 lines
2.7 KiB
Python
"""jc - JSON CLI output utility history Parser
|
|
|
|
Usage:
|
|
|
|
specify --history as the first argument if the piped input is coming from history
|
|
|
|
Compatibility:
|
|
|
|
'linux', 'darwin', 'cygwin', 'win32', 'aix', 'freebsd'
|
|
|
|
Examples:
|
|
|
|
$ history | jc --history -p
|
|
[
|
|
{
|
|
"line": "118",
|
|
"command": "sleep 100"
|
|
},
|
|
{
|
|
"line": "119",
|
|
"command": "ls /bin"
|
|
},
|
|
{
|
|
"line": "120",
|
|
"command": "echo \"hello\""
|
|
},
|
|
{
|
|
"line": "121",
|
|
"command": "docker images"
|
|
},
|
|
...
|
|
]
|
|
|
|
$ history | jc --history -p -r
|
|
{
|
|
"118": "sleep 100",
|
|
"119": "ls /bin",
|
|
"120": "echo \"hello\"",
|
|
"121": "docker images",
|
|
...
|
|
}
|
|
"""
|
|
import jc
|
|
|
|
|
|
class info():
|
|
version = '1.1'
|
|
description = 'history parser'
|
|
author = 'Kelly Brazil'
|
|
author_email = 'kellyjonbrazil@gmail.com'
|
|
|
|
# compatible options: linux, darwin, cygwin, win32, aix, freebsd
|
|
compatible = ['linux', 'darwin', 'cygwin', 'win32', 'aix', 'freebsd']
|
|
|
|
|
|
__version__ = info.version
|
|
|
|
|
|
def process(proc_data):
|
|
"""
|
|
Final processing to conform to the schema.
|
|
|
|
Parameters:
|
|
|
|
proc_data: (dictionary) raw structured data to process
|
|
|
|
Returns:
|
|
|
|
List of dictionaries. Structured data with the following schema:
|
|
|
|
[
|
|
{
|
|
"line": string,
|
|
"command": string
|
|
}
|
|
]
|
|
"""
|
|
|
|
# rebuild output for added semantic information
|
|
processed = []
|
|
for k, v in proc_data.items():
|
|
proc_line = {}
|
|
proc_line['line'] = k
|
|
proc_line['command'] = v
|
|
processed.append(proc_line)
|
|
|
|
return processed
|
|
|
|
|
|
def parse(data, raw=False, quiet=False):
|
|
"""
|
|
Main text parsing function
|
|
|
|
Parameters:
|
|
|
|
data: (string) text data to parse
|
|
raw: (boolean) output preprocessed JSON if True
|
|
quiet: (boolean) suppress warning messages if True
|
|
|
|
Returns:
|
|
|
|
Dictionary of raw structured data or
|
|
list of dictionaries of processed structured data
|
|
"""
|
|
if not quiet:
|
|
jc.utils.compatibility(__name__, info.compatible)
|
|
|
|
raw_output = {}
|
|
|
|
# split lines and clear out any non-ascii chars
|
|
linedata = data.encode('ascii', errors='ignore').decode().splitlines()
|
|
|
|
# Clear any blank lines
|
|
cleandata = list(filter(None, linedata))
|
|
|
|
if cleandata:
|
|
for entry in cleandata:
|
|
try:
|
|
parsed_line = entry.split(maxsplit=1)
|
|
raw_output[parsed_line[0]] = parsed_line[1]
|
|
except IndexError:
|
|
# need to catch indexerror in case there is weird input from prior commands
|
|
pass
|
|
|
|
if raw:
|
|
return raw_output
|
|
else:
|
|
return process(raw_output)
|