-
Notifications
You must be signed in to change notification settings - Fork 0
/
Atualiza.py
373 lines (303 loc) · 15.6 KB
/
Atualiza.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
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
import sys
import os
import configparser
from collections import deque
import time
import shutil
from PyQt5.QtWidgets import QApplication, QHBoxLayout, QMainWindow, QFileDialog, QMessageBox, QVBoxLayout, QPushButton, QLabel, QProgressBar, QCheckBox, QLineEdit, QTextEdit, QWidget, QDialog, QTextBrowser, QDesktopWidget
from PyQt5.QtCore import QSettings, QThread, pyqtSignal
from PyQt5.QtCore import QThread, pyqtSignal, pyqtSlot
class FileUpdater(QThread):
start_update = pyqtSignal(int, int)
update_progress = pyqtSignal(int, str)
finished_update = pyqtSignal(list, list, bool)
checking_file = pyqtSignal(str)
error_signal = pyqtSignal(str)
def __init__(self, src, dest):
super(FileUpdater, self).__init__()
self.src = src
self.dest = dest
self.files_failed = []
def run(self):
print("Início da atualização...")
files_to_copy = []
files_failed = [] # Para manter uma lista dos arquivos que falharam
files_successfully_copied = []
try:
# Lista todos os arquivos na origem
all_files = [os.path.join(root, file) for root, _, files in os.walk(self.src) for file in files]
total_files = len(all_files)
# Verificar todos os arquivos na origem
for index, src_file in enumerate(all_files, 1):
dest_dir = self.dest if self.dest.endswith(os.sep) else self.dest + os.sep
dest_file = src_file.replace(self.src, self.dest)
print(f"Verificando arquivo {index}/{total_files}: {src_file}") # Log
self.checking_file.emit(f"Verificando arquivo {index}/{total_files}: {src_file}")
# Verificar se o arquivo deve ser copiado (se não existe ou está desatualizado)
if not os.path.exists(dest_file) or os.path.getmtime(src_file) > os.path.getmtime(dest_file):
files_to_copy.append(src_file)
# Emitir sinal com total de arquivos a copiar
total_size = sum([os.path.getsize(f) for f in files_to_copy])
self.start_update.emit(len(files_to_copy), total_size)
transferred_size = 0
# Copiar arquivos
for index, src_file in enumerate(files_to_copy, 1):
dest_file = os.path.normpath(src_file.replace(self.src, self.dest))
print(f"Transferindo {index}/{len(files_to_copy)}: {src_file}") # Log
# Emitir o sinal somente com o nome do arquivo sendo transferido
transferred_size += os.path.getsize(src_file)
self.update_progress.emit(transferred_size, f"Transferindo: {os.path.basename(src_file)}")
#self.update_progress.emit(index, f"{index}/{len(files_to_copy)}: {os.path.basename(src_file)}")
# Garantir que o diretório de destino exista
os.makedirs(os.path.dirname(dest_file), exist_ok=True)
try:
# Tentativa de copiar o arquivo
shutil.copy2(src_file, dest_file)
files_successfully_copied.append(src_file) # Adicionar o arquivo à lista de sucesso
except PermissionError:
# error_msg = f"Erro ao copiar arquivo {src_file}. O arquivo está sendo usado."
# self.error_signal.emit(error_msg) # Esta linha foi comentada
files_failed.append(src_file) # Adicionar o arquivo à lista de falhas
continue # Continuar com o próximo arquivo
time.sleep(0.01) # Pausa de 10ms
# Emitir sinal de conclusão
self.finished_update.emit(files_successfully_copied, files_failed, True)
except Exception as e:
print(f"Erro geral durante a atualização: {e}")
self.finished_update.emit([], [], False)
if files_failed:
print("Alguns arquivos falharam ao copiar:")
for f in files_failed:
print(f)
class TransferLogDialog(QDialog):
def __init__(self, files):
super().__init__()
self.setWindowTitle('Arquivos Transferidos')
layout = QVBoxLayout()
text_browser = QTextBrowser(self)
text_browser.append('\n'.join(files))
layout.addWidget(text_browser)
self.setLayout(layout)
class App(QMainWindow):
def __init__(self):
super().__init__()
self.title = 'Atualizador de Arquivos'
self.left = 10
self.top = 10
self.width = 640
self.height = 240
self.config = configparser.ConfigParser()
self.last_update_time = None # Adicione essa linha
self.last_transferred_size = 0 # Adicione essa linha
self.cumulative_speed_sum = 0.0 # soma cumulativa das velocidades
self.speed_entries_count = 0 # conta o número de entradas
self.speeds = deque(maxlen=5)
self.initUI()
def initUI(self):
self.setWindowTitle(self.title)
self.setGeometry(self.left, self.top, self.width, self.height)
# Widgets
self.src_label = QLabel("Diretório de Origem:")
self.src_input = QLineEdit(self)
self.src_browse_btn = QPushButton('Procurar', self)
self.src_browse_btn.clicked.connect(self.browse_src)
self.dest_label = QLabel("Diretório de Destino:")
self.dest_input = QLineEdit(self)
self.dest_browse_btn = QPushButton('Procurar', self)
self.dest_browse_btn.clicked.connect(self.browse_dest)
self.auto_update_checkbox = QCheckBox("Atualizar automaticamente ao abrir o aplicativo", self)
self.save_config_btn = QPushButton('Salvar configurações', self)
self.save_config_btn.setFixedSize(115, 25) # Ajusta o tamanho do botão
self.save_config_btn.clicked.connect(self.save_config)
self.update_btn = QPushButton('Atualizar', self)
self.update_btn.clicked.connect(self.start_update)
self.progress_bar = QProgressBar(self)
self.progress_label = QLabel("Progresso: 0%")
# Layouts
src_layout = QHBoxLayout()
src_layout.addWidget(self.src_input)
src_layout.addWidget(self.src_browse_btn)
dest_layout = QHBoxLayout()
dest_layout.addWidget(self.dest_input)
dest_layout.addWidget(self.dest_browse_btn)
settings_layout = QHBoxLayout()
settings_layout.addWidget(self.auto_update_checkbox)
settings_layout.addWidget(self.save_config_btn)
layout = QVBoxLayout()
layout.addWidget(self.src_label)
layout.addLayout(src_layout)
layout.addWidget(self.dest_label)
layout.addLayout(dest_layout)
layout.addLayout(settings_layout)
layout.addWidget(self.update_btn)
layout.addWidget(self.progress_bar)
layout.addWidget(self.progress_label)
central_widget = QWidget()
central_widget.setLayout(layout)
self.setCentralWidget(central_widget)
# Carregar configurações
self.load_config()
self.center()
def load_config(self):
if os.path.exists('config.ini'):
self.config.read('config.ini')
self.src_input.setText(self.config.get('DEFAULT', 'source_directory', fallback=''))
self.dest_input.setText(self.config.get('DEFAULT', 'destination_directory', fallback=''))
self.auto_update_checkbox.setChecked(self.config.getboolean('DEFAULT', 'auto_update', fallback=False))
if self.auto_update_checkbox.isChecked():
self.toggle_widgets(False)
self.start_update()
def browse_src(self):
dir_ = QFileDialog.getExistingDirectory(self, 'Selecionar Diretório de Origem')
if dir_:
self.src_input.setText(dir_)
def toggle_widgets(self, enable=True):
"""Ativa ou desativa widgets específicos."""
self.update_btn.setEnabled(enable)
self.src_input.setEnabled(enable)
self.src_browse_btn.setEnabled(enable)
self.dest_input.setEnabled(enable)
self.dest_browse_btn.setEnabled(enable)
def browse_dest(self):
dir_ = QFileDialog.getExistingDirectory(self, 'Selecionar Diretório de Destino')
if dir_:
self.dest_input.setText(dir_)
def start_update(self):
src_dir = self.src_input.text()
dest_dir = self.dest_input.text()
if not os.path.exists(src_dir):
QMessageBox.critical(self, 'Erro',
'Pasta origem não encontrada. Verifique o caminho do diretório ou se o SMB 1.0 está ativado nos recursos do Windows.')
return
if not os.path.exists(dest_dir):
reply = QMessageBox.question(self, 'Erro', 'Pasta destino não existe, deseja criar uma com esse nome?',
QMessageBox.Yes | QMessageBox.No)
if reply == QMessageBox.Yes:
os.makedirs(dest_dir, exist_ok=True)
else:
return
if not self.auto_update_checkbox.isChecked():
self.toggle_widgets(False)
# Salvar configurações
self.config['DEFAULT'] = {
'source_directory': src_dir,
'destination_directory': dest_dir,
'auto_update': self.auto_update_checkbox.isChecked()
}
with open('config.ini', 'w') as config_file:
self.config.write(config_file)
# Iniciar thread de atualização
self.updater = FileUpdater(src_dir, dest_dir)
self.updater.start_update.connect(self.initialize_progress)
self.updater.update_progress.connect(self.update_progress)
self.updater.finished_update.connect(self.finalize_update)
self.updater.checking_file.connect(self.show_checking_file)
self.updater.error_signal.connect(self.show_error_message)
self.updater.start()
@pyqtSlot(int, int)
def initialize_progress(self, total_files, total_size):
self.total_size = total_size # Salve o total_size para uso posterior
if total_files == 0:
return
self.progress_bar.setMaximum(total_size)
self.progress_bar.setValue(0)
self.progress_label.setText(f"Progresso: 0 MB/{self.total_size / (1024 * 1024):.2f} MB")
@pyqtSlot(int, str)
def update_progress(self, transferred_size, filename):
current_time = time.time()
avg_speed = 0.0 # Inicialização
if self.last_update_time is None:
speed = 0.0
else:
time_elapsed = current_time - self.last_update_time
data_transferred = transferred_size - self.last_transferred_size
speed = data_transferred / time_elapsed / (1024 * 1024)
# Atualiza a soma cumulativa e conta
self.cumulative_speed_sum += speed
self.speed_entries_count += 1
# Calcula a média das velocidades
avg_speed = self.cumulative_speed_sum / self.speed_entries_count
self.progress_bar.setValue(transferred_size)
percentage = (transferred_size / self.total_size) * 100
# Calculando o tempo estimado para conclusão
if avg_speed > 0:
remaining_data = self.total_size - transferred_size
estimated_time = remaining_data / (avg_speed * 1024 * 1024) # em segundos
estimated_time_minutes = int(estimated_time / 60)
estimated_time_seconds = int(estimated_time % 60)
time_str = f"{estimated_time_minutes} min {estimated_time_seconds} s restantes"
else:
time_str = "Calculando..."
self.progress_label.setText(
f"Progresso: {transferred_size / (1024 * 1024):.2f} MB/{self.total_size / (1024 * 1024):.2f} MB - {avg_speed:.2f} MB/s - {time_str} - {filename}"
)
# Atualize o tempo da última atualização e a quantidade de dados transferidos
self.last_update_time = current_time
self.last_transferred_size = transferred_size
@pyqtSlot(list, list, bool)
def finalize_update(self, files_copied, files_failed, success):
files_successfully_copied = [file for file in files_copied if file not in files_failed]
if files_successfully_copied:
reply = QMessageBox.question(self, 'Atualização Concluída',
f'Arquivos transferidos: {len(files_successfully_copied)}\n\nDeseja ver a lista de arquivos transferidos?',
QMessageBox.Yes | QMessageBox.No)
if reply == QMessageBox.Yes:
self.show_files_copied(files_successfully_copied, "Arquivos Transferidos")
if files_failed:
reply = QMessageBox.warning(self, 'Erros Durante a Atualização',
f'Arquivos que falharam: {len(files_failed)}\n\nDeseja tentar novamente?',
QMessageBox.Yes | QMessageBox.Cancel)
if reply == QMessageBox.Yes:
self.start_update() # Isso irá iniciar a atualização novamente.
elif reply == QMessageBox.Cancel:
self.show_files_copied(files_failed, "Arquivos que Falharam")
elif not files_failed and not files_successfully_copied:
QMessageBox.information(self, 'Atualizado', 'Todos os arquivos já estão atualizados!')
if not self.auto_update_checkbox.isChecked():
self.toggle_widgets(True)
def show_files_copied(self, files, title):
list_win = QMainWindow(self)
list_win.setWindowTitle(title)
list_win.setGeometry(200, 200, 600, 400)
file_list = QTextEdit(list_win)
file_list.setText("\n".join(files))
file_list.setReadOnly(True)
list_win.setCentralWidget(file_list)
list_win.show()
@pyqtSlot(str)
def show_checking_file(self, filename):
self.progress_label.setText(filename)
def save_config(self):
src_dir = self.src_input.text()
dest_dir = self.dest_input.text()
auto_update = self.auto_update_checkbox.isChecked()
self.config['DEFAULT'] = {
'source_directory': src_dir,
'destination_directory': dest_dir,
'auto_update': auto_update
}
with open('config.ini', 'w') as config_file:
self.config.write(config_file)
QMessageBox.information(self, 'Configurações', 'Configurações salvas com sucesso!')
def center(self):
qr = self.frameGeometry() # obtém a geometria da janela principal
cp = QDesktopWidget().availableGeometry().center() # obtém o ponto central do display
qr.moveCenter(cp) # move o centro da janela principal para o ponto central
self.move(qr.topLeft()) # move a janela principal para a posição
def show_message(self, title, message, icon=QMessageBox.Information):
"""Mostrar uma mensagem para o usuário."""
msg = QMessageBox(self)
msg.setIcon(icon)
msg.setWindowTitle(title)
msg.setText(message)
msg.exec_()
def show_error_message(self, message):
"""Mostrar uma mensagem de erro para o usuário."""
self.show_message("Erro na Atualização", message, icon=QMessageBox.Critical)
if __name__ == "__main__":
import os
os.environ["QT_EVENT_DISPATCHER"] = "windows"
app = QApplication(sys.argv)
window = App()
window.show()
sys.exit(app.exec_())