Run Script From Gui
I wrote a script (test.py) for Data Analysis. Now I'm doing a GUI in PyQt. What I want is when I press a button 'Run', the script test.py will run and show the results (plots). I t
Solution 1:
What you need to do is create a text label, then pipe stdout / stderr to subprocess.PIPE
:
p = subprocess.Popen(
"python test1.py",
shell=True,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE
)
Then call subprocess.Popen.communicate()
:
stdout, stderr = p.communicate()
# Display stdout (and possibly stderr) in a text label
Solution 2:
Solution 3:
QProcess class is used to start external programs and to communicate with them.
Try it:
import sys
import subprocess
from PyQt5 import Qt
from PyQt5.QtWidgets import QMainWindow, QApplication, QPushButton
from PyQt5.QtCore import QProcess
classWindow(QMainWindow):
def__init__(self):
super(Window, self).__init__()
self.setGeometry(50, 50, 500, 300)
self.setWindowTitle("TEMP FILE")
self.home()
defhome (self):
btn_run = QPushButton("Run", self)
#btn_run.clicked.connect(self.execute) # ---
filepath = "python test1.py"# +++
btn_run.clicked.connect(lambda checked, arg=filepath: self.execute(arg)) # +++
self.show()
defexecute(self, filepath): # +++#subprocess.Popen('test1.py', shell=True)#subprocess.call(["python", "test1.py"])# It works#subprocess.run("python test1.py")
QProcess.startDetached(filepath) # +++ifnot QApplication.instance():
app = QApplication(sys.argv)
else:
app = QApplication.instance()
GUI = Window()
app.exec_()
Post a Comment for "Run Script From Gui"