我的输入文件是每行一个句子。让我们说它看起来像:
A
B
C
D
E
F
所需的输出是:
::NewPage::
A
B
::NewPage::
C
D
::NewPage::
E
F
我知道我应该使用while循环但不确定如何操作?
答案 0 :(得分:4)
此处您不需要while
循环 - 请查看the grouper
recipe中的itertools
。
def grouper(n, iterable, fillvalue=None):
"Collect data into fixed-length chunks or blocks"
# grouper(3, 'ABCDEFG', 'x') --> ABC DEF Gxx"
args = [iter(iterable)] * n
return zip_longest(*args, fillvalue=fillvalue)
请注意,如果您使用的是2.x,则需要a slightly different version。
E.g:
items = ["A", "B", "C", "D", "E"]
for page in grouper(2, items):
print("::NewPage::")
for item in page:
if item is not None:
print(item)
产生:
::NewPage::
A
B
::NewPage::
C
D
::NewPage::
E
如果您需要None
值,则可以使用标记对象。
答案 1 :(得分:2)
我不知道这是否会打扰PEP-8的众神。
但是,与语言无关的替代方案(可由更普通的受众理解)可能是:
items = ["A", "B", "C", "D", "E"]
out = []
for i,item in enumerate(items):
if i%2 == 0:
out.append("::New Page::")
out.append(item)
编辑:当你在完成写作之前不检查是否有新的答案时会发生这种情况。我的回答与cdarke的基本相同。
答案 2 :(得分:1)
喜欢这个?在Python 3.3上测试:
i = 0
page_size = 2
lines = []
for line in open("try.txt"):
lines.append(line)
i += 1
if i % page_size == 0:
print("::NewPage::")
print("".join(lines),end="")
i = 0
lines = []