我有一个简单的程序,我想在运行时切换语言。
由于没有使用QtDesigner完成GUI,所以我没有.ui文件,因此据我所知不能使用ui.retranslateUi。我目前解决此问题的方法是,每次发生语言更改事件时,在每个Widget上手动调用setText:

from PySide.QtCore import *
from PySide.QtGui import *
import sys


class Simple(QPushButton):
    def __init__(self):
        super().__init__('translate-me')
        self.translator = QTranslator()
        self.clicked.connect(self.switchLanguage)
        self.show()

    def changeEvent(self, event):
        if event.type() == QEvent.Type.LanguageChange:
            self.setText(self.tr('translate-me'))

    def switchLanguage(self):
        self.translator.load('translation-file')
        QApplication.installTranslator(self.translator)


app = QApplication(sys.argv)
simple = Simple()
sys.exit(app.exec_())


但是,使用here所述的使用ui.retranslateUi的解决方案要短得多。是否有与不使用.ui时类似的解决方案
GUI的文件?

最佳答案

retranslateUi方法仅影响从ui文件创建的对象。因此,为了提供完整的解决方案,必须在ui文件中设置每个需要重新翻译的字符串。在其他地方添加的任何字符串都需要完全分开的处理。

这是retranslateUi方法的示例:

def retranslateUi(self, Window):
    self.fileMenu.setTitle(QtGui.QApplication.translate("Window", "&File", None, QtGui.QApplication.UnicodeUTF8))
    self.helpMenu.setTitle(QtGui.QApplication.translate("Window", "&Help", None, QtGui.QApplication.UnicodeUTF8))
    self.fileQuit.setText(QtGui.QApplication.translate("Window", "&Quit", None, QtGui.QApplication.UnicodeUTF8))
    self.fileQuit.setShortcut(QtGui.QApplication.translate("Window", "Ctrl+Q", None, QtGui.QApplication.UnicodeUTF8))
    self.helpAbout.setText(QtGui.QApplication.translate("Window", "&About", None, QtGui.QApplication.UnicodeUTF8))
    self.helpAboutQt.setText(QtGui.QApplication.translate("Window", "About &Qt", None, QtGui.QApplication.UnicodeUTF8))


如您所见,它所做的只是在它知道的受影响对象上调用setText(或任何其他方法)。没有魔术。这只是pyside-uic工具生成的样板代码。

如果您不能使用ui文件,则必须自己创建与上述相同的文件。

07-25 23:38