我是python的新手。我希望我的脚本打印除最后一行之外的所有内容。我尝试了[:-1],但我无法让它工作。我知道下面的代码不是完美的,因为它是我的第一个,但它做了我需要它做的所有事情...我不希望它打印字符串的最后一行。请帮忙
import requests
html = requests.get("")
html_str = html.content
Html_file= open("fb_remodel.csv",'a')
html_str = html_str.replace('},', '},\n')
html_str = html_str.replace(':"', ',')
html_str = html_str.replace('"', '')
html_str = html_str.replace('T', ' ')
html_str = html_str.replace('+', ',')
html_str = html_str.replace('_', ',')
Html_file.write(html_str[:-1])
Html_file.close()
答案 0 :(得分:4)
html_str
是一个字符串,而不是列表。
您可以这样做:
txt='''\
Line 1
line 2
line 3
line 4
last line'''
print txt.rpartition('\n')[0]
或者
print txt.rsplit('\n',1)[0]
文档中可以看到rpartition和rsplit之间的差异。如果在目标字符串中找不到拆分字符,我会根据我想要发生的事情在一个或另一个之间做出选择。
BTW,您可能希望以这种方式打开文件:
with open("fb_remodel.csv",'a') as Html_file:
# blah blah
# at the end -- close is automatic.
使用with是一种非常常见的Python习语。
如果你想要一个通用方法来删除最后n行,这样就可以了:
首先创建一个测试文件:
# create a test file of 'Line X of Y' type
with open('/tmp/lines.txt', 'w') as fout:
start,stop=1,11
for i in range(start,stop):
fout.write('Line {} of {}\n'.format(i, stop-start))
然后你可以使用deque循环并执行操作:
from collections import deque
with open('/tmp/lines.txt') as fin:
trim=6 # print all but the last X lines
d=deque(maxlen=trim+1)
for line in fin:
d.append(line)
if len(d)<trim+1: continue
print d.popleft().strip()
打印:
Line 1 of 10
Line 2 of 10
Line 3 of 10
Line 4 of 10
如果您打印了deque d,您可以看到线路的位置:
>>> d
deque(['Line 5 of 10\n', 'Line 6 of 10\n', 'Line 7 of 10\n', 'Line 8 of 10\n', 'Line 9 of 10\n', 'Line 10 of 10\n'], maxlen=7)