我想在安装之前使用QFontDialog小部件预览外部字体。但是,默认情况下,QFontDialog显然只列出已安装的系统字体。
答案 0 :(得分:1)
您无法指定自定义字体文件夹,但可以使用QFontDatabase类添加单个字体。所以你需要做的就是遍历给定文件夹中的文件并添加它包含的任何字体文件。文档说明了这些限制:
目前只有TrueType字体,TrueType字体集合和OpenType 支持字体。
注意:在没有的情况下在Unix / X11平台上添加应用程序字体 目前不支持fontconfig。
添加完所有有效字体文件后,它们将立即显示在字体对话框中。这是一个简单的演示(仅在Linux上测试):
import sys, os, glob
from PyQt5 import QtCore, QtGui, QtWidgets
class Window(QtWidgets.QWidget):
def __init__(self):
super(Window, self).__init__()
self.button1 = QtWidgets.QPushButton('Open Font Folder')
self.button1.clicked.connect(self.handleButton1)
self.button2 = QtWidgets.QPushButton('Show Font Dialog')
self.button2.clicked.connect(self.handleButton2)
self.fontList = QtWidgets.QListWidget()
layout = QtWidgets.QVBoxLayout(self)
layout.addWidget(self.fontList)
layout.addWidget(self.button1)
layout.addWidget(self.button2)
def handleButton1(self):
path = QtWidgets.QFileDialog.getExistingDirectory(self)
if path:
fonts = set()
self.fontList.clear()
db = QtGui.QFontDatabase()
db.removeAllApplicationFonts()
for filename in glob.glob(os.path.join(path, '*.ttf')):
fontid = db.addApplicationFont(os.path.join(path, filename))
if fontid >= 0:
fonts.update(db.applicationFontFamilies(fontid))
self.fontList.addItems(sorted(fonts))
self.fontList.setCurrentRow(0)
def handleButton2(self):
font = QtGui.QFont()
item = self.fontList.currentItem()
if item is not None:
font.setFamily(item.text())
QtWidgets.QFontDialog.getFont(font, self)
if __name__ == '__main__':
app = QtWidgets.QApplication(sys.argv)
window = Window()
window.setGeometry(600, 100, 200, 200)
window.show()
sys.exit(app.exec_())