- 论坛徽章:
- 0
|
本帖最后由 zhuyubei 于 2012-08-17 20:58 编辑
轮到Python了。Python里没有 ||, 只有or我们还是看看什么样的值是false,什么样得值是true- firstlist = [ None, 0, "0", 0.0, "0.0", 00000, "00000", "", " ", 23, 32, [ ] ]
- second = "backup"
- # Pay attention to the values which are false
- for index in range(len(firstlist)):
- # use first if first is true, else second
- value = firstlist[ index ] or second
- if firstlist[ index ]:
- print "print [ %d ] I'm first: [%s]" %( index, value )
- else:
- print "print [ %d ] I'm second: [%s], first is [%s]" %( index, value, firstlist[ index ] )
复制代码 Python是个强类型的语言。字符串是不能隐式转成数字的。所以这里"0"是true. 0.0这里依旧是false. 不同的是,里面的一个空列表。虽然同样放得是引用,但是空列表在这里被当作是false! 这一点和Perl不一样。Perl的引用测试的时候想必类似于字符串。
同样,为了避免把0也当作是false. Python里面同样用None来作为Perl里的undef。你可以用is not None来判断是不是空的. 而且Python里没有三元表达式的。在Python里,它引入了这样的方式来作为三元表达式, a if a is not None esle b- notdefined = None
- # use first if first is not a none value, else second
- # property and / or operator
- value = notdefined if notdefined is not None else second # From python 2.5
复制代码 其语句的意思几乎就和注释: use first if first is not a none value, else second一致。
另外对于Python2.5之前的版本。可以这样写- value = notdefined is not None and notdefined or second # Before python 2.5, not so readable
复制代码 我觉得可读性不很好。对于可读性不好的东西,我都有些抵触。这里它用了and 和 or的赋值特性。 对于and如果第一个是true,它就返回and后面的那个值,否则就返回第一个false。而对于or, 如果第一个是false,它就返回or里的第二个表达式的值,否则就返回第一个值。
而对于连续多个候选默认值的问题。Python也差不多。- user = os.environ["USER"] or os.environ["LOGNAME"] or\
- os.getlogin( ) or pwd.getpwuid( os.getuid() )[ 0 ] or\
- "Unknown uid number %" % os.getuid();
- print "User:",user
复制代码 好了,今天就写到这里 |
|