1

我做了一个程序:

import collections
x = input("Enter in text: ")
x_counter = collections.Counter()
x_counter.update(x)
print("Your sequence contains:\n")
for i in '`1234567890-=qwertyuiop[]\asdfghjkl;zxcvbnm,./~!@#$%^&*()_+QWERTYUIOP\
{}|ASDFGHJKL:"ZXCVBNM<>?':
    print(i, x_counter[i])

这会打印出一个字母在文本中使用的次数。当用户输入较小尺寸的文本时,例如段落......程序运行良好。当用户输入很长的文本时,比如说 5 段...程序退出并以 bash 命令的形式运行所有输入...这是为什么???

4

1 回答 1

5

这是因为input只从用户那里得到一行,如下例所示:

pax> cat qq.py
x = raw_input ("blah: ") # using raw_input for Python 2
print x

pax> python qq.py
blah: hello<ENTER>
hello

pax> there<ENTER>
bash: there: command not found

pax> 

一种可能性是从文件中读取信息而不是使用input,但您也可以执行以下操作:

def getline():
    try:
        x = raw_input ("Enter text (or eof): ")
    except EOFError:
        return ""
    return x + "\n"

text = ""
line = getline()
while line != "":
    text = text + line;
    line = getline()
print "\n===\n" + text

它将继续读取用户的输入,直到他们以 EOF 结束输入(Linux 下的 CTRL-D):

pax> python qq.py
Enter text (or eof): Hello there,
Enter text (or eof): 
Enter text (or eof): my name is Pax.
Enter text (or eof): <CTRL-D>
===
Hello there,

my name is Pax.
于 2012-04-06T02:32:58.067 回答