-
Notifications
You must be signed in to change notification settings - Fork 0
/
buttons.py
306 lines (246 loc) · 9.81 KB
/
buttons.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
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
import math
from typing import TYPE_CHECKING
from constants import SMALL_FONT_SIZE
from PySide6.QtCore import Slot
from PySide6.QtWidgets import QGridLayout, QPushButton
from utils import convertToNumber, isEmpty, isNumOrDot, isValidNumber
# Uma variavel que é True se eu estou fazendo apenas typechecking
# e False se eu não estou fazendo typechecking
if TYPE_CHECKING:
from display import Display
from info import Info
from main_window import MainWindow
# Evita circular imports, mas preciso colocar entre aspas a classe
# veja no __init__ do ButtonsGrid, coloquei 'Display' e 'Info'
# evitando esse possível erro e facilitando para mim
class Button(QPushButton):
def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs)
self.configStyle()
def configStyle(self):
font = self.font()
font.setPixelSize(SMALL_FONT_SIZE)
self.setFont(font)
self.setMinimumSize(75, 75)
class ButtonsGrid(QGridLayout):
def __init__(
self, display: 'Display', info: 'Info', window: 'MainWindow',
*args, **kwargs) -> None:
super().__init__(*args, **kwargs)
# Mascara de botões
self._gridMask = [
['c', 'D', '^', '/'],
['N', 'sqrt', '%', '!'],
['7', '8', '9', '*'],
['4', '5', '6', '-'],
['1', '2', '3', '+'],
['', '0', '.', '='],
]
# Outras informações
self.info = info
self.window = window
self.display = display
self._equation = ''
self._equationInitialValue = "Sua conta"
self._leftNum = None
self._rightNum = None
self._operator = None
self._makeGrid()
@property
def equation(self):
return self._equation
@equation.setter
def equation(self, value):
self._equation = value
self.info.setText(value)
def _makeGrid(self):
self.display.eqPressed.connect(self._eq)
self.display.delPressed.connect(self._backspace)
self.display.clearPressed.connect(self._clear)
self.display.inputPressed.connect(self._insertToDisplay)
self.display.operatorPressed.connect(self._configLeftOp)
self.display.inversePressed.connect(self._invertNumber)
for i, row in enumerate(self._gridMask):
for j, buttonText in enumerate(row):
if buttonText == "":
continue
if not buttonText == '0':
button = Button(buttonText)
if not isNumOrDot(buttonText) and not isEmpty(buttonText):
button.setProperty("cssClass", "specialButton")
self._configSpecialButton(button)
self.addWidget(button, i, j) # ij, linha coluna
slot = self._makeSlot(
self._insertToDisplay, buttonText)
self._connectButtonClicked(button, slot)
else:
button0 = Button(buttonText)
self.addWidget(button0, i, j-1, 1, 2,)
button0Slot = self._makeSlot(
self._insertToDisplay, buttonText
)
self._connectButtonClicked( # type:ignore
button0, button0Slot)
def _connectButtonClicked(self, button: Button, slot) -> None:
button.clicked.connect(slot)
def _configSpecialButton(self, button: Button):
text = button.text()
if text == "c":
self._connectButtonClicked(button, self._clear)
if text == "D":
self._connectButtonClicked(button, self._backspace)
if text == "N":
self._connectButtonClicked(button, self._invertNumber)
if text in "+-*/^%!":
self._connectButtonClicked(
button,
self._makeSlot(self._configLeftOp, text)
)
if text == "sqrt":
self._connectButtonClicked(
button,
self._makeSlot(self._configLeftOp, text)
)
if text == "=":
self._connectButtonClicked(button, self._eq)
def _insertToDisplay(self, text):
newDisplayValue = self.display.text() + text
if not isValidNumber(newDisplayValue):
return
self.display.insert(text)
self.display.setFocus()
@Slot()
def _makeSlot(self, func, *args, **kwargs):
@Slot(bool)
def realSlot():
func(*args, **kwargs)
return realSlot
@Slot()
def _invertNumber(self):
displayText = self.display.text()
if not isValidNumber(displayText):
return
number = convertToNumber(displayText) * -1
self.display.setText(str(number))
@Slot()
def _clear(self):
self._leftNum = None
self._operator = None
self._rightNum = None
self.equation = self._equationInitialValue
self.display.clear()
self.display.setFocus()
@Slot()
def _configLeftOp(self, text):
displayText = self.display.text() # meu numero _leftNum
self.display.clear()
self.display.setFocus()
# Se a pessoa clicou no operador
# sem configurar qualquer número
if not isValidNumber(displayText) and self._leftNum is None:
self._showErrorWithInfo("Você não digitou nada",
"É necessário inserir algum número antes "
"do operador")
return
# Se houver algo no número da esquerda,
# Apenas aguardar o numero da direita e fazer a conversão
if self._leftNum is None:
self._leftNum = convertToNumber(displayText)
self._operator = text
if self._operator == "sqrt":
if not self._leftNum < 0: # type: ignore
result = math.sqrt(self._leftNum) # type: ignore
self.equation = f"{self._operator} {self._leftNum} = {result}"
self._leftNum = result
self.info.setText(self.equation)
self._rightNum = None
self.display.setFocus()
return
else:
self._showErrorWithInfo(
"Raiz negativa", "A raiz quadrada de um "
"número negativo é imaginária e por isso não "
"pode ser efetuada")
self._clear()
return
elif self._operator == "!":
result = math.factorial(self._leftNum) # type: ignore
# num!
self.equation = f"{self._leftNum}{self._operator} = {result}"
self.info.setText(self.equation)
self._leftNum = result
self._rightNum = None
self.display.setFocus()
else:
self.equation = f"{self._leftNum} {self._operator} ??"
@Slot()
def _eq(self):
displayText = self.display.text()
if not isValidNumber(displayText) or self._leftNum is None:
self._showErrorWithInfo(
"Equação incompleta", "Digite outro número")
return
if self._operator == "sqrt" or self._operator == "!":
self._rightNum = None
elif self._operator == "%":
if not self._leftNum < 0: # type: ignore
self._rightNum = convertToNumber(displayText)
self.equation = f"({self._leftNum} * {self._rightNum})/100"
else:
self._showErrorWithInfo("Porcentagem negativa",
"Insira um número "
"válido para realizar a porcentagem")
self._clear()
else:
self._rightNum = convertToNumber(displayText)
self.equation = f"{self._leftNum} {self._operator} " \
f"{self._rightNum}"
result = "error"
try:
if "^" in self.equation and isinstance(
self._leftNum, (float, int)
) and self._rightNum is not None:
result = math.pow(self._leftNum, self._rightNum)
elif "!" in self.equation and isinstance(
self._leftNum, float | int) and self._rightNum is None:
result = math.factorial(self._leftNum) # type: ignore
# num!
self.equation = f"{self._leftNum}! = {result}"
else:
result = eval(self.equation)
except ZeroDivisionError:
self._showErrorWithInfo(
"Divisão por zero", "Não é possível dividir por zero"
)
except OverflowError:
self._showErrorWithInfo(
"Número muito grande", "O resultado digitado excedeu "
"o limite de memória disponível")
self.display.clear()
self.info.setText(f"{self.equation} = {result}")
self._leftNum = result
self._rightNum = None
self.display.setFocus()
if result == "error":
self._leftNum = None
@Slot()
def _backspace(self):
self.display.backspace()
self.display.setFocus()
def _showErrorWithInfo(self, text, informative_text):
msgBox = self.window.makeMsgBox()
msgBox.setText(text)
msgBox.setInformativeText(informative_text)
msgBox.setIcon(msgBox.Icon.Warning)
msgBox.setStandardButtons(
msgBox.StandardButton.Ok |
msgBox.StandardButton.Cancel
)
msgBox.exec()
self.display.setFocus()
# Trocando o texto do botão de texto
# msgBox.button(msgBox.StandardButton.Ok).setText("Entendido")
# Como saber qual botão o usuário clicou?
# result = msgBox.exec()
# if result == msgBox.StandardButton.Ok:
# print("clicou no Ok")