如何检查python列表中的最后三个元素 - 它们是否为整数?

时间:2013-01-29 09:11:53

标签: python

我使用的是Python 2.7.2版。

我有一项任务来检查列表中的最后三个元素是否为整数? 例如:

mylist = [String, Large_string_containing_integers_inside_it, 80, 40, 50]

对于上面的列表,我想检查最后三个元素是否为整数。 我怎么能这样做?

以下是我正在测试的代码:

#!/usr/bin/python

line = ['MKS_TEST', 'Build', 'stability:', '1', 'out', 'of', 'the', 'last', '2', 'builds', 'failed.', '80', '40', '50']

if all(isinstance(i, int) for i in line[-3:]):
    job_name = line[0]
    warn = line[-3]
    crit = line[-2]
    score = line[-1]
    if score < crit:
        print ("CRITICAL - Health Score is %d" % score)
    elif (score >= crit) and (score <= warn):
        print ("WARNING - Health Score is %d" % score)
    else:
        print ("OK - Health Score is %d" % score)

1 个答案:

答案 0 :(得分:7)

使用内置的isinstanceall函数以及列表切片。

if all(isinstance(i, int) for i in mylist[-3:]):
    # do something
else:
    # do something else
  • all检查给定iterable中的所有元素是否评估为True
  • isinstance检查给定对象是否是第二个参数的实例
  • mylist[-3:]返回mylist
  • 的最后三个元素

此外,如果您使用的是Python 2且列表中包含非常大的数字,请检查long(长整数)类型。

if all(isinstance(i, (int, long)) for i in mylist[-3:]):
    pass

这可以防止像10**100这样的数字破坏条件。

但是,如果您的最后三个元素是字符串,则有两个选项。

如果您知道这些数字都不是很大,您可以使用isdigit字符串方法。

if all(i.isdigit() for i in mylist[-3:]):
    pass

但是,如果它们非常大(大约或超过2**31),请使用try/except块和内置map功能。

try:
    mylist[-3:] = map(int, mylist[-3:])
    # do stuff
except ValueError:
    pass
  • try定义要执行的代码块
  • except Exception捕获给定的异常并处理它而不会引发错误(除非被告知这样做)
  • map将函数应用于iterable的每个元素并返回结果。