在c#中,有一个空合并操作符(写为??),允许在赋值时简单(短)检查空值:
string s = null;
var other = s ?? "some default value";
python中有等效的吗?
我知道我能做到:
s = None
other = s if s else "some default value"
但是有没有更短的方法(我不需要重复s)?
在c#中,有一个空合并操作符(写为??),允许在赋值时简单(短)检查空值:
string s = null;
var other = s ?? "some default value";
python中有等效的吗?
我知道我能做到:
s = None
other = s if s else "some default value"
但是有没有更短的方法(我不需要重复s)?
当前回答
严格来说,
other = s if s is not None else "default value"
否则,s = False将成为“默认值”,这可能不是预期的。
如果你想让这段话更短,试试:
def notNone(s,d):
if s is None:
return d
else:
return s
other = notNone(s, "default value")
其他回答
除了Juliano关于“或”行为的回答之外: 这是“快速”
>>> 1 or 5/0
1
有时候这可能是一个有用的快捷方式
object = getCachedVersion() or getFromDB()
下面是一个函数,它将返回第一个非None的参数:
def coalesce(*arg):
return reduce(lambda x, y: x if x is not None else y, arg)
# Prints "banana"
print coalesce(None, "banana", "phone", None)
reduce()可能不必要地遍历所有参数,即使第一个参数不是None,所以你也可以使用这个版本:
def coalesce(*arg):
for el in arg:
if el is not None:
return el
return None
处理可能的异常:
def default_val(expr, default=None):
try:
tmp = expr()
except Exception:
tmp = default
return tmp
像这样使用它:
default_val(lambda: some['complex'].expression('with', 'possible')['exceptions'], '')
Python has a get function that its very useful to return a value of an existent key, if the key exist;
if not it will return a default value.
def main():
names = ['Jack','Maria','Betsy','James','Jack']
names_repeated = dict()
default_value = 0
for find_name in names:
names_repeated[find_name] = names_repeated.get(find_name, default_value) + 1
如果你在字典中找不到这个名字,它会返回default_value, 如果名称存在,则将任何现有值加1。
希望这能有所帮助
对于那些像我一样跌跌撞撞地在这里寻找一个可行的解决方案,当变量可能是未定义的,我得到的最接近的是:
if 'variablename' in globals() and ((variablename or False) == True):
print('variable exists and it\'s true')
else:
print('variable doesn\'t exist, or it\'s false')
请注意,签入全局变量时需要字符串,但之后在检查value时使用实际变量。
关于变量存在的更多信息: 如何检查变量是否存在?