calibre/src/calibre/gui2/widgets2.py
2021-04-04 12:02:24 +01:00

696 lines
24 KiB
Python

#!/usr/bin/env python
# vim:fileencoding=utf-8
# License: GPLv3 Copyright: 2013, Kovid Goyal <kovid at kovidgoyal.net>
import weakref
from qt.core import (
QApplication, QByteArray, QCalendarWidget, QCheckBox, QColor, QColorDialog, QFrame,
QComboBox, QDate, QDateTime, QDateTimeEdit, QDialog, QDialogButtonBox, QFont,
QFontInfo, QFontMetrics, QIcon, QKeySequence, QLabel, QLayout, QMenu, QMimeData,
QPalette, QPixmap, QPoint, QPushButton, QRect, QScrollArea, QSize, QSizePolicy,
QStyle, QStyledItemDelegate, Qt, QTabWidget, QTextBrowser, QToolButton, QTextCursor,
QUndoCommand, QUndoStack, QUrl, QWidget, pyqtSignal, QBrush, QPainter
)
from calibre.ebooks.metadata import rating_to_stars
from calibre.gui2 import UNDEFINED_QDATETIME, gprefs, rating_font
from calibre.gui2.complete2 import EditWithComplete, LineEdit
from calibre.gui2.widgets import history
from calibre.utils.config_base import tweaks
from calibre.utils.date import UNDEFINED_DATE
from polyglot.builtins import unicode_type
from polyglot.functools import lru_cache
class HistoryMixin(object):
max_history_items = None
min_history_entry_length = 3
def __init__(self, *args, **kwargs):
pass
@property
def store_name(self):
return 'lineedit_history_'+self._name
def initialize(self, name):
self._name = name
self.history = self.load_history()
self.set_separator(None)
self.update_items_cache(self.history)
self.setText('')
try:
self.editingFinished.connect(self.save_history)
except AttributeError:
self.lineEdit().editingFinished.connect(self.save_history)
def load_history(self):
return history.get(self.store_name, [])
def save_history(self):
ct = unicode_type(self.text())
if len(ct) >= self.min_history_entry_length:
try:
self.history.remove(ct)
except ValueError:
pass
self.history.insert(0, ct)
if self.max_history_items is not None:
del self.history[self.max_history_items:]
history.set(self.store_name, self.history)
self.update_items_cache(self.history)
def clear_history(self):
self.history = []
history.set(self.store_name, self.history)
self.update_items_cache(self.history)
class HistoryLineEdit2(LineEdit, HistoryMixin):
def __init__(self, parent=None, completer_widget=None, sort_func=lambda x:b''):
LineEdit.__init__(self, parent=parent, completer_widget=completer_widget, sort_func=sort_func)
def set_uniform_item_sizes(self, on=False):
if hasattr(self.mcompleter, 'setUniformItemSizes'):
self.mcompleter.setUniformItemSizes(on)
class HistoryComboBox(EditWithComplete, HistoryMixin):
def __init__(self, parent=None, strip_completion_entries=True):
EditWithComplete.__init__(self, parent, sort_func=lambda x:b'', strip_completion_entries=strip_completion_entries)
def set_uniform_item_sizes(self, on=False):
self.lineEdit().mcompleter.setUniformItemSizes(on)
class ColorButton(QPushButton):
color_changed = pyqtSignal(object)
def __init__(self, initial_color=None, parent=None, choose_text=None):
QPushButton.__init__(self, parent)
self._color = None
self.choose_text = choose_text or _('Choose &color')
self.color = initial_color
self.clicked.connect(self.choose_color)
@property
def color(self):
return self._color
@color.setter
def color(self, val):
val = unicode_type(val or '')
col = QColor(val)
orig = self._color
if col.isValid():
self._color = val
self.setText(val)
p = QPixmap(self.iconSize())
p.fill(col)
self.setIcon(QIcon(p))
else:
self._color = None
self.setText(self.choose_text)
self.setIcon(QIcon())
if orig != col:
self.color_changed.emit(self._color)
def choose_color(self):
col = QColorDialog.getColor(QColor(self._color or Qt.GlobalColor.white), self, _('Choose a color'))
if col.isValid():
self.color = unicode_type(col.name())
def access_key(k):
'Return shortcut text suitable for adding to a menu item'
if QKeySequence.keyBindings(k):
return '\t' + QKeySequence(k).toString(QKeySequence.SequenceFormat.NativeText)
return ''
def populate_standard_spinbox_context_menu(spinbox, menu, add_clear=False, use_self_for_copy_actions=False):
m = menu
le = spinbox.lineEdit()
ca = spinbox if use_self_for_copy_actions else le
m.addAction(_('Cu&t') + access_key(QKeySequence.StandardKey.Cut), ca.cut).setEnabled(not le.isReadOnly() and le.hasSelectedText())
m.addAction(_('&Copy') + access_key(QKeySequence.StandardKey.Copy), ca.copy).setEnabled(le.hasSelectedText())
m.addAction(_('&Paste') + access_key(QKeySequence.StandardKey.Paste), ca.paste).setEnabled(not le.isReadOnly())
m.addAction(_('Delete') + access_key(QKeySequence.StandardKey.Delete), le.del_).setEnabled(not le.isReadOnly() and le.hasSelectedText())
m.addSeparator()
m.addAction(_('Select &all') + access_key(QKeySequence.StandardKey.SelectAll), spinbox.selectAll)
m.addSeparator()
m.addAction(_('&Step up'), spinbox.stepUp)
m.addAction(_('Step &down'), spinbox.stepDown)
m.setAttribute(Qt.WidgetAttribute.WA_DeleteOnClose)
class RightClickButton(QToolButton):
def mousePressEvent(self, ev):
if ev.button() == Qt.MouseButton.RightButton and self.menu() is not None:
self.showMenu()
ev.accept()
return
return QToolButton.mousePressEvent(self, ev)
class Dialog(QDialog):
'''
An improved version of Qt's QDialog class. This automatically remembers the
last used size, automatically connects the signals for QDialogButtonBox,
automatically sets the window title and if the dialog has an object named
splitter, automatically saves the splitter state.
In order to use it, simply subclass an implement setup_ui(). You can also
implement sizeHint() to give the dialog a different default size when shown
for the first time.
'''
def __init__(self, title, name, parent=None, prefs=gprefs):
QDialog.__init__(self, parent)
self.prefs_for_persistence = prefs
self.setWindowTitle(title)
self.name = name
self.bb = QDialogButtonBox(QDialogButtonBox.StandardButton.Ok | QDialogButtonBox.StandardButton.Cancel)
self.bb.accepted.connect(self.accept)
self.bb.rejected.connect(self.reject)
self.setup_ui()
self.resize(self.sizeHint())
geom = self.prefs_for_persistence.get(name + '-geometry', None)
if geom is not None:
QApplication.instance().safe_restore_geometry(self, geom)
if hasattr(self, 'splitter'):
state = self.prefs_for_persistence.get(name + '-splitter-state', None)
if state is not None:
self.splitter.restoreState(state)
def accept(self):
self.prefs_for_persistence.set(self.name + '-geometry', bytearray(self.saveGeometry()))
if hasattr(self, 'splitter'):
self.prefs_for_persistence.set(self.name + '-splitter-state', bytearray(self.splitter.saveState()))
QDialog.accept(self)
def reject(self):
self.prefs_for_persistence.set(self.name + '-geometry', bytearray(self.saveGeometry()))
if hasattr(self, 'splitter'):
self.prefs_for_persistence.set(self.name + '-splitter-state', bytearray(self.splitter.saveState()))
QDialog.reject(self)
def setup_ui(self):
raise NotImplementedError('You must implement this method in Dialog subclasses')
class UndoCommand(QUndoCommand):
def __init__(self, widget, val):
QUndoCommand.__init__(self)
self.widget = weakref.ref(widget)
self.undo_val = widget.rating_value
self.redo_val = val
def undo(self):
w = self.widget()
w.setCurrentIndex(self.undo_val)
def redo(self):
w = self.widget()
w.setCurrentIndex(self.redo_val)
@lru_cache(maxsize=16)
def stars(num, is_half_star=False):
return rating_to_stars(num, is_half_star)
class RatingItemDelegate(QStyledItemDelegate):
def initStyleOption(self, option, index):
QStyledItemDelegate.initStyleOption(self, option, index)
option.font = QApplication.instance().font() if index.row() <= 0 else self.parent().rating_font
option.fontMetrics = QFontMetrics(option.font)
class RatingEditor(QComboBox):
def __init__(self, parent=None, is_half_star=False):
QComboBox.__init__(self, parent)
self.addItem(_('Not rated'))
if is_half_star:
[self.addItem(stars(x, True)) for x in range(1, 11)]
else:
[self.addItem(stars(x)) for x in (2, 4, 6, 8, 10)]
self.rating_font = QFont(rating_font())
self.undo_stack = QUndoStack(self)
self.undo, self.redo = self.undo_stack.undo, self.undo_stack.redo
self.allow_undo = False
self.is_half_star = is_half_star
self.delegate = RatingItemDelegate(self)
self.view().setItemDelegate(self.delegate)
self.view().setStyleSheet('QListView { background: palette(window) }\nQListView::item { padding: 6px }')
self.setMaxVisibleItems(self.count())
self.currentIndexChanged.connect(self.update_font)
@property
def null_text(self):
return self.itemText(0)
@null_text.setter
def null_text(self, val):
self.setItemtext(0, val)
def update_font(self):
if self.currentIndex() == 0:
self.setFont(QApplication.instance().font())
else:
self.setFont(self.rating_font)
def clear_to_undefined(self):
self.setCurrentIndex(0)
@property
def rating_value(self):
' An integer from 0 to 10 '
ans = self.currentIndex()
if not self.is_half_star:
ans *= 2
return ans
@rating_value.setter
def rating_value(self, val):
val = max(0, min(int(val or 0), 10))
if self.allow_undo:
cmd = UndoCommand(self, val)
self.undo_stack.push(cmd)
else:
self.undo_stack.clear()
if not self.is_half_star:
val //= 2
self.setCurrentIndex(val)
def keyPressEvent(self, ev):
if ev == QKeySequence.StandardKey.Undo:
self.undo()
return ev.accept()
if ev == QKeySequence.StandardKey.Redo:
self.redo()
return ev.accept()
k = ev.key()
num = {getattr(Qt, 'Key_%d'%i):i for i in range(6)}.get(k)
if num is None:
return QComboBox.keyPressEvent(self, ev)
ev.accept()
if self.is_half_star:
num *= 2
self.setCurrentIndex(num)
@staticmethod
def test():
q = RatingEditor(is_half_star=True)
q.rating_value = 7
return q
class FlowLayout(QLayout): # {{{
''' A layout that lays out items left-to-right wrapping onto a second line if needed '''
def __init__(self, parent=None):
QLayout.__init__(self, parent)
self.items = []
def addItem(self, item):
self.items.append(item)
def itemAt(self, idx):
try:
return self.items[idx]
except IndexError:
pass
def takeAt(self, idx):
try:
return self.items.pop(idx)
except IndexError:
pass
def count(self):
return len(self.items)
__len__ = count
def hasHeightForWidth(self):
return True
def heightForWidth(self, width):
return self.do_layout(QRect(0, 0, width, 0), apply_geometry=False)
def setGeometry(self, rect):
QLayout.setGeometry(self, rect)
self.do_layout(rect, apply_geometry=True)
def expandingDirections(self):
return Qt.Orientations(0)
def minimumSize(self):
size = QSize()
for item in self.items:
size = size.expandedTo(item.minimumSize())
left, top, right, bottom = self.getContentsMargins()
return size + QSize(left + right, top + bottom)
sizeHint = minimumSize
def smart_spacing(self, horizontal=True):
p = self.parent()
if p is None:
return -1
if p.isWidgetType():
which = QStyle.PixelMetric.PM_LayoutHorizontalSpacing if horizontal else QStyle.PixelMetric.PM_LayoutVerticalSpacing
return p.style().pixelMetric(which, None, p)
return p.spacing()
def do_layout(self, rect, apply_geometry=False):
left, top, right, bottom = self.getContentsMargins()
erect = rect.adjusted(left, top, -right, -bottom)
x, y = erect.x(), erect.y()
line_height = 0
def layout_spacing(wid, horizontal=True):
ans = self.smart_spacing(horizontal)
if ans != -1:
return ans
if wid is None:
return 0
return wid.style().layoutSpacing(
QSizePolicy.ControlType.PushButton,
QSizePolicy.ControlType.PushButton,
Qt.Orientation.Horizontal if horizontal else Qt.Orientation.Vertical)
lines, current_line = [], []
gmap = {}
for item in self.items:
isz, wid = item.sizeHint(), item.widget()
hs, vs = layout_spacing(wid), layout_spacing(wid, False)
next_x = x + isz.width() + hs
if next_x - hs > erect.right() and line_height > 0:
x = erect.x()
y = y + line_height + vs
next_x = x + isz.width() + hs
lines.append((line_height, current_line))
current_line = []
line_height = 0
if apply_geometry:
gmap[item] = x, y, isz
x = next_x
line_height = max(line_height, isz.height())
current_line.append((item, isz.height()))
lines.append((line_height, current_line))
if apply_geometry:
for line_height, items in lines:
for item, item_height in items:
x, wy, isz = gmap[item]
if item_height < line_height:
wy += (line_height - item_height) // 2
item.setGeometry(QRect(QPoint(x, wy), isz))
return y + line_height - rect.y() + bottom
@staticmethod
def test():
w = QWidget()
l = FlowLayout(w)
la = QLabel('Some text in a label')
l.addWidget(la)
c = QCheckBox('A checkboxy widget')
l.addWidget(c)
cb = QComboBox()
cb.addItems(['Item one'])
l.addWidget(cb)
return w
# }}}
class Separator(QWidget): # {{{
''' Vertical separator lines usable in FlowLayout '''
def __init__(self, parent, widget_for_height=None):
'''
You must provide a widget in the layout either here or with setBuddy.
The height of the separator is computed using this widget,
'''
QWidget.__init__(self, parent)
self.bcol = QApplication.instance().palette().color(QPalette.ColorRole.Text)
self.update_brush()
self.widget_for_height = widget_for_height
self.setSizePolicy(QSizePolicy.Policy.Fixed, QSizePolicy.Policy.MinimumExpanding)
def update_brush(self):
self.brush = QBrush(self.bcol)
self.update()
def setBuddy(self, widget_for_height):
''' See __init__. This is repurposed to support Qt Designer .ui files. '''
self.widget_for_height = widget_for_height
def sizeHint(self):
return QSize(1, 1 if self.widget_for_height is None else self.widget_for_height.height())
def paintEvent(self, ev):
painter = QPainter(self)
# Purely subjective: shorten the line a bit to look 'better'
r = ev.rect()
r.setTop(r.top() + 3)
r.setBottom(r.bottom() - 3)
painter.fillRect(r, self.brush)
painter.end()
# }}}
class HTMLDisplay(QTextBrowser):
anchor_clicked = pyqtSignal(object)
def __init__(self, parent=None):
QTextBrowser.__init__(self, parent)
self.last_set_html = ''
self.default_css = self.external_css = ''
app = QApplication.instance()
app.palette_changed.connect(self.palette_changed)
self.palette_changed()
font = self.font()
f = QFontInfo(font)
delta = tweaks['change_book_details_font_size_by'] + 1
if delta:
font.setPixelSize(f.pixelSize() + delta)
self.setFont(font)
self.setFrameShape(QFrame.Shape.NoFrame)
self.setOpenLinks(False)
self.setAttribute(Qt.WidgetAttribute.WA_OpaquePaintEvent, False)
palette = self.palette()
palette.setBrush(QPalette.ColorRole.Base, Qt.GlobalColor.transparent)
self.setPalette(palette)
self.setAcceptDrops(False)
self.anchorClicked.connect(self.on_anchor_clicked)
def setHtml(self, html):
self.last_set_html = html
QTextBrowser.setHtml(self, html)
def setDefaultStyleSheet(self, css=''):
self.external_css = css
self.document().setDefaultStyleSheet(self.default_css + self.external_css)
def palette_changed(self):
app = QApplication.instance()
if app.is_dark_theme:
pal = app.palette()
col = pal.color(QPalette.ColorRole.Link)
self.default_css = 'a { color: %s }\n\n' % col.name(QColor.NameFormat.HexRgb)
else:
self.default_css = ''
self.document().setDefaultStyleSheet(self.default_css + self.external_css)
self.setHtml(self.last_set_html)
def on_anchor_clicked(self, qurl):
if not qurl.scheme() and qurl.hasFragment() and qurl.toString().startswith('#'):
frag = qurl.fragment(QUrl.ComponentFormattingOption.FullyDecoded)
if frag:
self.scrollToAnchor(frag)
return
self.anchor_clicked.emit(qurl)
def loadResource(self, rtype, qurl):
if qurl.isLocalFile():
path = qurl.toLocalFile()
try:
with lopen(path, 'rb') as f:
data = f.read()
except EnvironmentError:
if path.rpartition('.')[-1].lower() in {'jpg', 'jpeg', 'gif', 'png', 'bmp', 'webp'}:
return QByteArray(bytearray.fromhex(
'89504e470d0a1a0a0000000d49484452'
'000000010000000108060000001f15c4'
'890000000a49444154789c6300010000'
'0500010d0a2db40000000049454e44ae'
'426082'))
else:
return QByteArray(data)
else:
return QTextBrowser.loadResource(self, rtype, qurl)
class ScrollingTabWidget(QTabWidget):
def __init__(self, parent=None):
QTabWidget.__init__(self, parent)
def wrap_widget(self, page):
sw = QScrollArea(self)
pl = page.layout()
if pl is not None:
cm = pl.contentsMargins()
# For some reasons designer insists on setting zero margins for
# widgets added to a tab widget, which looks horrible.
if (cm.left(), cm.top(), cm.right(), cm.bottom()) == (0, 0, 0, 0):
pl.setContentsMargins(9, 9, 9, 9)
name = 'STW{}'.format(abs(id(self)))
sw.setObjectName(name)
sw.setWidget(page)
sw.setWidgetResizable(True)
page.setAutoFillBackground(False)
sw.setStyleSheet('#%s { background: transparent }' % name)
return sw
def indexOf(self, page):
for i in range(self.count()):
t = self.widget(i)
if t.widget() is page:
return i
return -1
def currentWidget(self):
return QTabWidget.currentWidget(self).widget()
def addTab(self, page, *args):
return QTabWidget.addTab(self, self.wrap_widget(page), *args)
PARAGRAPH_SEPARATOR = '\u2029'
def to_plain_text(self):
# QPlainTextEdit's toPlainText implementation replaces nbsp with normal
# space, so we re-implement it using QTextCursor, which does not do
# that
c = self.textCursor()
c.clearSelection()
c.movePosition(QTextCursor.MoveOperation.Start)
c.movePosition(QTextCursor.MoveOperation.End, QTextCursor.MoveMode.KeepAnchor)
ans = c.selectedText().replace(PARAGRAPH_SEPARATOR, '\n')
# QTextCursor pads the return value of selectedText with null bytes if
# non BMP characters such as 0x1f431 are present.
return ans.rstrip('\0')
class CalendarWidget(QCalendarWidget):
def showEvent(self, ev):
if self.selectedDate().year() == UNDEFINED_DATE.year:
self.setSelectedDate(QDate.currentDate())
class DateTimeEdit(QDateTimeEdit):
MIME_TYPE = 'application/x-calibre-datetime-value'
def __init__(self, parent=None):
QDateTimeEdit.__init__(self, parent)
self.setMinimumDateTime(UNDEFINED_QDATETIME)
self.setCalendarPopup(True)
self.cw = CalendarWidget(self)
self.cw.setVerticalHeaderFormat(QCalendarWidget.VerticalHeaderFormat.NoVerticalHeader)
self.setCalendarWidget(self.cw)
self.setSpecialValueText(_('Undefined'))
@property
def mime_data_for_copy(self):
md = QMimeData()
text = self.lineEdit().selectedText()
md.setText(text or self.dateTime().toString())
md.setData(self.MIME_TYPE, self.dateTime().toString(Qt.DateFormat.ISODate).encode('ascii'))
return md
def copy(self):
QApplication.instance().clipboard().setMimeData(self.mime_data_for_copy)
def cut(self):
md = self.mime_data_for_copy
self.lineEdit().cut()
QApplication.instance().clipboard().setMimeData(md)
def paste(self):
md = QApplication.instance().clipboard().mimeData()
if md.hasFormat(self.MIME_TYPE):
self.setDateTime(QDateTime.fromString(md.data(self.MIME_TYPE).data().decode('ascii'), Qt.DateFormat.ISODate))
else:
self.lineEdit().paste()
def create_context_menu(self):
m = QMenu(self)
m.addAction(_('Set date to undefined') + '\t' + QKeySequence(Qt.Key.Key_Minus).toString(QKeySequence.SequenceFormat.NativeText),
self.clear_date)
m.addAction(_('Set date to today') + '\t' + QKeySequence(Qt.Key.Key_Equal).toString(QKeySequence.SequenceFormat.NativeText),
self.today_date)
m.addSeparator()
populate_standard_spinbox_context_menu(self, m, use_self_for_copy_actions=True)
return m
def contextMenuEvent(self, ev):
m = self.create_context_menu()
m.popup(ev.globalPos())
def today_date(self):
self.setDateTime(QDateTime.currentDateTime())
def clear_date(self):
self.setDateTime(UNDEFINED_QDATETIME)
def keyPressEvent(self, ev):
if ev.key() == Qt.Key.Key_Minus:
ev.accept()
self.clear_date()
elif ev.key() == Qt.Key.Key_Equal:
self.today_date()
ev.accept()
elif ev.matches(QKeySequence.StandardKey.Copy):
self.copy()
ev.accept()
elif ev.matches(QKeySequence.StandardKey.Cut):
self.cut()
ev.accept()
elif ev.matches(QKeySequence.StandardKey.Paste):
self.paste()
ev.accept()
else:
return QDateTimeEdit.keyPressEvent(self, ev)
if __name__ == '__main__':
from calibre.gui2 import Application
app = Application([])
app.load_builtin_fonts()
w = RatingEditor.test()
w.show()
app.exec_()