これは、ストックpprint()
関数を内部的にオーバーライドして使用することで機能する別の答えです。私とは違って、以前の1、それはなりますハンドルOrderedDict
のような別の容器内のをlist
しても、与えられた任意のオプションのキーワード引数を処理できる必要があります-しかし、それは他の1が与えられることに出力を制御の同じ学位を持っていません。
これは、ストック関数の出力を一時バッファーにリダイレクトし、それを出力ストリームに送信する前にワードラップして動作します。生成される最終出力は例外的にきれいではありませんが、まともであり、回避策として使用するには「十分」である可能性があります。
アップデート2.0
標準ライブラリtextwrap
モジュールを使用して簡略化し、Python 2と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)))]
出力例:
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)])]