Ecco un'altra risposta che funziona sovrascrivendo e utilizzando pprint()
internamente la funzione stock . A differenza di mio in meno un esso sarà gestire OrderedDict
's all'interno di un altro contenitore come una list
e dovrebbe anche essere in grado di gestire eventuali argomenti a parola chiave opzionali forniti - tuttavia non ha lo stesso grado di controllo sul risultato che l'altro offriva.
Funziona reindirizzando l'output della funzione stock in un buffer temporaneo e quindi lo avvolge prima di inviarlo al flusso di output. Sebbene l'output finale prodotto non sia eccezionalmente bello, è decente e potrebbe essere "abbastanza buono" da essere utilizzato come soluzione alternativa.
Aggiorna 2.0
Semplificato utilizzando il textwrap
modulo libreria standard e modificato per funzionare sia in Python 2 che in 3.
from collections import OrderedDict
try:
from cStringIO import StringIO
except ImportError: # Python 3
from io import StringIO
from pprint import pprint as pp_pprint
import sys
import textwrap
def pprint(object, **kwrds):
try:
width = kwrds['width']
except KeyError: # unlimited, use stock function
pp_pprint(object, **kwrds)
return
buffer = StringIO()
stream = kwrds.get('stream', sys.stdout)
kwrds.update({'stream': buffer})
pp_pprint(object, **kwrds)
words = buffer.getvalue().split()
buffer.close()
# word wrap output onto multiple lines <= width characters
try:
print >> stream, textwrap.fill(' '.join(words), width=width)
except TypeError: # Python 3
print(textwrap.fill(' '.join(words), width=width), file=stream)
d = dict((('john',1), ('paul',2), ('mary',3)))
od = OrderedDict((('john',1), ('paul',2), ('mary',3)))
lod = [OrderedDict((('john',1), ('paul',2), ('mary',3))),
OrderedDict((('moe',1), ('curly',2), ('larry',3))),
OrderedDict((('weapons',1), ('mass',2), ('destruction',3)))]
Output di esempio:
pprint(d, width=40)
» {'john': 1, 'mary': 3, 'paul': 2}
pprint(od, width=40)
» OrderedDict([('john', 1), ('paul', 2),
('mary', 3)])
pprint(lod, width=40)
» [OrderedDict([('john', 1), ('paul', 2),
('mary', 3)]), OrderedDict([('moe', 1),
('curly', 2), ('larry', 3)]),
OrderedDict([('weapons', 1), ('mass',
2), ('destruction', 3)])]