打印字典,在每个块之间添加空格



python新手。这是一个嵌套字典,包含两本书,每本书都有8个属性。

book_collection ={17104: {'Title': 'A River', 'Author': 'Elisha Mitchell', 'Publisher': 'FPG Publishing', 'Pages': '345', 'Year': '2014', 'Copies': 2, 'Available': 2, 'ID': 17104}, 37115: {'Title': 'Aim High', 'Author': 'George Tayloe Winston', 'Publisher': 'Manning Hall Press', 'Pages': '663', 'Year': '2014', 'Copies': 5, 'Available': 5, 'ID': 37115}}
for id, book in book_collection.items():
for book_attribute, attribute_value in book.items():
print(book_attribute, ': ', attribute_value, sep='')

输出:

Title: A River
Author: Elisha Mitchell
Publisher: FPG Publishing
Pages: 345
Year: 2014
Copies: 2
Available: 2
ID: 17104
Title: Aim High
Author: George Tayloe Winston
Publisher: Manning Hall Press
Pages: 663
Year: 2014
Copies: 5
Available: 5
ID: 37115

如何在每本书之间添加一个空格,并将"ID"属性带到每本书的第一行。输出应该是这样的:

ID: 17104
Title: A River
Author: Elisha Mitchell
Publisher: FPG Publishing
Pages: 345
Year: 2014
Copies: 2
Available: 2
ID: 37115
Title: Aim High
Author: George Tayloe Winston
Publisher: Manning Hall Press
Pages: 663
Year: 2014
Copies: 5
Available: 5

如果有20本书,我如何打印前10本并请求用户允许继续?

使用此:

for id, book in book_collection.items():
for book_attribute, attribute_value in book.items():
print(book_attribute, ': ', attribute_value, sep='')
print()

您可以使用index((函数来检查索引是否为9,然后像这样询问

for id, book in book_collection.items():
if book_collection.index(id) == 9:
n = int(input("Press 0 to continue or else to exit"))
if n != 0:
break
for book_attribute, attribute_value in book.items():
print(book_attribute, ': ', attribute_value, sep='')
print()

dictionary的items方法返回元组(不可变列表(的可迭代值。产生的每个元组表示一对键和值,键在元组的0索引中,值在1索引中。

您使用的for循环-for book_attribute, attribute_value in book.items():-是"的语法糖;获取元组中的两个值并将它们分配给这些变量,然后运行此块中的代码">

这样想可能更容易:

>>> book_dict = {'Title': 'A River', 'Author': 'Elisha Mitchell', 'Publisher': 'FPG Publishing', 'Pages': '345', 'Year': '2014', 'Copies': 2, 'Available': 2, 'ID': 17104}
>>> book_dict_entries = list(book_dict.items())
>>> print(book_dict_entries)
[('Title', 'A River'), ('Author', 'Elisha Mitchell'), ('Publisher', 'FPG Publishing'), ('Pages', '345'), ('Year', '2014'), ('Copies', 2), ('Available', 2), ('ID', 17104)]

从这里出发有几个方向。一种方法是,由于它只是一个列表,您可以搜索表示ID字段的元素,并将其与该列表中的第一个元素进行交换。或者,在将其转换为列表之前,只需从字典中打印ID,然后在枚举其余字段时过滤该字段。

至于第二个问题,如果您想在某个点打印空行,只需调用不带参数的print即可。就像你打印完每本字典一样。

我会定义ID为第一个键的dict,因为从Python 3.7(不是以前!(开始,dict是有序的

将ID作为第一个关键字,并在每个内部循环后添加print()

book_collection = {
17104: 
{'ID': 17104, 'Title': 'A River', 'Author': 'Elisha Mitchell',
'Publisher': 'FPG Publishing', 'Pages': '345', 'Year': '2014', 
'Copies': 2, 'Available': 2, }, 
37115: 
{'ID': 37115, 'Title': 'Aim High', 'Author': 'George Tayloe Winston', 
'Publisher': 'Manning Hall Press', 'Pages': '663', 'Year': '2014',
'Copies': 5, 'Available': 5}
}
for id, book in book_collection.items():
for book_attribute, attribute_value in book.items():
print(book_attribute, ': ', attribute_value, sep='')
print()

相关内容

  • 没有找到相关文章

最新更新