python学习日记(4)

  • filter
    • 例子
  • sorted
  • 闭包closure
    • 细节
  • 匿名函数lambda

filter

def is_odd(n):
    return n % 2 == 1

list(filter(is_odd, [ 1, 2, 3, 4, 5, 6, 7, 8]))
#return[1,3,5,7]

例子

筛选非回文数

def is_palindrome(n):
    return str(n)== str(n)[::-1]

output = filter(is_palindrome, range(1, 1000))
print(list(output))

sorted

sorted(['bob', 'about', 'Zoo', 'Credit'], key=str.lower, reverse=True)

闭包(closure)

简单而言就是一个内部函数对在外部作用域但不是全局作用域的变量进行引用,那么这个函数就叫做闭包。需要满足:

  • 函数有嵌套
  • 外部函数返回内部函数的引
  • 外部函数中有局部变量并且在内部函数中有使用

其中,自由变量指的是外部函数定义且被内部函数使用的局部变量。

闭包的意义在于该函数与环境变量相结合。

def line_conf(a, b):
    def line(x):
        return a*x + b
    return line

line1 = line_conf(1, 1)
line2 = line_conf(4, 5)
print(line1(5), line2(5))

#返回的结果是y=x+1以及y=4x+5

细节

def count():
    fs = []
    for i in range(1, 4):
        def f():
             return i*i
        fs.append(f)
    return fs

f1, f2, f3 = count()

#返回的都是9
def count():
    def f(j):
        def g():
            return j*j
        return g
    fs = []
    for i in range(1, 4):
        fs.append(f(i)) # f(i)立刻被执行,因此i的当前值被传入f()
    return fs
#返回的是1,4,9

匿名函数lambda

lambda x: x * x
#实际上是
'''
def f(x):
    return x * x
'''

关键字lambda表示匿名函数,冒号前面的x表示函数参数

你可能感兴趣的:(我的学习日记,python)