-
Notifications
You must be signed in to change notification settings - Fork 0
/
threads.py
134 lines (97 loc) · 2.52 KB
/
threads.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
from time import sleep
from threading import Thread
from threading import Lock
# Tread por classe
"""
class MeuThread(Thread):
def __init__(self, texto, tempo):
self.texto = texto
self.tempo = tempo
super().__init__()
def run(self):
sleep(self.tempo)
print(self.texto)
t1 = MeuThread('Thread 1', 5)
t1.start()
t2 = MeuThread('Thread 2', 3)
t2.start()
t3 = MeuThread('Thread 3', 2)
t3.start()
for i in range(20):
print(i)
sleep(1)
"""
# Tread por instancia
"""
def vai_demorar(texto, tempo):
sleep(tempo)
print(texto)
t1 = Thread(target=vai_demorar, args=('Olá mundo 1!', 5))
t1.start()
t2 = Thread(target=vai_demorar, args=('Olá mundo 2!', 1))
t2.start()
t3 = Thread(target=vai_demorar, args=('Olá mundo 3!', 2))
t3.start()
for i in range(20):
print(i)
sleep(.5)
"""
"""
def vai_demorar(texto, tempo):
sleep(tempo)
print(texto)
t1 = Thread(target=vai_demorar, args=('Olá mundo 1!', 10))
t1.start()
t1.join()
print('Thread acabou!')
"""
class Ingressos:
"""
Classe que vende ingressos
"""
def __init__(self, estoque):
""" Inicializando...
:param estoque: quantidade de ingressos em estoque
"""
self.estoque = estoque
# Nosso cadeado
self.lock = Lock()
def comprar(self, quantidade):
"""
Compra determinada quantidade de ingressos
:param quantidade: A quantidade de ingressos que deseja comprar
:type quantidade: int
:return: Nada
:rtype: None
"""
# Tranca o método
self.lock.acquire()
if self.estoque < quantidade:
print('Não temos ingressos suficientes.')
# Libera o método
self.lock.release()
return
sleep(1)
self.estoque -= quantidade
print(f'Você comprou {quantidade} ingresso(s). '
f'Ainda temos {self.estoque} em estoque.')
# Libera o método
self.lock.release()
if __name__ == '__main__':
ingressos = Ingressos(10)
threads = [] # Lista para manter as threads
for i in range(1, 20):
t = Thread(target=ingressos.comprar, args=(i,))
threads.append(t)
# Inicia as threads
for t in threads:
t.start()
# Verifica se todas as threads terminaram
executando = True
while executando:
executando = False
for t in threads:
if t.is_alive():
executando = True
break
print(ingressos.estoque)