-
Notifications
You must be signed in to change notification settings - Fork 349
Expand file tree
/
Copy pathqthelpers.py
More file actions
273 lines (236 loc) · 7.85 KB
/
qthelpers.py
File metadata and controls
273 lines (236 loc) · 7.85 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
# -*- coding: utf-8 -*-
#
# Copyright © 2009-2011 Pierre Raybaut
# Licensed under the terms of the MIT License
# (copied from Spyder source code [spyderlib.qt])
#
# Qt5 migration would not have been possible without
# 2014-2015 Spyder Development Team work
# (MIT License too, same parent project)
"""Qt utilities"""
# winpython.qt becomes winpython._vendor.qtpy
from winpython._vendor.qtpy.QtWidgets import (
QAction,
QStyle,
QWidget,
QApplication,
QLabel,
QVBoxLayout,
QHBoxLayout,
QLineEdit,
QMenu,
QToolButton,
)
from winpython._vendor.qtpy.QtGui import (
QIcon,
QKeyEvent,
QKeySequence,
QPixmap,
)
from winpython._vendor.qtpy.QtCore import (
Signal,
QObject,
Qt,
QLocale,
QTranslator,
QLibraryInfo,
QEvent,
Slot,
)
from winpython._vendor.qtpy.compat import (
to_qvariant,
from_qvariant,
)
import os
import re
from pathlib import Path
import sys
# Local import
from winpython import config
def get_icon(name):
"""Return QIcon from icon name"""
return QIcon(str(Path(config.IMAGE_PATH) / name))
class MacApplication(QApplication):
"""Subclass to be able to open external files with our Mac app"""
open_external_file = Signal(str)
def __init__(self, *args):
QApplication.__init__(self, *args)
def event(self, event):
if event.type() == QEvent.FileOpen:
fname = str(event.file())
# PyQt4 old SIGNAL: self.emit(SIGNAL('open_external_file(QString)'), fname)
self.open_external_file.emit(fname)
return QApplication.event(self, event)
def qapplication(translate=True):
"""Return QApplication instance
Creates it if it doesn't already exist"""
if sys.platform == "darwin" and "Spyder.app" in __file__:
SpyderApplication = MacApplication
else:
SpyderApplication = QApplication
app = SpyderApplication.instance()
if not app:
# Set Application name for Gnome 3
# https://groups.google.com/forum/#!topic/pyside/24qxvwfrRDs
app = SpyderApplication(["Spyder"])
if translate:
install_translator(app)
return app
def file_uri(fname):
"""Select the right file uri scheme according to the operating system"""
if os.name == "nt":
# Local file
if re.search(r"^[a-zA-Z]:", fname):
return "file:///" + fname
# UNC based path
else:
return "file://" + fname
else:
return "file://" + fname
QT_TRANSLATOR = None
def install_translator(qapp):
"""Install Qt translator to the QApplication instance"""
global QT_TRANSLATOR
if QT_TRANSLATOR is None:
qt_translator = QTranslator()
if qt_translator.load(
"qt_" + QLocale.system().name(),
QLibraryInfo.location(QLibraryInfo.TranslationsPath),
):
QT_TRANSLATOR = qt_translator # Keep reference alive
if QT_TRANSLATOR is not None:
qapp.installTranslator(QT_TRANSLATOR)
def keybinding(attr):
"""Return keybinding"""
ks = getattr(QKeySequence, attr)
return from_qvariant(QKeySequence.keyBindings(ks)[0], str)
def _process_mime_path(path, extlist):
if path.startswith(r"file://"):
if os.name == "nt":
# On Windows platforms, a local path reads: file:///c:/...
# and a UNC based path reads like: file://server/share
if path.startswith(r"file:///"): # this is a local path
path = path[8:]
else: # this is a unc path
path = path[5:]
else:
path = path[7:]
if Path(path).exists():
if extlist is None or Path(path).suffix in extlist:
return path
def mimedata2url(source, extlist=None):
"""
Extract url list from MIME data
extlist: for example ('.py', '.pyw')
"""
pathlist = []
if source.hasUrls():
for url in source.urls():
# path = _process_mime_path(to_text_string(url.toString()), extlist)
path = _process_mime_path(str(url.toString()), extlist)
if path is not None:
pathlist.append(path)
elif source.hasText():
# for rawpath in to_text_string(source.text()).splitlines():
for rawpath in str(source.text()).splitlines():
path = _process_mime_path(rawpath, extlist)
if path is not None:
pathlist.append(path)
if pathlist:
return pathlist
def action2button(
action,
autoraise=True,
text_beside_icon=False,
parent=None,
):
"""Create a QToolButton directly from a QAction object"""
if parent is None:
parent = action.parent()
button = QToolButton(parent)
button.setDefaultAction(action)
button.setAutoRaise(autoraise)
if text_beside_icon:
button.setToolButtonStyle(Qt.ToolButtonTextBesideIcon)
return button
def toggle_actions(actions, enable):
"""Enable/disable actions"""
if actions is not None:
for action in actions:
if action is not None:
action.setEnabled(enable)
def create_action(
parent,
text,
shortcut=None,
icon=None,
tip=None,
toggled=None,
triggered=None,
data=None,
menurole=None,
context=Qt.WindowShortcut,
):
"""Create a QAction"""
action = QAction(text, parent)
if triggered is not None:
# PyQt4 old SIGNAL: parent.connect(action, SIGNAL("triggered()"), triggered)
action.triggered.connect(triggered)
if toggled is not None:
# PyQt4 old SIGNAL: parent.connect(action, SIGNAL("toggled(bool)"), toggled)
action.toggled.connect(toggled)
action.setCheckable(True)
if icon is not None:
# if is_text_string(icon):
if isinstance(obj, str)
icon = get_icon(icon)
action.setIcon(icon)
if shortcut is not None:
action.setShortcut(shortcut)
if tip is not None:
action.setToolTip(tip)
action.setStatusTip(tip)
if data is not None:
action.setData(to_qvariant(data))
if menurole is not None:
action.setMenuRole(menurole)
# TODO: Hard-code all shortcuts and choose context=Qt.WidgetShortcut
# (this will avoid calling shortcuts from another dockwidget
# since the context thing doesn't work quite well with these widgets)
action.setShortcutContext(context)
return action
def add_actions(target, actions, insert_before=None):
"""Add actions to a menu"""
previous_action = None
target_actions = list(target.actions())
if target_actions:
previous_action = target_actions[-1]
if previous_action.isSeparator():
previous_action = None
for action in actions:
if (action is None) and (previous_action is not None):
if insert_before is None:
target.addSeparator()
else:
target.insertSeparator(insert_before)
elif isinstance(action, QMenu):
if insert_before is None:
target.addMenu(action)
else:
target.insertMenu(insert_before, action)
elif isinstance(action, QAction):
if insert_before is None:
target.addAction(action)
else:
target.insertAction(insert_before, action)
previous_action = action
def get_std_icon(name, size=None):
"""Get standard platform icon
Call 'show_std_icons()' for details"""
if not name.startswith("SP_"):
name = "SP_" + name
icon = QWidget().style().standardIcon(getattr(QStyle, name))
if size is None:
return icon
else:
return QIcon(icon.pixmap(size, size))