微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

python – 找出哪个条件打破了逻辑和表达式

我想找到一种优雅的方法获取下面的逻辑和表达式的组件,如果if块没有被执行则负责.

if test1(value) and test2(value) and test3(value):
   print 'Yeeaah'
else:
   print 'Oh,no!','Who is the first function that return false?'

如果输入了else块,如何通过返回第一个假值来确定test1,test2或test3是否负责?

齐射.

解决方法

您可以使用next和生成器表达式:

breaker = next((test.__name__ for test in (test1,test2,test3) if not test(value)),None)

演示:

>>> def test1(value): return True
>>> def test2(value): return False
>>> def test3(value): return True
>>> value = '_' # irrelevant for this demo
>>>
>>> tests = (test1,test3)
>>> breaker = next((test.__name__ for test in tests if not test(value)),None)
>>> breaker
'test2'
>>> if not breaker:
...:    print('Yeeaah')
...:else:
...:    print('Oh no!')
...:    
Oh no!

请注意,此代码中从不调用test3.

(超级角落情况:如果断路器不是无效,如果没有断路器则使用如果由于原因我无法理解恶作剧者将函数__name__属性重新分配给”.)

〜编辑〜

如果你想知道第一次,第二次或第n次测试是否返回了一些有效的东西,你可以使用枚举的类似生成器表达式.

>>> breaker = next((i for i,test in enumerate(tests,1) if not test(value)),None)
>>> breaker
2

如果要从零开始计数,请使用枚举(tests)并检查断路器是否为None,以便输入if块(因为0是假的,如0).

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐