我的python脚本中导致无限循环的错误是什么

时间:2018-03-16 18:13:03

标签: python path pyqt5 infinite-loop

我有一个python类,它创建一个包含

的窗口
  • EditLine
  • 打开按钮
  • 取消按钮

其中EditLine将获取userInput,它是文件夹的路径。

问题是,一旦我运行脚本,它就会进入无限循环。

的代码:

'''
1- import the libraries from the converted file
2- import the converted file 
'''
from PyQt5 import QtCore, QtGui, QtWidgets
import pathmsgbox 
import os 
import pathlib

class path_window(pathmsgbox.Ui_PathMSGbox):


    def __init__(self,windowObject ):
        self.windowObject = windowObject
        self.setupUi(windowObject)
        self.checkPath(self.pathEditLine.text())
        self.windowObject.show()



    def checkPath(self, pathOfFile):
        folder = self.pathEditLine.text()
        while os.path.exists(folder) != True:
            print("the specified path not exist")
            folder = self.pathEditLine.text()
        return folder

'''
get the userInput  from the EditLine
'''   
'''     
    def getText(self):
        inputUser = self.pathEditLine.text()
        print(inputUser)
'''
'''
function that exit from the system after clicking "cancel"
'''
def exit():
    sys.exit()

'''
define the methods to run only if this is the main module deing run
the name take __main__ string only if its the main running script and not imported 
nor being a child process
'''
if __name__ == "__main__":
    import sys
    app = QtWidgets.QApplication(sys.argv)
    PathMSGbox = QtWidgets.QWidget()
    pathUi = path_window(PathMSGbox)
    pathUi.pathCancelBtn.clicked.connect(exit)
    sys.exit(app.exec_())

1 个答案:

答案 0 :(得分:0)

这里的问题是您在类初始化中调用checkPath()

checkPath()一次读取路径,然后开始评估该路径是否永久有效'。运行此while循环甚至可能会阻止软件有效地再次阅读self.pathEditLine中的文字。

通常情况下,将每个功能连接到一个事件会更好:

  • 按下按钮时检查文件夹是否存在
  • 检查文本更改时文件夹是否存在
  • 当用户按下
  • 时检查文件夹是否存在

要执行上述任何操作,您必须其中一个事件连接到该函数:

按钮事件:

self.btnMyNewButton.clicked.connect(checkPath)

文字更改事件:

self.pathEditLine.textChanged.connect(checkPath)

输入按钮事件:

self.pathEditLine.returnPressed.connect(checkPath)

这意味着您必须将前一行中的一行替换为您在初始化中调用checkPath()函数的行:

def __init__(self,windowObject ):
    self.windowObject = windowObject
    self.setupUi(windowObject)
    self.pathEditLine.textChanged.connect(checkPath)
    self.windowObject.show()

您还必须从pathOfFile中删除checkPath(self, checkPath)参数,因为您没有使用它。

由于我们为checkPath()函数决定了不同的行为,我们不再需要while循环:每次event发生时我们都会读取用户输入,评估用户输入,如果我们喜欢则返回用户输入,如果我们不这样做,则返回False

def checkPath(self):
    folder = str(self.pathEditLine.text())
    if os.path.exists(folder):
        print '%s is a valid folder' % folder
        return folder
    else:
        print '%s is NOT a valid folder' % folder
        return False