我正在尝试编写一个突出显示推文标签的程序。但如果推文包含一个新行,程序将失败,如果程序只有一行,该程序将起作用。当数据中有新行时,为什么会失败?我收到错误index out of range
。
def highlight(data):
for word in data.split(" "):
if word[0] == "#":
print "<FONT COLOR=\"brown\">" + word + "</FONT>",
else:
print word,
highlight("""hello world this
is a #test that i am #writing.""")
答案 0 :(得分:2)
此代码可以使用:
def highlight(data):
for word in data.split():
if word[0] == "#":
print "<FONT COLOR=\"brown\">" + word + "</FONT>",
else:
print word,
highlight("""hello world this
is a #test that i am #writing.""")
这将按换行符和空格分割文本。
答案 1 :(得分:1)
因为换行符会使data.split(" ")
包含''
。你试图获得第一个元素,好吧:
In [4]: ''[0]
---------------------------------------------------------------------------
IndexError Traceback (most recent call last)
<ipython-input-4-6f70a0cbdc74> in <module>()
----> 1 [][0]
IndexError: list index out of range
In [6]: a = """
...: hello world this
...: is a #test that i am #writing."""
In [7]: a.split(' ')
Out[7]:
['\nhello',
'world',
'this\n',
'',
'',
'',
'is',
'a',
'#test',
'that',
'i',
'am',
'#writing.']
只需将其更改为data.split()
即可。
答案 2 :(得分:1)
在推文第二行的开头,有四个空格。
"""test
other_test""" == "test\n other_test"
因此,如果您用空格分割该字符串,您将获得三个空字符串。
>>> "test\n other_test".split(" ")
['test\n', '', '', '', 'other_test']
现在,如果您尝试访问字符串''
的第一个字符,则字符索引超出范围。
要防止此错误,请使用data.split()
或检查当前字符串是否为空。
答案 3 :(得分:1)
确保您首先拥有“字”:
def highlight(data):
for word in data.split(" "):
if word and word[0] == "#":
print "<FONT COLOR=\"brown\">" + word + "</FONT>",
else:
print word,
将来询问时,包含错误消息的全文会很有帮助。