?参看抖音程序员zhenguo,作为学习记录,以备查询?
# h函数的参数也可以是一个函数
def f(x, h):
print("开始执行函数h")
result = h(x)
print(f"返回结果{result}")
if __name__ == '__main__':
h = lambda x: x ** 2
f(3, h)
"""
开始执行函数h
返回结果9
"""
# 函数嵌套函数
def f(x):
print(f"输入的x={x}")
def h():
result = x ** 2
print(f"返回的结果为{result}")
return h
# 执行f(3),返回h这个对象给fh
fh = f(3)
# 执行fh函数
fh()
"""
输入的x=3
返回的结果为9
"""
# 全局变量 和局部变量
a = 1
def loacl_f():
a = 2
print(f"local_f的a={a}")
loacl_f()
"""
local_f的a=2
"""
# 全局变量
a = 1
def f():
global a
a = a + 1
print(f"a={a}")
f()
"""
a=2
"""
# map函数 map(fun,*iterables)
a, b = [3, 1, 2], [6, 9]
l = list(map(lambda x, y: f"{x}-{y}", a, b))
print(l)
"""
['3-6', '1-9']
"""
#import导入模块
import random
random.randint(1, 10)
print("this is A 模块")
money = 1000
print(f"money={money}")
def f1():
print("这是f1函数")
def f2():
f1()
print("我是f2函数,调用了f1函数")
import A
print("这里是B模块")
A.f2()
"""
this is A 模块
money=1000
这里是B模块
这是f1函数
我是f2函数,调用了f1函数
"""
#创建第一个类
class FirstClass(object):
def run_signal(self):
print("Ready,go...")
fc = FirstClass()
fc.run_signal()
"""
Ready,go...
"""
|