ed_menu.py
49.1 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
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
###############################################################################
# Name: ed_menu.py #
# Purpose: Editra's Menubar and Menu related classes #
# Author: Cody Precord <cprecord@editra.org> #
# Copyright: (c) 2007-2008 Cody Precord <staff@editra.org> #
# License: wxWindows License #
###############################################################################
"""
@package: Editra.src.ed_menu
Provides an advanced menu class for easily creating menus and setting their
related bitmaps when available from Editra's ArtProvider. The Keybinder class
for managing keybindings and profiles is also provided by this module.
"""
__author__ = "Cody Precord <cprecord@editra.org>"
__svnid__ = "$Id: ed_menu.py 70229 2012-01-01 01:27:10Z CJP $"
__revision__ = "$Revision: 70229 $"
#--------------------------------------------------------------------------#
# Dependencies
import os
import wx
# Editra Libraries
import ed_glob
import ed_msg
import profiler
import util
from syntax import syntax
from syntax import synglob
#--------------------------------------------------------------------------#
# Globals
_ = wx.GetTranslation
#--------------------------------------------------------------------------#
class EdMenu(wx.Menu):
"""Custom wxMenu class that makes it easier to customize and access items.
"""
def __init__(self, title=wx.EmptyString, style=0):
"""Initialize a Menu Object
@param title: menu title string
@param style: type of menu to create
"""
super(EdMenu, self).__init__(title, style)
def Append(self, id_, text=u'', helpstr=u'', \
kind=wx.ITEM_NORMAL, use_bmp=True):
"""Append a MenuItem
@param id_: New MenuItem ID
@keyword text: Menu Label
@keyword helpstr: Help String
@keyword kind: MenuItem type
@keyword use_bmp: try and set a bitmap if an appropriate one is
available in the ArtProvider
"""
item = wx.MenuItem(self, id_, text, helpstr, kind)
self.AppendItem(item, use_bmp)
return item
def AppendEx(self, id_, text=u'', helpstr=u'',
kind=wx.ITEM_NORMAL, use_bmp=True):
"""Like L{Append} but automatically applies keybindings to text
based on item id.
"""
binding = EdMenuBar.keybinder.GetBinding(id_)
item = self.Append(id_, text+binding, helpstr, kind, use_bmp)
return item
def AppendItem(self, item, use_bmp=True):
"""Appends a MenuItem to the menu and adds an associated
bitmap if one is available, unless use_bmp is set to false.
@param item: wx.MenuItem
@keyword use_bmp: try and set a bitmap if an appropriate one is
available in the ArtProvider
"""
if use_bmp and item.GetKind() == wx.ITEM_NORMAL:
self.SetItemBitmap(item)
super(EdMenu, self).AppendItem(item)
def Insert(self, pos, id_, text=u'', helpstr=u'', \
kind=wx.ITEM_NORMAL, use_bmp=True):
"""Insert an item at position and attach a bitmap
if one is available.
@param pos: Position to insert new item at
@param id_: New MenuItem ID
@keyword label: Menu Label
@keyword helpstr: Help String
@keyword kind: MenuItem type
@keyword use_bmp: try and set a bitmap if an appropriate one is
available in the ArtProvider
"""
item = super(EdMenu, self).Insert(pos, id_, text, helpstr, kind)
if use_bmp and kind == wx.ITEM_NORMAL:
self.SetItemBitmap(item)
return item
def InsertAfter(self, item_id, id_, label=u'', helpstr=u'',
kind=wx.ITEM_NORMAL, use_bmp=True):
"""Inserts the given item after the specified item id in
the menu. If the id cannot be found then the item will appended
to the end of the menu.
@param item_id: Menu ID to insert after
@param id_: New MenuItem ID
@keyword label: Menu Label
@keyword helpstr: Help String
@keyword kind: MenuItem type
@keyword use_bmp: try and set a bitmap if an appropriate one is
available in the ArtProvider
@return: the inserted menu item
"""
pos = None
for item in xrange(self.GetMenuItemCount()):
mitem = self.FindItemByPosition(item)
if mitem.GetId() == item_id:
pos = item
break
if pos:
mitem = self.Insert(pos + 1, id_, label, helpstr, kind, use_bmp)
else:
mitem = self.Append(id_, label, helpstr, kind, use_bmp)
return mitem
def InsertBefore(self, item_id, id_, label=u'', helpstr=u'',
kind=wx.ITEM_NORMAL, use_bmp=True):
"""Inserts the given item before the specified item id in
the menu. If the id cannot be found then the item will appended
to the end of the menu.
@param item_id: Menu ID to insert new item before
@param id_: New MenuItem ID
@keyword label: Menu Label
@keyword helpstr: Help String
@keyword kind: MenuItem type
@keyword use_bmp: try and set a bitmap if an appropriate one is
available in the ArtProvider
@return: menu item that was inserted
"""
pos = None
for item in xrange(self.GetMenuItemCount()):
mitem = self.FindItemByPosition(item)
if mitem.GetId() == item_id:
pos = item
break
if pos:
mitem = self.Insert(pos, id_, label, helpstr, kind, use_bmp)
else:
mitem = self.Append(id_, label, helpstr, kind, use_bmp)
return mitem
def InsertAlpha(self, id_, label=u'', helpstr=u'',
kind=wx.ITEM_NORMAL, after=0, use_bmp=True):
"""Attempts to insert the new menuitem into the menu
alphabetically. The optional parameter 'after' is used
specify an item id to start the alphabetical lookup after.
Otherwise the lookup begins from the first item in the menu.
@param id_: New MenuItem ID
@keyword label: Menu Label
@keyword helpstr: Help String
@keyword kind: MenuItem type
@keyword after: id of item to start alpha lookup after
@keyword use_bmp: try and set a bitmap if an appropriate one is
available in the ArtProvider
@return: menu item that was inserted
"""
if after:
start = False
else:
start = True
last_ind = self.GetMenuItemCount() - 1
pos = last_ind
for item in range(self.GetMenuItemCount()):
mitem = self.FindItemByPosition(item)
if mitem.IsSeparator():
continue
mlabel = mitem.GetItemLabel()
if after and mitem.GetId() == after:
start = True
continue
if after and not start:
continue
if label < mlabel:
pos = item
break
l_item = self.FindItemByPosition(last_ind)
if pos == last_ind and (l_item.IsSeparator() or label > mlabel):
mitem = self.Append(id_, label, helpstr, kind, use_bmp)
else:
mitem = self.Insert(pos, id_, label, helpstr, kind, use_bmp)
return mitem
def RemoveItemByName(self, name):
"""Removes an item by the label. It will remove the first
item matching the given name in the menu, the matching is
case sensitive. The return value is the either the id of the
removed item or None if the item was not found.
@param name: name of item to remove
@return: id of removed item or None if not found
"""
menu_id = None
for pos in range(self.GetMenuItemCount()):
item = self.FindItemByPosition(pos)
if name == item.GetLabel():
menu_id = item.GetId()
self.Remove(menu_id)
break
return menu_id
def SetItemBitmap(self, item):
"""Sets the MenuItems bitmap by getting the id from the
artprovider if one exists.
@param item: item to set bitmap for
"""
bmp = wx.ArtProvider.GetBitmap(str(item.GetId()), wx.ART_MENU)
if not bmp.IsNull():
item.SetBitmap(bmp)
#-----------------------------------------------------------------------------#
class KeyBinder(object):
"""Class for managing keybinding configurations"""
cprofile = None # Current Profile Name String
keyprofile = dict() # Active Profile (dict)
def __init__(self):
"""Create the KeyBinder object"""
super(KeyBinder, self).__init__()
# Attributes
self.cache = ed_glob.CONFIG['CACHE_DIR'] # Resource Directory
def GetBinding(self, item_id):
"""Get the keybinding string for use in a menu
@param item_id: Menu Item Id
@return: string
"""
rbind = self.GetRawBinding(item_id)
shortcut = u''
if rbind is not None:
shortcut = u"+".join(rbind)
if len(shortcut):
shortcut = u"\t" + shortcut
return unicode(shortcut)
@classmethod
def GetCurrentProfile(cls):
"""Get the name of the currently set key profile if one exists
@param cls: Class Object
@return: string or None
"""
return cls.cprofile
@classmethod
def GetCurrentProfileDict(cls):
"""Get the dictionary of keybindings
@param cls: Class Object
@return: dict
"""
return cls.keyprofile
@staticmethod
def GetKeyProfiles():
"""Get the list of available key profiles
@return: list of strings
"""
recs = util.GetResourceFiles(u'cache', trim=True, get_all=False,
suffix='.ekeys', title=False)
if recs == -1:
recs = list()
tmp = util.GetResourceFiles(u'ekeys', True, True, '.ekeys', False)
if tmp != -1:
recs.extend(tmp)
return recs
def GetProfilePath(self, pname):
"""Get the full path to the given keyprofile
@param pname: profile name
@return: string or None
@note: expects unique name for each profile in the case that
a name exists in both the user and system paths the one
found on the user path will be returned.
"""
if pname is None:
return None
rname = None
for rec in self.GetKeyProfiles():
if rec.lower() == pname.lower():
rname = rec
break
# Must be a new profile
if rname is None:
rname = pname
kprof = u"%s%s.ekeys" % (ed_glob.CONFIG['CACHE_DIR'], rname)
if not os.path.exists(kprof):
# Must be a system supplied keyprofile
rname = u"%s%s.ekeys" % (ed_glob.CONFIG['KEYPROF_DIR'], rname)
if not os.path.exists(rname):
# Doesn't exist at syspath either so instead assume it is a new
# custom user defined key profile.
rname = kprof
else:
rname = kprof
return rname
@classmethod
def GetRawBinding(cls, item_id):
"""Get the raw key binding tuple
@param cls: Class Object
@param item_id: MenuItem Id
@return: tuple
"""
return cls.keyprofile.get(item_id, None)
@classmethod
def FindMenuId(cls, keyb):
"""Find the menu item ID that the
keybinding is currently associated with.
@param cls: Class Object
@param keyb: tuple of unicode (u'Ctrl', u'C')
@return: int (-1 if not found)
"""
menu_id = -1
for key, val in cls.keyprofile.iteritems():
if val == keyb:
menu_id = key
break
return menu_id
@classmethod
def LoadDefaults(cls):
"""Load the default key profile"""
cls.keyprofile = dict(_DEFAULT_BINDING)
cls.cprofile = None
def LoadKeyProfile(self, pname):
"""Load a key profile from profile directory into the binder
by name.
@param pname: name of key profile to load
"""
if pname is None:
ppath = None
else:
ppath = self.GetProfilePath(pname)
self.LoadKeyProfileFile(ppath)
def LoadKeyProfileFile(self, path):
"""Load a key profile from the given path
@param path: full path to file
"""
keydict = dict()
pname = None
if path:
pname = os.path.basename(path)
pname = pname.rsplit('.', 1)[0]
if pname is not None and os.path.exists(path):
reader = util.GetFileReader(path)
if reader != -1:
util.Log("[keybinder][info] Loading KeyProfile: %s" % path)
for line in reader:
parts = line.split(u'=', 1)
# Check that the line was formatted properly
if len(parts) == 2:
# Try to find the ID value
item_id = _GetValueFromStr(parts[0])
if item_id is not None:
tmp = [ part.strip()
for part in parts[1].split(u'+')
if len(part.strip()) ]
# Do some checking if the binding is valid
nctrl = len([key for key in tmp
if key not in (u'Ctrl', u'Alt', u'Shift')])
if nctrl:
if parts[1].strip().endswith(u'++'):
tmp.append(u'+')
kb = tuple(tmp)
if kb in keydict.values():
for mid, b in keydict.iteritems():
if kb == b:
del keydict[mid]
break
keydict[item_id] = tuple(tmp)
else:
# Invalid key binding
continue
reader.close()
KeyBinder.keyprofile = keydict
KeyBinder.cprofile = pname
return
else:
util.Log("[keybinder][err] Couldn't read %s" % path)
elif pname is not None:
# Fallback to default keybindings
util.Log("[keybinder][err] Failed to load bindings from %s" % pname)
util.Log("[keybinder][info] Loading Default Keybindings")
KeyBinder.LoadDefaults()
def SaveKeyProfile(self):
"""Save the current key profile to disk"""
if KeyBinder.cprofile is None:
util.Log("[keybinder][warn] No keyprofile is set, cant save")
else:
ppath = self.GetProfilePath(KeyBinder.cprofile)
writer = util.GetFileWriter(ppath)
if writer != -1:
itemlst = list()
for item in KeyBinder.keyprofile.keys():
itemlst.append(u"%s=%s%s" % (_FindStringRep(item),
self.GetBinding(item).lstrip(),
os.linesep))
writer.writelines(sorted(itemlst))
writer.close()
else:
util.Log("[keybinder][err] Failed to open %s for writing" % ppath)
@classmethod
def SetBinding(cls, item_id, keys):
"""Set the keybinding of a menu id
@param cls: Class Object
@param item_id: item to set
@param keys: string or list of key strings ['Ctrl', 'S']
"""
if isinstance(keys, basestring):
keys = [ key.strip() for key in keys.split(u'+')
if len(key.strip())]
keys = tuple(keys)
if len(keys):
# Check for an existing binding
menu_id = cls.FindMenuId(keys)
if menu_id != -1:
del cls.keyprofile[menu_id]
# Set the binding
cls.keyprofile[item_id] = keys
elif item_id in cls.keyprofile:
# Clear the binding
del cls.keyprofile[item_id]
else:
pass
@classmethod
def SetProfileName(cls, pname):
"""Set the name of the current profile
@param cls: Class Object
@param pname: name to set profile to
"""
cls.cprofile = pname
@classmethod
def SetProfileDict(cls, keyprofile):
"""Set the keyprofile using a dictionary of id => bindings
@param cls: Class Object
@param keyprofile: { menu_id : (u'Ctrl', u'C'), }
"""
cls.keyprofile = keyprofile
#-----------------------------------------------------------------------------#
class EdMenuBar(wx.MenuBar):
"""Custom menubar to allow for easier access and updating
of menu components.
@todo: redo all of this
"""
keybinder = KeyBinder()
def __init__(self, style=0):
"""Initializes the Menubar
@keyword style: style to set for menu bar
"""
super(EdMenuBar, self).__init__(style)
# Setup
if EdMenuBar.keybinder.GetCurrentProfile() is None:
kprof = profiler.Profile_Get('KEY_PROFILE', default='default')
EdMenuBar.keybinder.LoadKeyProfile(kprof)
# Attributes
self._menus = dict()
self.GenFileMenu()
self.GenEditMenu()
self.GenViewMenu()
self.GenFormatMenu()
self.GenSettingsMenu()
self.GenToolsMenu()
self.GenHelpMenu()
# Message handlers
ed_msg.Subscribe(self.OnRebind, ed_msg.EDMSG_MENU_REBIND)
ed_msg.Subscribe(self.OnLoadProfile, ed_msg.EDMSG_MENU_LOADPROFILE)
ed_msg.Subscribe(self.OnCreateLexerMenu, ed_msg.EDMSG_CREATE_LEXER_MENU)
def GenLexerMenu(self):
"""Create the Lexer menu"""
settingsmenu = self._menus['settings']
item = settingsmenu.FindItemById(ed_glob.ID_LEXER)
if item:
settingsmenu.Remove(ed_glob.ID_LEXER)
# Create the menu
langmenu = wx.Menu()
langmenu.Append(ed_glob.ID_LEXER_CUSTOM, _("Customize..."),
_("Customize the items shown in this menu."))
langmenu.AppendSeparator()
EdMenuBar.PopulateLexerMenu(langmenu)
settingsmenu.AppendMenu(ed_glob.ID_LEXER, _("Lexers"),
langmenu,
_("Manually Set a Lexer/Syntax"))
@staticmethod
def PopulateLexerMenu(langmenu):
"""Create a menu with all the lexer options
@return: wx.Menu
"""
mconfig = profiler.Profile_Get('LEXERMENU', default=list())
mconfig.sort()
for label in mconfig:
lid = synglob.GetIdFromDescription(label)
langmenu.Append(lid, label,
_("Switch Lexer to %s") % label, wx.ITEM_CHECK)
@classmethod
def DeleteKeyProfile(cls, pname):
"""Remove named keyprofile
@param cls: Class Object
@param pname: keyprofile name
@return: True if removed, False otherwise
"""
ppath = cls.keybinder.GetProfilePath(pname)
if ppath is not None and os.path.exists(ppath):
try:
os.remove(ppath)
except:
return False
else:
return True
else:
return False
# TODO these Gen* functions should be broken up to the components
# that supply the functionality and inserted in the menus on
# init when the editor loads an associated widget.
def GenFileMenu(self):
"""Makes and attaches the file menu
@return: None
"""
filemenu = EdMenu()
filehist = self._menus['filehistory'] = EdMenu()
filemenu.AppendEx(ed_glob.ID_NEW, _("&New Tab"),
_("Start a new file in a new tab"))
filemenu.AppendEx(ed_glob.ID_NEW_WINDOW, _("New &Window"),
_("Start a new file in a new window"))
filemenu.AppendSeparator()
filemenu.AppendEx(ed_glob.ID_OPEN, _("&Open"), _("Open"))
## Setup File History in the File Menu
filemenu.AppendMenu(ed_glob.ID_FHIST, _("Open &Recent"),
filehist, _("Recently Opened Files"))
filemenu.AppendSeparator()
filemenu.AppendEx(ed_glob.ID_CLOSE, _("&Close Tab"),
_("Close Current Tab"))
filemenu.AppendEx(ed_glob.ID_CLOSE_WINDOW,
_("Close Window") , _("Close the current window"))
filemenu.AppendEx(ed_glob.ID_CLOSEALL, _("Close All Tabs"),
_("Close all open tabs"))
filemenu.AppendSeparator()
filemenu.AppendEx(ed_glob.ID_SAVE, _("&Save"), _("Save Current File"))
filemenu.AppendEx(ed_glob.ID_SAVEAS, _("Save &As"), _("Save As"))
filemenu.AppendEx(ed_glob.ID_SAVEALL, _("Save All"),
_("Save all open pages"))
filemenu.AppendSeparator()
filemenu.AppendEx(ed_glob.ID_REVERT_FILE, _("Revert to Saved"),
_("Revert file to last save point"))
filemenu.AppendEx(ed_glob.ID_RELOAD_ENC, _("Reload with Encoding..."),
_("Reload the file with a specified encoding"))
filemenu.AppendSeparator()
# Profile
pmenu = EdMenu()
pmenu.AppendEx(ed_glob.ID_SAVE_PROFILE, _("Save Profile"),
_("Save Current Settings to a New Profile"))
pmenu.AppendEx(ed_glob.ID_LOAD_PROFILE, _("Load Profile"),
_("Load a Custom Profile"))
filemenu.AppendSubMenu(pmenu, _("Profile"),
_("Load and save custom Profiles"))
# Sessions
smenu = EdMenu()
smenu.AppendEx(ed_glob.ID_SAVE_SESSION, _("Save Session"),
_("Save the current session."))
smenu.AppendEx(ed_glob.ID_LOAD_SESSION, _("Load Session"),
_("Load a saved session."))
filemenu.AppendSubMenu(smenu, _("Sessions"),
_("Load and save custom sessions."))
filemenu.AppendSeparator()
filemenu.AppendEx(ed_glob.ID_PRINT_SU, _("Page Set&up"),
_("Configure Printer"))
filemenu.AppendEx(ed_glob.ID_PRINT_PRE, _("Print Pre&view"),
_("Preview Printout"))
filemenu.AppendEx(ed_glob.ID_PRINT, _("&Print"), _("Print Current File"))
filemenu.AppendSeparator()
filemenu.AppendEx(ed_glob.ID_EXIT, _("E&xit"), _("Exit the Program"))
# Attach to menubar and save reference
self.Append(filemenu, _("&File"))
self._menus['file'] = filemenu
def GenEditMenu(self):
"""Makes and attaches the edit menu
@return: None
"""
editmenu = EdMenu()
editmenu.AppendEx(ed_glob.ID_UNDO, _("&Undo"), _("Undo Last Action"))
editmenu.AppendEx(ed_glob.ID_REDO, _("Redo"), _("Redo Last Undo"))
editmenu.AppendSeparator()
editmenu.AppendEx(ed_glob.ID_CUT, _("Cu&t"),
_("Cut Selected Text from File"))
editmenu.AppendEx(ed_glob.ID_COPY, _("&Copy"),
_("Copy Selected Text to Clipboard"))
editmenu.AppendEx(ed_glob.ID_PASTE, _("&Paste"),
_("Paste Text from Clipboard to File"))
editmenu.AppendEx(ed_glob.ID_PASTE_AFTER, _("P&aste After"),
_("Paste Text from Clipboard to File after the cursor"))
editmenu.AppendEx(ed_glob.ID_CYCLE_CLIPBOARD, _("Cycle Clipboard"),
_("Cycle through recent clipboard text"))
editmenu.AppendSeparator()
editmenu.AppendEx(ed_glob.ID_SELECTALL, _("Select &All"),
_("Select All Text in Document"))
editmenu.AppendEx(ed_glob.ID_COLUMN_MODE, _("Column Edit"),
_("Enable column edit mode."), wx.ITEM_CHECK)
editmenu.AppendSeparator()
linemenu = EdMenu()
linemenu.AppendEx(ed_glob.ID_LINE_AFTER, _("New Line After"),
_("Add a new line after the current line"))
linemenu.AppendEx(ed_glob.ID_LINE_BEFORE, _("New Line Before"),
_("Add a new line before the current line"))
linemenu.AppendSeparator()
linemenu.AppendEx(ed_glob.ID_CUT_LINE, _("Cut Line"),
_("Cut Current Line"))
linemenu.AppendEx(ed_glob.ID_DELETE_LINE, _("Delete Line"),
_("Delete the selected line(s)"))
linemenu.AppendEx(ed_glob.ID_COPY_LINE, _("Copy Line"),
_("Copy Current Line"))
linemenu.AppendEx(ed_glob.ID_DUP_LINE, _("Duplicate Line"),
_("Duplicate the current line"))
linemenu.AppendSeparator()
linemenu.AppendEx(ed_glob.ID_JOIN_LINES, _("Join Lines"),
_("Join the Selected Lines"))
linemenu.AppendEx(ed_glob.ID_TRANSPOSE, _("Transpose Line"),
_("Transpose the current line with the previous one"))
linemenu.AppendEx(ed_glob.ID_LINE_MOVE_UP, _("Move Current Line Up"),
_("Move the current line up"))
linemenu.AppendEx(ed_glob.ID_LINE_MOVE_DOWN,
_("Move Current Line Down"),
_("Move the current line down"))
editmenu.AppendMenu(ed_glob.ID_LINE_EDIT, _("Line Edit"), linemenu,
_("Commands that affect an entire line"))
bookmenu = EdMenu()
bookmenu.AppendEx(ed_glob.ID_ADD_BM, _("Toggle Bookmark"),
_("Toggle bookmark of the current line"))
bookmenu.AppendEx(ed_glob.ID_DEL_ALL_BM, _("Remove All Bookmarks"),
_("Remove all bookmarks from the current document"))
editmenu.AppendMenu(ed_glob.ID_BOOKMARK, _("Bookmarks"), bookmenu,
_("Add and remove bookmarks"))
editmenu.AppendSeparator()
# Autocompletion shortcuts
editmenu.AppendEx(ed_glob.ID_SHOW_AUTOCOMP, _("Word Completion"),
_("Show autocompletion hints."))
editmenu.AppendEx(ed_glob.ID_SHOW_CALLTIP, _("Show Calltip"),
_("Show a calltip for the current word."))
editmenu.AppendSeparator()
editmenu.AppendEx(ed_glob.ID_FIND, _("&Find"), _("Find Text"))
editmenu.AppendEx(ed_glob.ID_FIND_REPLACE, _("Find/R&eplace"),
_("Find and Replace Text"))
editmenu.AppendEx(ed_glob.ID_QUICK_FIND, _("&Quick Find"),
_("Open the Quick Find Bar"))
editmenu.AppendEx(ed_glob.ID_FIND_PREVIOUS, _("Find Previous"),
_("Goto previous match"))
editmenu.AppendEx(ed_glob.ID_FIND_NEXT, _("Find Next"),
_("Goto the next match"))
editmenu.AppendEx(ed_glob.ID_FIND_SELECTED, _("Find Selected"),
_("Search for the currently selected phrase"))
editmenu.AppendSeparator()
editmenu.AppendEx(ed_glob.ID_PREF, _("Pr&eferences"),
_("Edit Preferences / Settings"))
# Attach to menubar and save ref
self.Append(editmenu, _("&Edit"))
self._menus['edit'] = editmenu
def GenViewMenu(self):
"""Makes and attaches the view menu
@return: None
"""
viewmenu = EdMenu()
viewmenu.AppendEx(ed_glob.ID_ZOOM_OUT, _("Zoom Out"), _("Zoom Out"))
viewmenu.AppendEx(ed_glob.ID_ZOOM_IN, _("Zoom In"), _("Zoom In"))
viewmenu.AppendEx(ed_glob.ID_ZOOM_NORMAL, _("Zoom Default"),
_("Zoom Default"))
viewmenu.AppendSeparator()
viewedit = self._menus['viewedit'] = EdMenu()
viewedit.AppendEx(ed_glob.ID_HLCARET_LINE, _("Highlight Caret Line"),
_("Highlight the background of the current line"),
wx.ITEM_CHECK)
viewedit.AppendEx(ed_glob.ID_INDENT_GUIDES, _("Indentation Guides"),
_("Show Indentation Guides"), wx.ITEM_CHECK)
viewedit.AppendEx(ed_glob.ID_SHOW_EDGE, _("Show Edge Guide"),
_("Show the edge column guide"), wx.ITEM_CHECK)
viewedit.AppendEx(ed_glob.ID_SHOW_EOL, _("Show EOL Markers"),
_("Show EOL Markers"), wx.ITEM_CHECK)
viewedit.AppendEx(ed_glob.ID_SHOW_LN, _("Show Line Numbers"),
_("Show Line Number Margin"), wx.ITEM_CHECK)
viewedit.AppendEx(ed_glob.ID_SHOW_WS, _("Show Whitespace"),
_("Show Whitespace Markers"), wx.ITEM_CHECK)
viewmenu.AppendSubMenu(self._menus['viewedit'], _("Editor"), \
_("Toggle Editor View Options"))
viewfold = self._menus['viewfold'] = EdMenu()
viewfold.AppendEx(ed_glob.ID_TOGGLE_FOLD, _("Toggle fold"),
_("Toggle current fold"))
viewfold.AppendEx(ed_glob.ID_TOGGLE_ALL_FOLDS, _("Toggle all folds"),
_("Toggle all folds"))
viewmenu.AppendSubMenu(self._menus['viewfold'], _("Code Folding"), \
_("Code folding toggle actions"))
viewmenu.AppendSeparator()
viewmenu.AppendEx(ed_glob.ID_PANELIST, _("Pane Navigator"),
_("View pane selection list"))
viewmenu.AppendEx(ed_glob.ID_MAXIMIZE_EDITOR, _("Maximize Editor"),
_("Toggle Editor Maximization"))
viewmenu.AppendSeparator()
viewmenu.AppendEx(ed_glob.ID_GOTO_LINE, _("&Goto Line"),
_("Goto Line Number"))
viewmenu.AppendEx(ed_glob.ID_GOTO_MBRACE, _("Goto Matching Brace"),
_("Move caret matching brace"))
viewmenu.AppendSeparator()
viewmenu.AppendEx(ed_glob.ID_NEXT_POS, _("Next Position"),
_("Goto next position in history."))
viewmenu.AppendEx(ed_glob.ID_PRE_POS, _("Previous Position"),
_("Goto previous position in history."))
viewmenu.AppendSeparator()
viewmenu.AppendEx(ed_glob.ID_NEXT_MARK, _("Next Bookmark"),
_("View Line of Next Bookmark"))
viewmenu.AppendEx(ed_glob.ID_PRE_MARK, _("Previous Bookmark"),
_("View Line of Previous Bookmark"))
viewmenu.AppendSeparator()
viewmenu.AppendEx(ed_glob.ID_SHOW_SB, ("Status &Bar"),
_("Show Status Bar"), wx.ITEM_CHECK)
viewmenu.AppendEx(ed_glob.ID_VIEW_TOOL, _("&Toolbar"),
_("Show Toolbar"), wx.ITEM_CHECK)
# Attach to menubar
self.Append(viewmenu, _("&View"))
self._menus['view'] = viewmenu
def GenFormatMenu(self):
"""Makes and attaches the format menu
@return: None
"""
formatmenu = EdMenu()
formatmenu.AppendEx(ed_glob.ID_FONT, _("&Font"),
_("Change Font Settings"))
formatmenu.AppendSeparator()
formatmenu.AppendEx(ed_glob.ID_TOGGLECOMMENT, _("Toggle Comment"),
_("Toggle comment on the selected line(s)"))
formatmenu.AppendSeparator()
formatmenu.AppendEx(ed_glob.ID_INDENT, _("Indent Lines"),
_("Indent the selected lines"))
formatmenu.AppendEx(ed_glob.ID_UNINDENT, _("Unindent Lines"),
_("Unindent the selected lines"))
formatmenu.AppendSeparator()
formatmenu.AppendEx(ed_glob.ID_TO_UPPER, _("Uppercase"),
_("Convert selected text to all uppercase letters"))
formatmenu.AppendEx(ed_glob.ID_TO_LOWER, _("Lowercase"),
_("Convert selected text to all lowercase letters"))
formatmenu.AppendSeparator()
formatmenu.AppendEx(ed_glob.ID_USE_SOFTTABS, _("Use Soft Tabs"),
_("Insert spaces instead of tab "
"characters with tab key"), wx.ITEM_CHECK)
formatmenu.AppendEx(ed_glob.ID_WORD_WRAP, _("Word Wrap"),
_("Wrap Text Horizontally"), wx.ITEM_CHECK)
formatmenu.AppendSeparator()
# Whitespace submenu
whitespace = self._menus['whitespaceformat'] = EdMenu()
whitespace.AppendEx(ed_glob.ID_SPACE_TO_TAB, _("Spaces to Tabs"),
_("Convert spaces to tabs in selected/all text"))
whitespace.AppendEx(ed_glob.ID_TAB_TO_SPACE, _("Tabs to Spaces"),
_("Convert tabs to spaces in selected/all text"))
whitespace.AppendEx(ed_glob.ID_TRIM_WS, _("Trim Trailing Whitespace"),
_("Remove trailing whitespace"))
formatmenu.AppendMenu(ed_glob.ID_WS_FORMAT, _("Whitespace"), whitespace,
_("Whitespace formating commands"))
# Line EOL formatting submenu
lineformat = self._menus['lineformat'] = EdMenu()
lineformat.AppendEx(ed_glob.ID_EOL_MAC, _("Old Macintosh (\\r)"),
_("Format all EOL characters to %s Mode") % \
_(u"Old Macintosh (\\r)"), wx.ITEM_CHECK)
lineformat.AppendEx(ed_glob.ID_EOL_UNIX, _("Unix (\\n)"),
_("Format all EOL characters to %s Mode") % \
_(u"Unix (\\n)"), wx.ITEM_CHECK)
lineformat.AppendEx(ed_glob.ID_EOL_WIN, _("Windows (\\r\\n)"),
_("Format all EOL characters to %s Mode") % \
_("Windows (\\r\\n)"), wx.ITEM_CHECK)
formatmenu.AppendMenu(ed_glob.ID_EOL_MODE, _("EOL Mode"), lineformat,
_("End of line character formatting"))
# Attach to menubar
self.Append(formatmenu, _("F&ormat"))
self._menus['format'] = formatmenu
def GenSettingsMenu(self):
"""Makes and attaches the settings menu
@return: None
"""
settingsmenu = EdMenu()
settingsmenu.AppendEx(ed_glob.ID_AUTOCOMP, _("Auto-Completion"),
_("Use Auto Completion when available"), wx.ITEM_CHECK)
settingsmenu.AppendEx(ed_glob.ID_AUTOINDENT, _("Auto-Indent"),
_("Toggle Auto-Indentation functionality"),
wx.ITEM_CHECK)
settingsmenu.AppendEx(ed_glob.ID_BRACKETHL, _("Bracket Highlighting"),
_("Highlight Brackets/Braces"), wx.ITEM_CHECK)
settingsmenu.AppendEx(ed_glob.ID_FOLDING, _("Code Folding"),
_("Toggle Code Folding"), wx.ITEM_CHECK)
settingsmenu.AppendEx(ed_glob.ID_SYNTAX, _("Syntax Highlighting"),
_("Color Highlight Code Syntax"), wx.ITEM_CHECK)
settingsmenu.AppendSeparator()
# Lexer Menu Appended later by main frame
self.Append(settingsmenu, _("&Settings"))
self._menus['settings'] = settingsmenu
self.GenLexerMenu()
def GenToolsMenu(self):
"""Makes and attaches the tools menu
@return: None
"""
toolsmenu = EdMenu()
toolsmenu.AppendEx(ed_glob.ID_COMMAND, _("Editor Command"),
_("Goto command buffer"))
toolsmenu.AppendEx(ed_glob.ID_SESSION_BAR, _("Session Manager"),
_("Show the session manager bar"))
toolsmenu.AppendEx(ed_glob.ID_PLUGMGR, _("Plugin Manager"),
_("Manage, Download, and Install plugins"))
toolsmenu.AppendEx(ed_glob.ID_STYLE_EDIT, _("Style Editor"),
_("Edit the way syntax is highlighted"))
toolsmenu.AppendSeparator()
# macro = EdMenu()
# macro.Append(ed_glob.ID_MACRO_START, _("Record Macro"),
# _("Start macro recording"))
# macro.Append(ed_glob.ID_MACRO_STOP, _("Stop Recording"),
# _("Stop macro recording"))
# macro.Append(ed_glob.ID_MACRO_PLAY, "Play Macro", "Play Macro")
# toolsmenu.AppendMenu(wx.NewId(), _("Macros"), macro, _("Macro Tools"))
# Attach to menubar
self.Append(toolsmenu, _("&Tools"))
self._menus['tools'] = toolsmenu
def GenHelpMenu(self):
"""Makes and attaches the help menu
@return: None
"""
helpmenu = EdMenu()
helpmenu.AppendEx(ed_glob.ID_ABOUT, _("&About..."),
_("About") + u"...")
helpmenu.AppendEx(ed_glob.ID_HOMEPAGE, _("Project Homepage..."),
_("Visit the project homepage %s") % ed_glob.HOME_PAGE)
helpmenu.AppendEx(ed_glob.ID_DOCUMENTATION,
_("Online Documentation..."),
_("Online project documentation and help guides"))
helpmenu.AppendEx(ed_glob.ID_TRANSLATE, _("Translate Editra..."),
_("Editra translations project"))
helpmenu.AppendEx(ed_glob.ID_BUG_TRACKER, _("Bug Tracker..."))
helpmenu.AppendEx(ed_glob.ID_CONTACT, _("Feedback"),
_("Send bug reports and suggestions"))
# Attach to menubar
self.Append(helpmenu, _("&Help"))
self._menus['help'] = helpmenu
@classmethod
def GetKeyBinder(cls):
"""Return the classes keybinder object
@param cls: Class Object
@return: KeyBinder
"""
return cls.keybinder
def GetMenuByName(self, namestr):
"""Find and return a menu by name
@param namestr: menuitems label
@return: menuitem or None if not found
"""
return self._menus.get(namestr.lower(), None)
def GetMenuMap(self):
"""Get a mapping of all menus to (menu id, menu label)
@return: list of dict
"""
menumap = list()
for menu in self.GetMenus():
menumap.append(WalkMenu(menu[0], menu[1], dict()))
return menumap
@classmethod
def NewKeyProfile(cls, pname):
"""Make a new key profile that is a clone of the current one
@param cls: Class Object
@param pname: Name to give new profile
"""
cls.keybinder.SetProfileName(pname)
cls.keybinder.SaveKeyProfile()
def OnCreateLexerMenu(self, msg):
"""Recreate the lexer menu"""
self.GenLexerMenu()
def OnLoadProfile(self, msg):
"""Load and set the current key profile
@param msg: ed_msg.EDMSG_MENU_LOADPROFILE
@note: if message data is None the default bindings will be set
"""
keyprof = msg.GetData()
if keyprof is not None:
self.SetKeyProfile(keyprof)
else:
EdMenuBar.keybinder.LoadDefaults()
def OnRebind(self, msg):
"""Rebind all menu shortcuts when a rebind message is recieved
@param msg: ed_msg.EDMSG_MENU_REBIND
"""
self.RebindKeys()
def RebindKeys(self):
"""Reset all key bindings based on current binder profile"""
for menu in self.GetMenus():
for item in IterateMenuItems(menu[0]):
item_id = item.GetId()
binding = EdMenuBar.keybinder.GetBinding(item_id)
empty_binding = not len(binding)
if not empty_binding:
# Verify binding and clear invalid ones from binder
tmp = [key.title() for key in binding.strip().split(u'+')]
nctrl = len([key for key in tmp
if key not in (u'Ctrl', u'Alt', u'Shift')])
if len(tmp) > 3 or not nctrl:
EdMenuBar.keybinder.SetBinding(item_id, u'')
continue
# Reset the binding in the binder to ensure it is
# correctly formatted.
binding = u"\t" + u"+".join(tmp)
EdMenuBar.keybinder.SetBinding(item_id, binding)
clbl = item.GetText()
# Update the item if the shortcut has changed
if ('\t' in clbl and (not clbl.endswith(binding) or empty_binding)) or \
('\t' not in clbl and not empty_binding):
# wxBug? Getting the text of a menuitem is supposed to
# return it with the accelerators but under gtk the string
# has underscores '_' where it was supposed to have '&'
if wx.Platform == '__WXGTK__':
clbl = clbl.replace('_', '&', 1)
item.SetText(clbl.split('\t')[0].strip() + binding)
def ResetIcons(self):
"""Walk through each menu item in all of the bars menu and
reapply icons where possible.
@note: Don't use, sort of works on mac, does nothing on gtk, and causes
graphical glitches on msw.
"""
for menu in self.GetMenus():
WalkAndSetBitmaps(menu[0])
@classmethod
def SaveKeyProfile(cls):
"""Save the current key profile"""
cls.keybinder.SaveKeyProfile()
def SetKeyProfile(self, pname):
"""Set the current key profile and update the bindings
@param pname: Name of keyprofile to load
"""
EdMenuBar.keybinder.LoadKeyProfile(pname)
self.RebindKeys()
#-----------------------------------------------------------------------------#
#---- Private Objects/Functions ----#
_DEFAULT_BINDING = { # File Menu
ed_glob.ID_NEW : (u"Ctrl", u"N"),
ed_glob.ID_NEW_WINDOW : (u"Ctrl", u"Shift", u"N"),
ed_glob.ID_OPEN : (u"Ctrl", u"O"),
ed_glob.ID_CLOSE : (u"Ctrl", u"W"),
ed_glob.ID_CLOSE_WINDOW : (u"Ctrl", u"Shift", u"W"),
ed_glob.ID_SAVE : (u"Ctrl", u"S"),
ed_glob.ID_SAVEAS : (u"Ctrl", u"Shift", u"S"),
ed_glob.ID_PRINT_SU : (u"Ctrl", u"Shift", u"P"),
ed_glob.ID_PRINT : (u"Ctrl", u"P"),
ed_glob.ID_EXIT : (u"Ctrl", u"Q"),
# Edit Menu
ed_glob.ID_UNDO : (u"Ctrl", u"Z"),
ed_glob.ID_REDO : (u"Ctrl", u"Shift", u"Z"),
ed_glob.ID_CUT : (u"Ctrl", u"X"),
ed_glob.ID_COPY : (u"Ctrl", u"C"),
ed_glob.ID_PASTE : (u"Ctrl", u"V"),
ed_glob.ID_PASTE_AFTER : (u"Ctrl", u"Shift", u"V"),
ed_glob.ID_CYCLE_CLIPBOARD : (u"Ctrl", u"I"),
ed_glob.ID_SELECTALL : (u"Ctrl", u"A"),
ed_glob.ID_COLUMN_MODE : (u"Ctrl", u"Shift", u"|"),
ed_glob.ID_LINE_AFTER : (u"Ctrl", u"L"),
ed_glob.ID_LINE_BEFORE : (u"Ctrl", u"Shift", u"L"),
ed_glob.ID_CUT_LINE : (u"Ctrl", u"D"),
ed_glob.ID_DELETE_LINE : (u"Ctrl", u"Shift", "D"),
ed_glob.ID_COPY_LINE : (u"Ctrl", u"Y"),
ed_glob.ID_DUP_LINE : (u"Ctrl", u"Shift", u"C"),
ed_glob.ID_JOIN_LINES : (u"Ctrl", u"J"),
ed_glob.ID_TRANSPOSE : (u"Ctrl", u"T"),
ed_glob.ID_LINE_MOVE_UP : (u"Ctrl", u"Shift", u"Up"),
ed_glob.ID_LINE_MOVE_DOWN : (u"Ctrl", u"Shift", u"Down"),
ed_glob.ID_ADD_BM : (u"Ctrl", u"B"),
ed_glob.ID_SHOW_AUTOCOMP : (u"Ctrl", u"Space"),
ed_glob.ID_SHOW_CALLTIP : (u"Ctrl", u"9"),
ed_glob.ID_FIND : (u"Ctrl", u"Shift", u"F"),
ed_glob.ID_FIND_PREVIOUS : (u"Shift", u"F3"),
ed_glob.ID_FIND_NEXT : (u"F3",),
ed_glob.ID_FIND_REPLACE : (u"Ctrl", u"R"),
ed_glob.ID_QUICK_FIND : (u"Ctrl", u"F"),
ed_glob.ID_FIND_SELECTED : (u"Ctrl", u"F3"),
# View Menu
ed_glob.ID_ZOOM_IN : (u"Ctrl", u"+"),
ed_glob.ID_ZOOM_OUT : (u"Ctrl", u"-"),
ed_glob.ID_ZOOM_NORMAL : (u"Ctrl", u"0"),
ed_glob.ID_GOTO_LINE : (u"Ctrl", u"G"),
ed_glob.ID_GOTO_MBRACE : (u"Ctrl", u"Shift", u"B"),
ed_glob.ID_TOGGLE_FOLD : (u"Ctrl", u"Shift", u"T"),
ed_glob.ID_NEXT_POS : (u"Ctrl", u"Shift", u">"),
ed_glob.ID_PRE_POS : (u"Ctrl", u"Shift", u"<"),
ed_glob.ID_NEXT_MARK : (u"Alt", u"Right"), # Win/Linux
ed_glob.ID_PRE_MARK : (u"Alt", u"Left"), # Win/Linux
ed_glob.ID_SHOW_SHELF : (u"Ctrl", u"Alt", u"S"),
ed_glob.ID_PANELIST : (u"Alt", u"1"), # Win/Linux
ed_glob.ID_MAXIMIZE_EDITOR : (u"Ctrl", u"M"),
# Format Menu
ed_glob.ID_TOGGLECOMMENT : (u"Ctrl", u"1"),
ed_glob.ID_INDENT : (u"Tab",),
ed_glob.ID_UNINDENT : (u"Shift", u"Tab"),
ed_glob.ID_USE_SOFTTABS : (u"Ctrl", u"Shift", u"I"),
# Tools Menu
ed_glob.ID_COMMAND : (u"Ctrl", u"E"),
ed_glob.ID_SESSION_BAR : (u"Ctrl", u"K"),
ed_glob.ID_RUN_LAUNCH : (u"F5",),
ed_glob.ID_LAUNCH_LAST : (u"Shift", u"F5")
}
# Set some platform specific keybindings
if wx.Platform == '__WXMAC__':
_DEFAULT_BINDING[ed_glob.ID_NEXT_MARK] = (u"Ctrl", u"Down")
_DEFAULT_BINDING[ed_glob.ID_PRE_MARK] = (u"Ctrl", u"Up")
_DEFAULT_BINDING[ed_glob.ID_FIND_PREVIOUS] = (u"Ctrl", u"Shift", u"G")
_DEFAULT_BINDING[ed_glob.ID_FIND_NEXT] = (u"Ctrl", u"G")
_DEFAULT_BINDING[ed_glob.ID_GOTO_LINE] = (u"Ctrl", u"Shift", u"E")
_DEFAULT_BINDING[ed_glob.ID_PANELIST] = (u"Alt", u"Tab")
_DEFAULT_BINDING[ed_glob.ID_MAXIMIZE_EDITOR] = (u"Alt", u"M")
_DEFAULT_BINDING[ed_glob.ID_FIND_SELECTED] = (u"Ctrl", u"3")
elif wx.Platform == '__WXMSW__':
# FIXME: On Windows if Tab is bound to a menu item it is no longer
# usable elsewhere such as in the stc control. On Mac/Gtk there
# are not problems with it.
_DEFAULT_BINDING[ed_glob.ID_INDENT] = (u"",)
else:
pass
def _FindStringRep(item_id):
"""Find the string representation of the given id value
@param item_id: int
@return: string or None
"""
for obj in dir(ed_glob):
if getattr(ed_glob, obj) == item_id:
return obj
else:
return None
def _GetValueFromStr(item_str):
"""Get the id value from the string representation of the object
@param item_str: items variable string
@return: int or None
"""
return getattr(ed_glob, item_str, None)
#---- Public Functions ----#
def IterateMenuItems(menu):
"""Recursively walk and yield menu items as the are found. Only menu
items are yielded, not submenus or separators.
@param menu: menu to iterate
"""
for item in menu.GetMenuItems():
if item.IsSubMenu():
for subitem in IterateMenuItems(item.GetSubMenu()):
yield subitem
if not item.IsSeparator():
yield item
else:
continue
def WalkAndSetBitmaps(menu):
"""Recursively walk a menu and its submenus setting bitmaps
as necessary/available, using the the current theme.
"""
for item in menu.GetMenuItems():
if item.IsSubMenu():
WalkAndSetBitmaps(item.GetSubMenu())
else:
bmp = wx.ArtProvider.GetBitmap(str(item.GetId()), wx.ART_MENU)
if bmp.IsOk():
item.SetBitmap(bmp)
elif not item.GetBitmap().IsNull():
item.SetBitmap(wx.NullBitmap)
else:
continue
def WalkMenu(menu, label, collection):
"""Recursively walk a menu and collect all its sub items
@param menu: wxMenu to walk
@param label: the menu's label
@param collection: dictionary to collect results in
@return: dict {menulabel : [menu id, (item1 id, label1),]}
"""
if label not in collection:
collection[label] = list()
for item in menu.GetMenuItems():
i_id = item.GetId()
if item.IsSubMenu():
# Ignore dynamically generated menus
if i_id not in (ed_glob.ID_FHIST, ed_glob.ID_LEXER,
ed_glob.ID_PERSPECTIVES):
ilbl = item.GetItemLabelText()
collection[ilbl] = [i_id, ]
WalkMenu(item.GetSubMenu(), ilbl, collection)
else:
continue
elif item.IsSeparator():
continue
elif _FindStringRep(i_id) is not None:
lbl = item.GetItemLabelText().split('\t')[0].strip()
# wxBug? Even the methods that are supposed to return the text
# without mnemonics or accelerators on gtk return the string with
# underscores where the mnemonics '&' are in the original strings
if wx.Platform == '__WXGTK__':
lbl = lbl.replace('_', '', 1)
collection[label].append((i_id, lbl))
else:
continue
return collection