我有一个程序产生一个python列表作为其输出列表是一个嵌套列表:列表[名称,地址,电话号码]我希望能够以列式格式打印。似乎说这个问题是一个非常简单的想法,但我一直无法找到一种从列表中提取数据的简单方法。如果我打印(列表),我会得到这样的内容:['name','address','phone number']等列表中的每个项目。我在Windows平台上使用Python 3。 注意:我不是OOP程序员(此时)
关心比尔
答案 0 :(得分:2)
像这样迭代列表:
for name,add,num in lis:
print (name,add,num)
<强>演示:强>
>>> lis = [['name','address','phone number']]
>>> for name,add,num in lis:
... print (name,add,num)
...
name address phone number
您还可以使用string formatting获得更好看的输出:
>>> lis = [['name','address','phone number']]
>>> for name,add,num in lis:
print ("{:<10}{:^20}{:^10}".format(name,add,num))
...
name address phone number
答案 1 :(得分:2)
prettytable
可以生成非常好看的ASCII表。 tutorial的示例:
from prettytable import PrettyTable
x = PrettyTable(["City name", "Area", "Population", "Annual Rainfall"])
x.align["City name"] = "l" # Left align city names
x.add_row(["Adelaide",1295, 1158259, 600.5])
x.add_row(["Brisbane",5905, 1857594, 1146.4])
x.add_row(["Darwin", 112, 120900, 1714.7])
x.add_row(["Hobart", 1357, 205556, 619.5])
x.add_row(["Sydney", 2058, 4336374, 1214.8])
x.add_row(["Melbourne", 1566, 3806092, 646.9])
x.add_row(["Perth", 5386, 1554769, 869.4])
print x
应该打印这样的东西
+-----------+------+------------+-----------------+
| City name | Area | Population | Annual Rainfall |
+-----------+------+------------+-----------------+
| Adelaide | 1295 | 1158259 | 600.5 |
| Brisbane | 5905 | 1857594 | 1146.4 |
| Darwin | 112 | 120900 | 1714.7 |
| Hobart | 1357 | 205556 | 619.5 |
| Sydney | 2058 | 4336374 | 1214.8 |
| Melbourne | 1566 | 3806092 | 646.9 |
| Perth | 5386 | 1554769 | 869.4 |
+-----------+------+------------+-----------------+
为您的用例调整此示例应该是微不足道的。
答案 2 :(得分:1)
for name, address, phone_number in a_list:
print '{}\t{}\t{}'.format(name, address, phone_number)
答案 3 :(得分:1)
您可以使用print语句,例如,如果您希望所有字段都是20个字符宽:
for e in list:
name, address, phone = e
print "%20s %20s %20s" % (name, address, phone)
答案 4 :(得分:0)
如果超出字段大小,给出的其他答案将截断您的记录。如果您希望它们换行,则需要使用textwrap模块。
import textwrap
import itertools
col_width = 20
header = ["Name", "Address", "Phone Number"]
def columnar_record(record):
columns = (textwrap.wrap(item, col_width) for item in record)
line_tuples = itertools.zip_longest(*columns, fillvalue="")
lines = ("".join(item.ljust(col_width) for item in line_tuple)
for line_tuple in line_tuples)
return "\n".join(lines)
def print_columns(records):
print(columnar_record(header))
for record in records:
print(columnar_record(record))
a = ["Bill Bradley", "123 North Main St., Anytown, NY 12345", "800-867-5309"]
b = ["John Doe", "800 South Main Street, Othertown, CA 95112", "510-555-5555"]
print_columns([a, b])