8

给定下面的例子,哪个更pythonic?使用函数组合、lambdas 或(现在)完全不同的东西?我不得不说 lambdas 似乎更具可读性,但 Guido 本人似乎想完全删除 lambdas - http://www.artima.com/weblogs/viewpost.jsp?thread=98196

from functools import partial
from operator import not_, ge

def get_sql_data_type_from_string(s):
    s = str(s)

    # compose(*fs) -> returns composition of functions fs
    # iserror(f, x) -> returns True if Exception thrown from f(x), False otherwise

    # Using function composition
    predicates = (
        ('int',     compose(not_, partial(iserror, int))),
        ('float',   compose(not_, partial(iserror, float))),
        ('char',    compose(partial(ge, 1), len)))

    # Using lambdas
    predicates = (
        ('int',     lambda x: not iserror(int, x)),
        ('float',   lambda x: not iserror(float, x)),
        ('char',    lambda x: len(x) <= 1))

    # Test each predicate
    for i, (t, p) in enumerate(predicates):
        if p(s):
            return i, t

    # If all predicates fail
    return (i + 1), 'varchar'
4

2 回答 2

8

没见过 Python 的程序员一眼就能认出 lambda。我已经使用 Python 十多年了,我一直在摸索组合形式,即使与 lambda 版本进行比较也是如此。

去那个不烂的。此外,鉴于 lambda 进行了 3.0 剪辑,我怀疑它是否会被删除。

于 2012-09-02T05:53:28.137 回答
2

这是一种属于“不同”类别的方法:

def get_sql_data_type_from_string(s):
    s = str(s)

    def char(x):
        if len(x)<=1:
            return x
        raise RuntimeError('Not a char')

    predicates = (
        ('int',     int),
        ('float',   float),
        ('char',    char)
    )

    # Test each predicate
    for i, (t, p) in enumerate(predicates):
        try:
            p(s)
            return i,t
        except:
            pass

    # If all predicates fail
    return (i + 1), 'varchar'
于 2012-09-02T06:09:59.623 回答