pythonpretty-printpprint

pprint(): how to use double quotes to display strings?


If I print a dictionary using pprint, it always wraps strings around single quotes ('):

>>> from pprint import pprint
>>> pprint({'AAA': 1, 'BBB': 2, 'CCC': 3})
{'AAA': 1, 'BBB': 2, 'CCC': 3}

Is there any way to tell pprint to use double quotes (") instead? I would like to have the following behaviour:

>>> from pprint import pprint
>>> pprint({'AAA': 1, 'BBB': 2, 'CCC': 3})
{"AAA": 1, "BBB": 2, "CCC": 3}

Solution

  • It looks like you are trying to produce JSON; if so, use the json module:

    >>> import json
    >>> print json.dumps({'AAA': 1, 'BBB': 2, 'CCC': 3})
    {"AAA": 1, "BBB": 2, "CCC": 3}
    

    The pprint() function produces Python representations, not JSON and quoting styles are not configurable. Don’t confuse the two syntaxes. JSON may at first glance look a lot like Python but there are more differences than just quoting styles:

    If you want to produce indented JSON output (a bit like pprint() outputs indented Python syntax for lists and dictionaries), then add indent=4 and sort_keys=True to the json.dumps() call:

    >>> print json.dumps({'AAA': 1, 'CCC': 2, 'BBB': 3}, indent=4, sort_keys=True)
    {
        "AAA": 1,
        "BBB": 2,
        "CCC": 3
    }
    

    See http://stackoverflow.com/questions/12943819/how-to-python-prettyprint-a-json-file