blob: b3ef9923e314690217344a0d2a9a654e7b5daa3b [file] [log] [blame]
Christian Heimes90540002008-05-08 14:29:10 +00001r"""Command-line tool to validate and pretty-print JSON
2
3Usage::
4
Benjamin Petersonc6b607d2009-05-02 12:36:44 +00005 $ echo '{"json":"obj"}' | python -m json.tool
Christian Heimes90540002008-05-08 14:29:10 +00006 {
7 "json": "obj"
8 }
Benjamin Petersonc6b607d2009-05-02 12:36:44 +00009 $ echo '{ 1.2:3.4}' | python -m json.tool
Serhiy Storchakac510a042013-02-21 20:19:16 +020010 Expecting property name enclosed in double quotes: line 1 column 3 (char 2)
Christian Heimes90540002008-05-08 14:29:10 +000011
12"""
Benjamin Peterson940e2072014-03-21 23:17:29 -050013import argparse
Christian Heimes90540002008-05-08 14:29:10 +000014import json
Benjamin Peterson940e2072014-03-21 23:17:29 -050015import sys
16
Christian Heimes90540002008-05-08 14:29:10 +000017
18def main():
Benjamin Peterson940e2072014-03-21 23:17:29 -050019 prog = 'python -m json.tool'
20 description = ('A simple command line interface for json module '
21 'to validate and pretty-print JSON objects.')
22 parser = argparse.ArgumentParser(prog=prog, description=description)
23 parser.add_argument('infile', nargs='?', type=argparse.FileType(),
Hervé Beraud4d45a3b2019-05-14 18:52:42 +020024 help='a JSON file to be validated or pretty-printed',
25 default=sys.stdin)
Benjamin Peterson940e2072014-03-21 23:17:29 -050026 parser.add_argument('outfile', nargs='?', type=argparse.FileType('w'),
Hervé Beraud4d45a3b2019-05-14 18:52:42 +020027 help='write the output of infile to outfile',
28 default=sys.stdout)
Berker Peksag39e4c4d2014-11-10 09:56:54 +020029 parser.add_argument('--sort-keys', action='store_true', default=False,
30 help='sort the output of dictionaries alphabetically by key')
HongWeipengf1944792018-11-07 18:09:32 +080031 parser.add_argument('--json-lines', action='store_true', default=False,
32 help='parse input using the jsonlines format')
Benjamin Peterson940e2072014-03-21 23:17:29 -050033 options = parser.parse_args()
34
Hervé Beraud4d45a3b2019-05-14 18:52:42 +020035 infile = options.infile
36 outfile = options.outfile
Berker Peksag39e4c4d2014-11-10 09:56:54 +020037 sort_keys = options.sort_keys
HongWeipengf1944792018-11-07 18:09:32 +080038 json_lines = options.json_lines
39 with infile, outfile:
Ezio Melotti057bcb42012-11-29 02:15:18 +020040 try:
HongWeipengf1944792018-11-07 18:09:32 +080041 if json_lines:
42 objs = (json.loads(line) for line in infile)
43 else:
44 objs = (json.load(infile), )
45 for obj in objs:
46 json.dump(obj, outfile, sort_keys=sort_keys, indent=4)
47 outfile.write('\n')
Ezio Melotti057bcb42012-11-29 02:15:18 +020048 except ValueError as e:
49 raise SystemExit(e)
Christian Heimes90540002008-05-08 14:29:10 +000050
51
52if __name__ == '__main__':
53 main()