web-dev-qa-db-ja.com

「きれいな」文字列出力をPythonで印刷する方法

SQLクエリのclassid、dept、coursenum、area、およびtitleフィールドを持つ辞書のリストがあります。人間が読める形式で値を出力したいと思います。私はそれぞれの上部に列ヘッダーを考えていました、そして、各列に適切な出力、すなわち:

CLASSID     DEPT     COURSE NUMBER        AREA     TITLE
foo         bar      foo                  bar      foo
yoo         hat      yoo                  bar      hat

(明らかに標準の配置/間隔で)

Pythonでこれをどのように達成しますか?

27
themaestro

標準Python文字列のフォーマット で十分です。

# assume that your data rows are tuples
template = "{0:8}|{1:10}|{2:15}|{3:7}|{4:10}" # column widths: 8, 10, 15, 7, 10
print template.format("CLASSID", "DEPT", "COURSE NUMBER", "AREA", "TITLE") # header
for rec in your_data_source: 
  print template.format(*rec)

または

# assume that your data rows are dicts
template = "{CLASSID:8}|{DEPT:10}|{C_NUM:15}|{AREA:7}|{TITLE:10}" # same, but named
print template.format( # header
  CLASSID="CLASSID", DEPT="DEPT", C_NUM="COURSE NUMBER", 
  AREA="AREA", TITLE="TITLE"
) 
for rec in your_data_source: 
  print template.format(**rec)

最高の結果を得るには、配置、パディング、および正確な形式指定子を使用します。

58
9000
class TablePrinter(object):
    "Print a list of dicts as a table"
    def __init__(self, fmt, sep=' ', ul=None):
        """        
        @param fmt: list of Tuple(heading, key, width)
                        heading: str, column label
                        key: dictionary key to value to print
                        width: int, column width in chars
        @param sep: string, separation between columns
        @param ul: string, character to underline column label, or None for no underlining
        """
        super(TablePrinter,self).__init__()
        self.fmt   = str(sep).join('{lb}{0}:{1}{rb}'.format(key, width, lb='{', rb='}') for heading,key,width in fmt)
        self.head  = {key:heading for heading,key,width in fmt}
        self.ul    = {key:str(ul)*width for heading,key,width in fmt} if ul else None
        self.width = {key:width for heading,key,width in fmt}

    def row(self, data):
        return self.fmt.format(**{ k:str(data.get(k,''))[:w] for k,w in self.width.iteritems() })

    def __call__(self, dataList):
        _r = self.row
        res = [_r(data) for data in dataList]
        res.insert(0, _r(self.head))
        if self.ul:
            res.insert(1, _r(self.ul))
        return '\n'.join(res)

そして使用中:

data = [
    {'classid':'foo', 'dept':'bar', 'coursenum':'foo', 'area':'bar', 'title':'foo'},
    {'classid':'yoo', 'dept':'hat', 'coursenum':'yoo', 'area':'bar', 'title':'hat'},
    {'classid':'yoo'*9, 'dept':'hat'*9, 'coursenum':'yoo'*9, 'area':'bar'*9, 'title':'hathat'*9}
]

fmt = [
    ('ClassID',       'classid',   11),
    ('Dept',          'dept',       8),
    ('Course Number', 'coursenum', 20),
    ('Area',          'area',       8),
    ('Title',         'title',     30)
]

print( TablePrinter(fmt, ul='=')(data) )

生産する

ClassID     Dept     Course Number        Area     Title                         
=========== ======== ==================== ======== ==============================
foo         bar      foo                  bar      foo                           
yoo         hat      yoo                  bar      hat                           
yooyooyooyo hathatha yooyooyooyooyooyooyo barbarba hathathathathathathathathathat
11
Hugh Bothwell

単純にしたい場合は、文字列を一定の文字数だけ左揃えにすることができます。

print string1.ljust(20) + string2.ljust(20)
5
Evan Jensen

この関数は、リストの理解を少し極端にしますが、最適なパフォーマンスで探しているものを実現します。

アルゴリズム:

  1. 各列で最長のフィールドを見つけます。すなわち、「max(map(len、column_vector))」
  2. 各フィールド(左から右、上から下)に対して、str.ljustを呼び出して、フィールドが属する列の左境界に揃えます。
  3. 必要な量の空白を分離してフィールドを結合します(行を作成します)。
  4. 行のコレクションを改行で結合します。

row_collection:イテラブルのリスト(dicts/sets/lists)。それぞれに1行のデータが含まれます。

key_list:列を形成するために各行から読み取るキー/インデックスを指定するリスト。

def getPrintTable(row_collection, key_list, field_sep=' '*4):
  return '\n'.join([field_sep.join([str(row[col]).ljust(width)
    for (col, width) in Zip(key_list, [max(map(len, column_vector))
      for column_vector in [ [v[k]
        for v in row_collection if k in v]
          for k in key_list ]])])
            for row in row_collection])
4
Daniel Sparks