我创建了一个简单的PyQt5用户界面,如下所示:
import sys
from PyQt5.QtWidgets import QApplication, QPushButton, QWidget, QLineEdit
class App(QWidget):
def __init__(self):
super().__init__()
self.title = 'Test'
self.left = 10
self.top = 10
self.width = 400
self.height = 500
self.initUI()
def initUI(self):
self.setWindowTitle(self.title)
self.setGeometry(self.left, self.top, self.width, self.height)
# Create textbox
self.textbox = QLineEdit(self)
self.textbox.move(20, 100)
self.textbox.resize(280,40)
# Create textbox
self.textbox = QLineEdit(self)
self.textbox.move(20, 200)
self.textbox.resize(280,40)
# Create a button in the window
self.button = QPushButton('Run', self)
self.button.move(300, 99)
# Create a button in the window
self.button = QPushButton('Run', self)
self.button.move(300, 199)
self.show()
if __name__ == '__main__':
app = QApplication(sys.argv)
ex = App()
sys.exit(app.exec_())
我想做的是:
1)用户在“文本框”中写一个字符串。
2)单击运行按钮。
3)运行按钮将字符串推到另一个变量(假设“ x ='whatevertheuserinputs'”,该变量存储在另一个python文件中。
有人可以给我任何有关如何解决该问题的提示吗?
非常感谢!
答案 0 :(得分:1)
由于您还需要将字符串传递给另一个文件中的函数,因此这是准系统应用程序的方式:
MyApp.py:
import sys
from PyQt5.QtWidgets import QApplication, QPushButton, QWidget, QLineEdit
# For passing the string to some function in another file:
from StringStorage import storeString
class App(QWidget):
def __init__(self):
super().__init__()
self.title = 'Test'
self.left = 10
self.top = 10
self.width = 400
self.height = 500
self.initUI()
def initUI(self):
self.setWindowTitle(self.title)
self.setGeometry(self.left, self.top, self.width, self.height)
# Create textbox
self.textbox = QLineEdit(self)
self.textbox.move(20, 100)
self.textbox.resize(280,40)
# Create a button in the window
self.button = QPushButton('Run', self)
self.button.move(300, 99)
# When the 'clicked' signal of the button is emitted, call some function (which acts as a slot):
self.button.clicked.connect(self.onButtonClicked)
self.show()
# Function to pass the entered string along to the function from another file
def onButtonClicked(self):
storeString(self.textbox.text())
if __name__ == '__main__':
app = QApplication(sys.argv)
ex = App()
sys.exit(app.exec_())
StringStorage.py:
# The text is to be stored in this string
x = ''
def storeString(inString):
global x
x = inString
# Do something with the string
print(inString)
return