3

我是 python 新手,正在开发一些程序来掌握它。我正在制作一个回文程序,它从文件中获取输入并打印出回文单词。这是我到目前为止的代码

def isPalindrome(word):
    if len(word) < 1:
        return True
    else:
        if word[0] == word[-1]:
            return isPalindrome(word[1:-1])
        else:
            return False

def fileInput(filename):
    file = open(filename,'r')
    fileContent = file.readlines()
    if(isPalindrome(fileContent)):
        print(fileContent)
    else:
        print("No palindromes found")
    file.close()

这是文件

moom
mam
madam
dog
cat
bat

我得到没有找到回文的输出。

4

3 回答 3

3

文件的内容将以列表的形式读入,因此 fileContent 将最终为:

fileContent = file.readlines()
fileContent => ["moon\n", "mam\n", "madam\n", "dog\n", "cat\n", "bat\n"]

您可以通过以下方式解决此问题:

def fileInput(filename):
    palindromes = False
    for line in open(filename):
        if isPalindrome(line.strip()):
             palindromes = True
             print(line.strip(), " is a palindrome.")

    return "palindromes found in {}".format(filename) if palindromes else "no palindromes found."

注意:已添加palindromes标志以返回最终的“回文 [未] 找到”语句

于 2013-07-21T20:25:29.013 回答
0

文件中的单词应该有一个循环。也readline读取行尾字符。strip在调用 isPalindrome 之前你应该这样做。

于 2013-07-21T20:25:18.660 回答
0

利用

fileContent = file.readline().strip()

因为readlines()返回带有'\n'字符的字符串列表。

readlines()返回一个列表,其中 asreadline()返回当前行。

也不要file用作变量名。

所以你的修改fileInput()

def fileInput(filename):
    f = open(filename,'r')
    line = f.readline().strip()
    while line != '':
        if(isPalindrome(line)):
            print(line)
        else:
            print("No palindromes found")
        line = f.readline().strip()
    file.close()
于 2013-07-21T20:27:19.997 回答