python 定义全局和静态变量
时间: 2023-09-14 17:09:39 浏览: 121
解析python的局部变量和全局变量
在 Python 中定义全局变量可以使用 `global` 关键字,示例如下:
```python
count = 0 # 全局变量
def increment():
global count # 声明 count 为全局变量
count += 1
print(count)
increment() # 输出 1
increment() # 输出 2
```
在 Python 中定义静态变量可以使用闭包的概念,示例如下:
```python
def counter():
count = 0 # 静态变量
def inner():
nonlocal count # 声明 count 为非局部变量
count += 1
print(count)
return inner
c = counter()
c() # 输出 1
c() # 输出 2
```
在上面的示例中,`count` 变量被定义在 `counter` 函数内部,但是在 `inner` 函数中可以通过 `nonlocal` 关键字访问和修改它。每次调用 `counter` 函数都会返回一个新的 `inner` 函数,但是它们共享同一个 `count` 变量。这个 `count` 变量就是静态变量。
阅读全文