0

我的 Python 代码有问题。我正在尝试显示用户输入的序号。因此,如果我输入 32,它将显示第 32 个,或者如果我输入 576,它将显示第 576 个。唯一不起作用的是 93,它显示第 93 位。每个其他数字都有效,我不知道为什么。这是我的代码:

num = input ('Enter a number: ')
end = ''
if num[len(num) - 2] != '1' or len(num) == 1:
  if num.endswith('1'):
    end = 'st'
  elif num.endswith('2'):
    end = 'nd'
  elif num == '3':
    end = 'rd'
  else:
    end = 'th'
else:
  end = 'th'
ornum = num + end
print (ornum)
4

2 回答 2

1

endswith()在 2 个地方使用,而不是 3 个:

if num.endswith('1'):
    end = 'st'
elif num.endswith('2'):
    end = 'nd'
#elif num == '3':  WRONG
elif num.endswith('3'):
    end = 'rd'

在您的代码中,它将测试“如果 num 等于 3”而不是“如果 num 以 3 结尾”。

于 2016-08-05T12:19:19.217 回答
0

由于某种原因,您忘记检查endswith()以下内容3

elif num.endswith('3'):
    end = 'rd'

附带说明一下,您可以通过阅读SE Code Review 上的这个问题来改进您的代码,其中包括这个很棒的版本:

SUFFIXES = {1: 'st', 2: 'nd', 3: 'rd'}
def ordinal(num):
    if 10 <= num % 100 <= 20:
        suffix = 'th'
    else:
        suffix = SUFFIXES.get(num % 10, 'th')
    return str(num) + suffix
于 2016-08-05T12:18:25.380 回答