如何在 Ui_MainWindow 中更新 pyqt5 进度条
How do I update pyqt5 progress bar in Ui_MainWindow
我尝试用pyqt5使进度条实时更新,但是目前网上的文档似乎非常有限。我在网上看到我可以使用线程和信号来做到这一点。但是,语法似乎在 pyqt5 中发生了变化。有高手帮忙吗?
主要uiwindow.
# -*- coding: utf-8 -*-
#
# Created by: PyQt5 UI code generator 5.9
#
# WARNING! All changes made in this file will be lost!
from PyQt5 import QtCore, QtGui, QtWidgets
from sendInvoice import *
class Ui_MainWindow(object):
def setupUi(self, MainWindow):
MainWindow.setObjectName("MainWindow")
MainWindow.resize(441, 175)
self.centralwidget = QtWidgets.QWidget(MainWindow)
self.centralwidget.setObjectName("centralwidget")
self.progressBar = QtWidgets.QProgressBar(self.centralwidget)
self.progressBar.setGeometry(QtCore.QRect(30, 20, 411, 61))
self.progressBar.setProperty("value", 0)
self.progressBar.setObjectName("progressBar")
self.pushButton = QtWidgets.QPushButton(self.centralwidget)
self.pushButton.setGeometry(QtCore.QRect(160, 100, 75, 23))
self.pushButton.setObjectName("pushButton")
MainWindow.setCentralWidget(self.centralwidget)
self.menubar = QtWidgets.QMenuBar(MainWindow)
self.menubar.setGeometry(QtCore.QRect(0, 0, 441, 21))
self.menubar.setObjectName("menubar")
MainWindow.setMenuBar(self.menubar)
self.statusbar = QtWidgets.QStatusBar(MainWindow)
self.statusbar.setObjectName("statusbar")
MainWindow.setStatusBar(self.statusbar)
self.retranslateUi(MainWindow)
self.pushButton.clicked.connect(self.sendInvoice)
QtCore.QMetaObject.connectSlotsByName(MainWindow)
def retranslateUi(self, MainWindow):
_translate = QtCore.QCoreApplication.translate
MainWindow.setWindowTitle(_translate("MainWindow", "MainWindow"))
self.pushButton.setText(_translate("MainWindow", "Send"))
def sendInvoice(self):
sendInvoice.sendInv()
if __name__ == "__main__":
import sys
app = QtWidgets.QApplication(sys.argv)
MainWindow = QtWidgets.QMainWindow()
ui = Ui_MainWindow()
ui.setupUi(MainWindow)
MainWindow.show()
sys.exit(app.exec_())
发送发票的工人档案。
import requests
import json
import sys
from PyQt5.QtWidgets import (QWidget, QProgressBar, QPushButton, QApplication)
class sendInvoice():
def sendInv(self):
startInvNum = int(100)
endInvNum = int(102)
Username = 'test'
Password = 'test'
AccountNum = test
environmentURL = 'http://www.test.com/api?INV' ##remove this temporary
totalRequest = int(endInvNum) - int(startInvNum)
n = 1
headerData = {
'Authorization': 'auth_email=' + Username + ', auth_signature=' + Password + ', auth_account=' + AccountNum,
'content-type': 'application/json',
}
QApplication.processEvents()
for i in range(startInvNum, endInvNum+1):
result = requests.get(environmentURL + str(i), headers=headerData)
print (result.text)
jsonOutput = json.loads(result.text)
print (json.dumps(jsonOutput, sort_keys=True, indent=4))
self.currentCount = str(n)
self.total = str(totalRequest)
percentage = sendInvoice.getPercentage(self)
print (percentage)
QApplication.processEvents()
n += 1
def getPercentage(self):
count = int(self.currentCount)
total = int(self.total)
currentPercentage = (count / (total + 1) * 100)
print(currentPercentage * 100)
return currentPercentage
不建议修改设计文件,最好另建一个文件将逻辑加入到设计中。因此,我假设设计文件名为 ui_mainwindow.py(
您必须删除所有更改)
.
├── main.py
├── sendInvoice.py
└── ui_mainwindow.py
你的代码有点乱所以我冒昧地改进它,在这种情况下我不会使用QThread,而是使用带有QRunnable的QThreadPool,发送信息我将使用QMetaObject:
与 QThreadPool
和 QRunnable
sendInvoice.py
from PyQt5 import QtCore
import requests
import json
class InvoiceRunnable(QtCore.QRunnable):
def __init__(self, progressbar):
QtCore.QRunnable.__init__(self)
self.progressbar = progressbar
def run(self):
startInvNum = 100
endInvNum = 102
Username = 'test'
Password = 'test'
AccountNum = 'test'
environmentURL = 'http://www.test.com/api?INV' ##remove this temporary
headerData = {
'Authorization': 'auth_email={}, auth_signature={}, auth_account={}'.format(Username, Password, AccountNum),
'content-type': 'application/json',
}
totalRequest = endInvNum - startInvNum + 1
for n, i in enumerate(range(startInvNum, endInvNum+1)):
result = requests.get(environmentURL + str(i), headers=headerData)
print (result.text)
jsonOutput = json.loads(result.text)
print(json.dumps(jsonOutput, sort_keys=True, indent=4))
print(n+1, totalRequest)
currentPercentage = (n+1)*100/totalRequest
QtCore.QMetaObject.invokeMethod(self.progressbar, "setValue",
QtCore.Qt.QueuedConnection,
QtCore.Q_ARG(int, currentPercentage))
我们将在 main.py 中加入这两个部分,其中将创建小部件并建立连接:
main.py
from PyQt5 import QtCore, QtGui, QtWidgets
from ui_mainwindow import Ui_MainWindow
from sendInvoice import InvoiceRunnable
class MainWindow(QtWidgets.QMainWindow, Ui_MainWindow):
def __init__(self, *args, **kwargs):
QtWidgets.QMainWindow.__init__(self, *args, **kwargs)
self.setupUi(self)
self.progressBar.setRange(0, 100)
self.pushButton.clicked.connect(self.sendInvoice)
def sendInvoice(self):
runnable = InvoiceRunnable(self.progressBar)
QtCore.QThreadPool.globalInstance().start(runnable)
if __name__ == "__main__":
import sys
app = QtWidgets.QApplication(sys.argv)
w = MainWindow()
w.show()
sys.exit(app.exec_())
和QThread
sendInvoice.py
from PyQt5 import QtCore
import requests
import json
class InvoiceThread(QtCore.QThread):
percentageChanged = QtCore.pyqtSignal(int)
def run(self):
startInvNum = 100
endInvNum = 102
Username = 'test'
Password = 'test'
AccountNum = 'test'
environmentURL = 'http://www.test.com/api?INV' ##remove this temporary
headerData = {
'Authorization': 'auth_email={}, auth_signature={}, auth_account={}'.format(Username, Password, AccountNum),
'content-type': 'application/json',
}
totalRequest = endInvNum - startInvNum + 1
for n, i in enumerate(range(startInvNum, endInvNum+1)):
result = requests.get(environmentURL + str(i), headers=headerData)
print (result.text)
jsonOutput = json.loads(result.text)
print(json.dumps(jsonOutput, sort_keys=True, indent=4))
print(n+1, totalRequest)
currentPercentage = (n+1)*100/totalRequest
self.percentageChanged.emit(currentPercentage)
main.py
from PyQt5 import QtCore, QtGui, QtWidgets
from ui_mainwindow import Ui_MainWindow
from sendInvoice import InvoiceThread
class MainWindow(QtWidgets.QMainWindow, Ui_MainWindow):
def __init__(self, *args, **kwargs):
QtWidgets.QMainWindow.__init__(self, *args, **kwargs)
self.setupUi(self)
self.progressBar.setRange(0, 100)
self.pushButton.clicked.connect(self.sendInvoice)
def sendInvoice(self):
thread = InvoiceThread(self)
thread.percentageChanged.connect(self.progressBar.setValue)
thread.start()
if __name__ == "__main__":
import sys
app = QtWidgets.QApplication(sys.argv)
w = MainWindow()
w.show()
sys.exit(app.exec_())
我尝试用pyqt5使进度条实时更新,但是目前网上的文档似乎非常有限。我在网上看到我可以使用线程和信号来做到这一点。但是,语法似乎在 pyqt5 中发生了变化。有高手帮忙吗?
主要uiwindow.
# -*- coding: utf-8 -*-
#
# Created by: PyQt5 UI code generator 5.9
#
# WARNING! All changes made in this file will be lost!
from PyQt5 import QtCore, QtGui, QtWidgets
from sendInvoice import *
class Ui_MainWindow(object):
def setupUi(self, MainWindow):
MainWindow.setObjectName("MainWindow")
MainWindow.resize(441, 175)
self.centralwidget = QtWidgets.QWidget(MainWindow)
self.centralwidget.setObjectName("centralwidget")
self.progressBar = QtWidgets.QProgressBar(self.centralwidget)
self.progressBar.setGeometry(QtCore.QRect(30, 20, 411, 61))
self.progressBar.setProperty("value", 0)
self.progressBar.setObjectName("progressBar")
self.pushButton = QtWidgets.QPushButton(self.centralwidget)
self.pushButton.setGeometry(QtCore.QRect(160, 100, 75, 23))
self.pushButton.setObjectName("pushButton")
MainWindow.setCentralWidget(self.centralwidget)
self.menubar = QtWidgets.QMenuBar(MainWindow)
self.menubar.setGeometry(QtCore.QRect(0, 0, 441, 21))
self.menubar.setObjectName("menubar")
MainWindow.setMenuBar(self.menubar)
self.statusbar = QtWidgets.QStatusBar(MainWindow)
self.statusbar.setObjectName("statusbar")
MainWindow.setStatusBar(self.statusbar)
self.retranslateUi(MainWindow)
self.pushButton.clicked.connect(self.sendInvoice)
QtCore.QMetaObject.connectSlotsByName(MainWindow)
def retranslateUi(self, MainWindow):
_translate = QtCore.QCoreApplication.translate
MainWindow.setWindowTitle(_translate("MainWindow", "MainWindow"))
self.pushButton.setText(_translate("MainWindow", "Send"))
def sendInvoice(self):
sendInvoice.sendInv()
if __name__ == "__main__":
import sys
app = QtWidgets.QApplication(sys.argv)
MainWindow = QtWidgets.QMainWindow()
ui = Ui_MainWindow()
ui.setupUi(MainWindow)
MainWindow.show()
sys.exit(app.exec_())
发送发票的工人档案。
import requests
import json
import sys
from PyQt5.QtWidgets import (QWidget, QProgressBar, QPushButton, QApplication)
class sendInvoice():
def sendInv(self):
startInvNum = int(100)
endInvNum = int(102)
Username = 'test'
Password = 'test'
AccountNum = test
environmentURL = 'http://www.test.com/api?INV' ##remove this temporary
totalRequest = int(endInvNum) - int(startInvNum)
n = 1
headerData = {
'Authorization': 'auth_email=' + Username + ', auth_signature=' + Password + ', auth_account=' + AccountNum,
'content-type': 'application/json',
}
QApplication.processEvents()
for i in range(startInvNum, endInvNum+1):
result = requests.get(environmentURL + str(i), headers=headerData)
print (result.text)
jsonOutput = json.loads(result.text)
print (json.dumps(jsonOutput, sort_keys=True, indent=4))
self.currentCount = str(n)
self.total = str(totalRequest)
percentage = sendInvoice.getPercentage(self)
print (percentage)
QApplication.processEvents()
n += 1
def getPercentage(self):
count = int(self.currentCount)
total = int(self.total)
currentPercentage = (count / (total + 1) * 100)
print(currentPercentage * 100)
return currentPercentage
不建议修改设计文件,最好另建一个文件将逻辑加入到设计中。因此,我假设设计文件名为 ui_mainwindow.py( 您必须删除所有更改)
.
├── main.py
├── sendInvoice.py
└── ui_mainwindow.py
你的代码有点乱所以我冒昧地改进它,在这种情况下我不会使用QThread,而是使用带有QRunnable的QThreadPool,发送信息我将使用QMetaObject:
与 QThreadPool
和 QRunnable
sendInvoice.py
from PyQt5 import QtCore
import requests
import json
class InvoiceRunnable(QtCore.QRunnable):
def __init__(self, progressbar):
QtCore.QRunnable.__init__(self)
self.progressbar = progressbar
def run(self):
startInvNum = 100
endInvNum = 102
Username = 'test'
Password = 'test'
AccountNum = 'test'
environmentURL = 'http://www.test.com/api?INV' ##remove this temporary
headerData = {
'Authorization': 'auth_email={}, auth_signature={}, auth_account={}'.format(Username, Password, AccountNum),
'content-type': 'application/json',
}
totalRequest = endInvNum - startInvNum + 1
for n, i in enumerate(range(startInvNum, endInvNum+1)):
result = requests.get(environmentURL + str(i), headers=headerData)
print (result.text)
jsonOutput = json.loads(result.text)
print(json.dumps(jsonOutput, sort_keys=True, indent=4))
print(n+1, totalRequest)
currentPercentage = (n+1)*100/totalRequest
QtCore.QMetaObject.invokeMethod(self.progressbar, "setValue",
QtCore.Qt.QueuedConnection,
QtCore.Q_ARG(int, currentPercentage))
我们将在 main.py 中加入这两个部分,其中将创建小部件并建立连接:
main.py
from PyQt5 import QtCore, QtGui, QtWidgets
from ui_mainwindow import Ui_MainWindow
from sendInvoice import InvoiceRunnable
class MainWindow(QtWidgets.QMainWindow, Ui_MainWindow):
def __init__(self, *args, **kwargs):
QtWidgets.QMainWindow.__init__(self, *args, **kwargs)
self.setupUi(self)
self.progressBar.setRange(0, 100)
self.pushButton.clicked.connect(self.sendInvoice)
def sendInvoice(self):
runnable = InvoiceRunnable(self.progressBar)
QtCore.QThreadPool.globalInstance().start(runnable)
if __name__ == "__main__":
import sys
app = QtWidgets.QApplication(sys.argv)
w = MainWindow()
w.show()
sys.exit(app.exec_())
和QThread
sendInvoice.py
from PyQt5 import QtCore
import requests
import json
class InvoiceThread(QtCore.QThread):
percentageChanged = QtCore.pyqtSignal(int)
def run(self):
startInvNum = 100
endInvNum = 102
Username = 'test'
Password = 'test'
AccountNum = 'test'
environmentURL = 'http://www.test.com/api?INV' ##remove this temporary
headerData = {
'Authorization': 'auth_email={}, auth_signature={}, auth_account={}'.format(Username, Password, AccountNum),
'content-type': 'application/json',
}
totalRequest = endInvNum - startInvNum + 1
for n, i in enumerate(range(startInvNum, endInvNum+1)):
result = requests.get(environmentURL + str(i), headers=headerData)
print (result.text)
jsonOutput = json.loads(result.text)
print(json.dumps(jsonOutput, sort_keys=True, indent=4))
print(n+1, totalRequest)
currentPercentage = (n+1)*100/totalRequest
self.percentageChanged.emit(currentPercentage)
main.py
from PyQt5 import QtCore, QtGui, QtWidgets
from ui_mainwindow import Ui_MainWindow
from sendInvoice import InvoiceThread
class MainWindow(QtWidgets.QMainWindow, Ui_MainWindow):
def __init__(self, *args, **kwargs):
QtWidgets.QMainWindow.__init__(self, *args, **kwargs)
self.setupUi(self)
self.progressBar.setRange(0, 100)
self.pushButton.clicked.connect(self.sendInvoice)
def sendInvoice(self):
thread = InvoiceThread(self)
thread.percentageChanged.connect(self.progressBar.setValue)
thread.start()
if __name__ == "__main__":
import sys
app = QtWidgets.QApplication(sys.argv)
w = MainWindow()
w.show()
sys.exit(app.exec_())