with threading.Lock():
时间: 2023-09-13 17:12:26 浏览: 92
`with threading.Lock():` 是 Python 中用于实现线程同步的语句。它是基于 `threading` 模块中的 `Lock` 类实现的。
在多线程程序中,当多个线程同时访问共享资源时,可能会引发竞态条件(Race Condition),导致数据不一致或程序崩溃。为了避免这种情况,我们需要使用锁来保护共享资源。
`with threading.Lock():` 的作用是获取一个锁对象,然后执行语句块中的代码。在语句块执行完成后,无论是正常结束还是发生异常,都会自动释放锁。
例如,以下代码使用了 `with threading.Lock():` 来保护一个共享资源 `counter`:
```python
import threading
counter = 0
lock = threading.Lock()
def increment():
global counter
with lock:
counter += 1
threads = []
for i in range(100):
t = threading.Thread(target=increment)
threads.append(t)
t.start()
for t in threads:
t.join()
print(counter) # 输出 100
```
在上面的代码中,多个线程同时调用 `increment()` 函数来增加 `counter` 的值,但是由于使用了锁,每次只有一个线程能够获得锁并执行 `counter += 1` 的操作,从而保证了数据的一致性。
阅读全文