在c#中,有一个空合并操作符(写为??),允许在赋值时简单(短)检查空值:

string s = null;
var other = s ?? "some default value";

python中有等效的吗?

我知道我能做到:

s = None
other = s if s else "some default value"

但是有没有更短的方法(我不需要重复s)?


当前回答

关于@Hugh Bothwell, @mortehu和@glglgl的回答。

用于测试的设置数据集

import random

dataset = [random.randint(0,15) if random.random() > .6 else None for i in range(1000)]

定义实现

def not_none(x, y=None):
    if x is None:
        return y
    return x

def coalesce1(*arg):
  return reduce(lambda x, y: x if x is not None else y, arg)

def coalesce2(*args):
    return next((i for i in args if i is not None), None)

制作测试函数

def test_func(dataset, func):
    default = 1
    for i in dataset:
        func(i, default)

使用python 2.7在mac i7 @2.7Ghz上的结果

>>> %timeit test_func(dataset, not_none)
1000 loops, best of 3: 224 µs per loop

>>> %timeit test_func(dataset, coalesce1)
1000 loops, best of 3: 471 µs per loop

>>> %timeit test_func(dataset, coalesce2)
1000 loops, best of 3: 782 µs per loop

显然,not_none函数正确地回答了OP的问题,并处理了“假”问题。它也是最快和最容易阅读的。如果将这种逻辑应用于许多地方,显然是最好的方法。

如果你想在一个可迭代对象中找到第一个非空值,那么@mortehu的响应就是正确的方法。但是它解决的问题与OP不同,尽管它可以部分处理这种情况。它不能接受可迭代对象和默认值。最后一个参数将是返回的默认值,但在这种情况下,你不会传入一个可迭代对象,而且最后一个参数是默认值也不是显式的。

然后您可以执行下面的操作,但对于单值用例,我仍然使用not_null。

def coalesce(*args, **kwargs):
    default = kwargs.get('default')
    return next((a for a in arg if a is not None), default)

其他回答

除了Juliano关于“或”行为的回答之外: 这是“快速”

>>> 1 or 5/0
1

有时候这可能是一个有用的快捷方式

object = getCachedVersion() or getFromDB()

处理可能的异常:

def default_val(expr, default=None):
    try:
        tmp = expr()
    except Exception:
        tmp = default
    return tmp

像这样使用它:

default_val(lambda: some['complex'].expression('with', 'possible')['exceptions'], '')

严格来说,

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")

除了单个值的@Bothwells answer(我更喜欢这个),为了检查函数返回值的空值分配,你可以使用new walrus-operator(自python3.8以来):

def test():
    return

a = 2 if (x:= test()) is None else x

因此,测试函数不需要计算两次(如果test()为None else test(),则a = 2)

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。

希望这能有所帮助