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 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589
|
#----------------------------------------------------------------------
# Name: Designer.py
# Purpose: Visual frame designer
#
# Author: Riaan Booysen
#
# Created: 1999
# RCS-ID: $Id: Designer.py,v 1.36 2004/08/16 13:06:44 riaan Exp $
# Copyright: (c) 1999 - 2004 Riaan Booysen
# Licence: GPL
#----------------------------------------------------------------------
print 'importing Views.Designer'
import copy, os, pprint, math
from wxPython.wx import *
import Preferences, Utils, Help
from Preferences import IS
import CtrlAlign, CtrlSize
import sourceconst
from InspectableViews import InspectableObjectView
import SelectionTags
[wxID_CTRLPARENT, wxID_EDITCUT, wxID_EDITCOPY, wxID_EDITPASTE, wxID_EDITDELETE,
wxID_SHOWINSP, wxID_SHOWEDTR, wxID_CTRLHELP, wxID_EDITALIGN, wxID_EDITSIZE,
wxID_EDITRECREATE, wxID_EDITSNAPGRID, wxID_EDITRELAYOUT, wxID_EDITRELAYOUTSEL,
wxID_EDITRELAYOUTDESGN, wxID_EDITCREATEORDER, wxID_EDITFITINSIDESIZER,
wxID_EDITFITSIZER,
] = Utils.wxNewIds(18)
[wxID_EDITMOVELEFT, wxID_EDITMOVERIGHT, wxID_EDITMOVEUP, wxID_EDITMOVEDOWN,
wxID_EDITWIDTHINC, wxID_EDITWIDTHDEC, wxID_EDITHEIGHTINC, wxID_EDITHEIGHTDEC,
] = Utils.wxNewIds(8)
[wxID_EDITSELECTLEFT, wxID_EDITSELECTRIGHT, wxID_EDITSELECTUP, wxID_EDITSELECTDOWN,
] = Utils.wxNewIds(4)
# XXX When opening a frame with a connected menubar, the frame is not selected
# XXX in the inspector
class DesignerView(wxFrame, InspectableObjectView, Utils.FrameRestorerMixin):
""" Frame Designer for design-time creation/manipulation of visual controls
on frames. """
viewName = 'Designer'
docked = false
collectionMethod = sourceconst.init_ctrls
supportsParentView = true
def setupArgs(self, ctrlName, params, dontEval, parent=None, compClass=None, evalDct={}, doId=true):
""" Create a dictionary of parameters for the constructor of the
control from a dictionary of string/source parameters.
"""
args = InspectableObjectView.setupArgs(self, ctrlName, params, dontEval, evalDct=evalDct)
if compClass:
prnt = compClass.windowParentName
wId = compClass.windowIdName
doId = not compClass.suppressWindowId
else:
prnt = 'parent'
wId = 'id'
doId = true
# Determine parent
if parent:
args[prnt] = parent
else:
srcPrnt = args[prnt]
if srcPrnt == 'None':
args[prnt] = None
elif srcPrnt == 'self':
try:
args[prnt] = self
except AttributeError, name:
# XXX This isn't right
if self.objects.has_key(name):
pass
elif self.model.objectCollections.has_key(name):
pass
else:
raise
else:
dot = srcPrnt.find('.')
if dot != -1:
srcPrnt = srcPrnt[dot + 1:]
else: raise 'Component name illegal '+ srcPrnt
args[prnt] = self.objects[srcPrnt][1]
if doId: args[wId] = wxNewId()
return args
defPos = wxPyDefaultPosition
def __init__(self, parent, inspector, model, compPal, CompanionClass,
dataView):
args = self.setupArgs(model.main, model.mainConstr.params,
CompanionClass.handledConstrParams, parent, CompanionClass,
model.specialAttrs)
style = wxDEFAULT_FRAME_STYLE
wxFrame.__init__(self, parent, -1, args.get('title', ''),
args.get('pos', CompanionClass.defFramePos),
args.get('size', CompanionClass.defFrameSize),
style=CompanionClass.defFrameStyle)
InspectableObjectView.__init__(self, inspector, model, compPal)
if model.dialogLook:
self.SetBackgroundColour(
wxSystemSettings_GetSystemColour(wxSYS_COLOUR_BTNFACE))
self.SetIcon(IS.load('Images/Icons/Designer.ico'))
EVT_MOVE(self, self.OnFramePos)
self.pageIdx = -1
self.dataView = dataView
self.dataView.controllerView = self
self.sizersView = None
self.controllerView = self
self.saveOnClose = true
self.confirmCancel = false
self.ctrlEvtHandler = DesignerControlsEvtHandler(self)
self.companion = CompanionClass(self.model.main, self, self)
self.companion.id = Utils.windowIdentifier(self.model.main, '')
self.companion.control = self
self.mainMultiDrag = None
self.lastSize = (-1, -1)
# the objects dict has the following structure:
# key = componentname
# value = list of companion, control, deltaConstr, deltaProps, deltaEvents
# Note that the frame itself is defined as the blank string name
self.objects[''] = [self.companion, self, None]
self.objectOrder.append('')
self.SetName(self.model.main)
self.companion.initDesignTimeControl()
self.active = true
self.destroying = false
self.selection = None
self.multiSelection = []
# flags controlling behaviour in resize event
self.vetoResize = false
self.forceResize = false
self.deletingCtrl = false
self.objectNamespace = DesignerNamespace(self)
# XXX Move this definition into actions
self.menu = wxMenu()
self.menu.Append(wxID_CTRLPARENT, 'Up')
self.menu.Append(-1, '-')
self.menu.Append(wxID_EDITCUT, 'Cut')
self.menu.Append(wxID_EDITCOPY, 'Copy')
self.menu.Append(wxID_EDITPASTE, 'Paste')
self.menu.Append(wxID_EDITDELETE, 'Delete')
self.menu.Append(-1, '-')
self.menu.Append(wxID_EDITRECREATE, 'Recreate')
self.menu.Append(wxID_EDITRELAYOUTSEL, 'Relayout selection')
self.menu.Append(wxID_EDITRELAYOUTDESGN, 'Relayout Designer')
self.menu.Append(-1, '-')
self.menu.Append(wxID_EDITFITSIZER, 'Fit sizer')
#self.menu.Append(wxID_EDITFITINSIDESIZER, 'Fit sizer')
self.menu.Append(-1, '-')
self.menu.Append(wxID_EDITSNAPGRID, 'Snap to grid')
self.menu.Append(wxID_EDITALIGN, 'Align...')
self.menu.Append(wxID_EDITSIZE, 'Size...')
self.menu.Append(-1, '-')
self.menu.Append(wxID_EDITCREATEORDER, 'Creation/Tab order...')
EVT_CLOSE(self, self.OnCloseWindow)
EVT_MENU(self, wxID_EDITDELETE, self.OnControlDelete)
EVT_MENU(self, wxID_SHOWINSP, self.OnInspector)
EVT_MENU(self, wxID_SHOWEDTR, self.OnEditor)
EVT_MENU(self, wxID_CTRLHELP, self.OnCtrlHelp)
EVT_MENU(self, wxID_EDITALIGN, self.OnAlignSelected)
EVT_MENU(self, wxID_EDITSIZE, self.OnSizeSelected)
EVT_MENU(self, wxID_CTRLPARENT, self.OnSelectParent)
EVT_MENU(self, wxID_EDITCUT, self.OnCutSelected)
EVT_MENU(self, wxID_EDITCOPY, self.OnCopySelected)
EVT_MENU(self, wxID_EDITPASTE, self.OnPasteSelected)
EVT_MENU(self, wxID_EDITRECREATE, self.OnRecreateSelected)
EVT_MENU(self, wxID_EDITRELAYOUTSEL, self.OnRelayoutSelection)
EVT_MENU(self, wxID_EDITRELAYOUTDESGN, self.OnRelayoutDesigner)
EVT_MENU(self, wxID_EDITSNAPGRID, self.OnSnapToGrid)
EVT_MENU(self, wxID_EDITCREATEORDER, self.OnCreationOrder)
EVT_MENU(self, wxID_EDITFITSIZER, self.OnFitSizer)
#EVT_MENU(self, wxID_EDITFITINSIDESIZER, self.OnFitInsideSizer)
EVT_MENU(self, wxID_EDITMOVELEFT, self.OnMoveLeft)
EVT_MENU(self, wxID_EDITMOVERIGHT, self.OnMoveRight)
EVT_MENU(self, wxID_EDITMOVEUP, self.OnMoveUp)
EVT_MENU(self, wxID_EDITMOVEDOWN, self.OnMoveDown)
EVT_MENU(self, wxID_EDITWIDTHINC, self.OnWidthInc)
EVT_MENU(self, wxID_EDITWIDTHDEC, self.OnWidthDec)
EVT_MENU(self, wxID_EDITHEIGHTINC, self.OnHeightInc)
EVT_MENU(self, wxID_EDITHEIGHTDEC, self.OnHeightDec)
EVT_MENU(self, wxID_EDITSELECTLEFT, self.OnSelectLeft)
EVT_MENU(self, wxID_EDITSELECTRIGHT, self.OnSelectRight)
EVT_MENU(self, wxID_EDITSELECTUP, self.OnSelectUp)
EVT_MENU(self, wxID_EDITSELECTDOWN, self.OnSelectDown)
# Key bindings
accLst = []
for name, wId in (('Delete', wxID_EDITDELETE),
('Inspector', wxID_SHOWINSP),
('Editor', wxID_SHOWEDTR),
('ContextHelp', wxID_CTRLHELP),
('Escape', wxID_CTRLPARENT),
('Copy', wxID_EDITCOPY),
('Paste', wxID_EDITPASTE),
('MoveLeft', wxID_EDITMOVELEFT),
('MoveRight', wxID_EDITMOVERIGHT),
('MoveUp', wxID_EDITMOVEUP),
('MoveDown', wxID_EDITMOVEDOWN),
('WidthInc', wxID_EDITWIDTHINC),
('WidthDec', wxID_EDITWIDTHDEC),
('HeightInc', wxID_EDITHEIGHTINC),
('HeightDec', wxID_EDITHEIGHTDEC),
('SelectLeft', wxID_EDITSELECTLEFT),
('SelectRight', wxID_EDITSELECTRIGHT),
('SelectUp', wxID_EDITSELECTUP),
('SelectDown', wxID_EDITSELECTDOWN),
):
tpe, key, code = Preferences.keyDefs[name]
accLst.append((tpe, key, wId))
self.SetAcceleratorTable(wxAcceleratorTable(accLst))
def generateMenu(self):
return Utils.duplicateMenu(self.menu)
def saveCtrls(self, definedCtrls, module=None):
""" Generate source code for Designer """
if not module:
module = self.model.getModule()
# Remove all collection methods
for oc in self.model.identifyCollectionMethods():
if len(oc) > len('_init_coll_') and oc[:11] == '_init_coll_':
## module = self.model.getModule()
module.removeMethod(self.model.main, oc)
# Update all size and pos parameters possibly updated externally
for compn, ctrl, prnt in self.objects.values():
compn.updatePosAndSize()
if self.sizersView and self.sizersView.objects:
collDeps = ['%sself.%s()'%(sourceconst.bodyIndent,
sourceconst.init_sizers)]
else:
collDeps = None
# Generate code
InspectableObjectView.saveCtrls(self, definedCtrls, module, collDeps)
# Regenerate window ids
companions = map(lambda i: i[0], self.objects.values())
self.model.writeWindowIds(self.collectionMethod, companions)
def renameCtrlAndParentRefs(self, oldName, newName, children=()):
# rename other ctrl references like parent
for ctrl in self.objectOrder:
# Notify
self.objects[ctrl][0].renameCtrlRefs(oldName, newName)
# Rename childrens' parents
if ctrl in children:
self.objects[ctrl][2] = newName
# also do collections
for coll in self.collEditors.values():
coll.companion.renameCtrlRefs(oldName, newName)
def renameCtrl(self, oldName, newName):
""" Rename control, references to control and update parent tree """
prel, pref = self.buildParentRelationship()
# rename other ctrl references like parent
children = pref[oldName].keys()
self.renameCtrlAndParentRefs(oldName, newName, children)
InspectableObjectView.renameCtrl(self, oldName, newName)
if self.sizersView:
self.sizersView.designerRenameNotify(oldName, newName)
selName = self.inspector.containment.selectedName()
if selName == oldName:
selName = newName
self.refreshContainment(selName)
if self.selection.name == oldName:
self.selection.name = newName
def renameFrame(self, oldName, newName):
""" Hook that also updates the Model and window ids of the
Frame when it's name changes """
self.SetName(newName)
# propagate rename to model
self.model.renameMain(oldName, newName)
# update window ids in designer and data
InspectableObjectView.renameFrame(self, oldName, newName)
self.dataView.renameFrame(oldName, newName)
if self.sizersView:
self.sizersView.renameFrame(oldName, newName)
# update window ids in collection items
collEditors = self.collEditors.values() + \
self.dataView.collEditors.values()
if self.sizersView:
collEditors.extend(self.sizersView.collEditors.values())
for collEditor in collEditors:
collEditor.renameFrame(oldName, newName)
# propagate rename to inspector
selName = self.inspector.containment.selectedName()
if selName == oldName: selName = ''
self.refreshContainment(selName)
def refreshCtrl(self):
""" Model View method that is called when the Designer should
create itself from source
"""
if self.destroying or self.opened: return
# Delete previous
comps = {}
# Create selection if none is defined
if not self.selection:
self.selection = \
SelectionTags.SingleSelectionGroup(self, self.inspector, self)
self.model.editor.statusBar.setHint('Creating frame')
try:
objCol = self.model.objectCollections[self.collectionMethod]
objCol.indexOnCtrlName()
self.model.editor.statusBar.progress.SetValue(20)
stepsDone = 20.0
# Initialise the design time controls and
# companion with default values
# initObjectsAndCompanions(creators, props, events)
self.inspector.vetoSelect = true
try:
# init main construtor
self.companion.setConstr(self.model.mainConstr)
ctrlCompn = self.companion
deps = {}
depLnks = {}
self.initObjProps(objCol.propertiesByName, '', objCol.creators[0], deps, depLnks)
self.initObjEvts(objCol.eventsByName, '', objCol.creators[0])
if len(objCol.creators) > 1:
self.initObjectsAndCompanions(objCol.creators[1:], objCol, deps, depLnks)
# Track progress
step = (90 - stepsDone) / len(objCol.creators)
stepsDone = stepsDone + step
self.model.editor.statusBar.progress.SetValue(int(stepsDone))
self.finaliseDepLinks(depLnks)
self.OnRelayoutDesigner(None)
if len(depLnks):
wxLogWarning(pprint.pformat(depLnks))
wxLogWarning('These links were not resolved (Details...)')
finally:
self.inspector.vetoSelect = false
self.model.editor.statusBar.progress.SetValue(80)
self.refreshContainment()
self.model.editor.statusBar.progress.SetValue(0)
self.model.editor.statusBar.setHint('Designer refreshed')
self.opened = true
except:
self.model.editor.statusBar.progress.SetValue(0)
#self.model.editor.statusBar.setHint('Error opening the Designer', 'Error')
raise
def refreshModel(self):
""" Update model with streamed out controls """
# Make source r/w
self.model.views['Source'].disableSource(false)
if self.saveOnClose:
oldData = self.model.data
module = self.model.getModule()
# Stream out everything to Module & update model
otherRefs = self.dataView.objectOrder[:]
if self.sizersView:
otherRefs.extend(self.sizersView.objectOrder[:])
self.saveCtrls(otherRefs, module)
self.dataView.saveCtrls([], module)
if self.sizersView:
self.sizersView.saveCtrls([], module)
self.model.refreshFromModule()
# Close data view before updates
self.dataView.deleteFromNotebook('Source', 'Data')
if self.sizersView:
self.sizersView.deleteFromNotebook('Source', 'Sizers')
# Update state (if changed)
newData = self.model.data
self.model.modified = self.model.modified or newData != oldData
self.model.editor.updateModulePage(self.model)
# Update other views
InspectableObjectView.refreshModel(self)
# Put the cursor somewhere (ideally at the first generated event)
module = self.model.getModule()
if module:
self.model.views['Source'].GotoLine(module.classes[\
self.model.main].methods['__init__'].start)
self.model.editor.setStatus('Designer session Posted.')
else:
self.dataView.deleteFromNotebook('Source', 'Data')
if self.sizersView:
self.sizersView.deleteFromNotebook('Source', 'Sizers')
self.model.editor.setStatus('Designer session Cancelled.', 'Warning')
def initSelection(self):
""" Create a selection group """
self.selection = SelectionTags.SingleSelectionGroup(self, self.inspector, self)
def loadControl(self, CtrlClass, CtrlCompanion, ctrlName, params):
""" Create and register given control and companion.
See also: newControl
"""
args = self.setupArgs(ctrlName, params, CtrlCompanion.handledConstrParams,
compClass=CtrlCompanion, evalDct=self.model.specialAttrs)
parent = Utils.ctrlNameFromSrcRef(params[CtrlCompanion.windowParentName])
# Create control and companion
companion = CtrlCompanion(ctrlName, self, None, CtrlClass)
self.addObject(ctrlName, companion,
companion.designTimeControl(None, None, args), parent)
return ctrlName
def newControl(self, parent, CtrlClass, CtrlCompanion, position = None, size = None):
""" At design time, when adding a new ctrl from the palette, create and
register given control and companion.
See also: loadControl
"""
self.checkHost(CtrlCompanion)
ctrlName = self.newObjName(CtrlClass.__name__)
companion = CtrlCompanion(ctrlName, self, parent, CtrlClass)
params = companion.designTimeSource('wxPoint(%d, %d)' % (position.x, position.y))
parentName, params[companion.windowParentName] = self.getParentNames(parent)
self.addObject(ctrlName, companion,
companion.designTimeControl(position, size), parentName)
if not companion.suppressWindowId:
params[companion.windowIdName] = companion.id
companion.persistConstr(CtrlClass.__name__, params)
self.refreshContainment()
return ctrlName
def initObjCreator(self, constrPrs):
# decorate class_name if it's a factory constructor
if not constrPrs.class_name and constrPrs.factory:
factoryObj, factoryMeth = constrPrs.factory
constrPrs.class_name = self.dataView.objects[factoryObj][0].factory(factoryMeth)
InspectableObjectView.initObjCreator(self, constrPrs)
def initSizers(self, sizersView):
self.sizersView = sizersView
self.sizersView.controllerView = self
def getParentNames(self, parent):
if parent.GetName() != self.GetName():
return parent.GetName(), 'self.'+parent.GetName()
else:
return '', 'self'
def removeEvent(self, name):
# XXX Remove event!
self.inspector.eventUpdate(name, true)
def getObjectsOfClass(self, theClass):
""" Overridden to also add objects from the other views """
results = InspectableObjectView.getObjectsOfClass(self, theClass)
otherResults = {}
for objName in self.dataView.objects.keys():
if isinstance(self.dataView.objects[objName][1], theClass):
otherResults['self.'+objName] = self.dataView.objects[objName][1]
if self.sizersView:
for objName in self.sizersView.objects.keys():
if isinstance(self.sizersView.objects[objName][1], theClass):
otherResults['self.'+objName] = self.sizersView.objects[objName][1]
results.update(otherResults)
return results
def getAllObjects(self):
""" Overridden to also add objects from other views """
results = InspectableObjectView.getAllObjects(self)
for objName in self.dataView.objects.keys():
results[Utils.srcRefFromCtrlName(objName)] = \
self.dataView.objects[objName][1]
if self.sizersView:
for objName in self.sizersView.objects.keys():
results[Utils.srcRefFromCtrlName(objName)] = \
self.sizersView.objects[objName][1]
return results
def selectParent(self, ctrl):
""" Change the selection to the parent of the currently selected control. """
if self.selection or self.multiSelection:
if self.multiSelection:
self.clearMultiSelection()
self.assureSingleSelection()
if ctrl and ctrl != self:
parentName, dummy = self.getParentNames(ctrl.GetParent())
self.inspector.containment.selectName(parentName)
def deleteCtrl(self, name, parentRef = None):
""" Delete a control, update selection and parent tree """
ctrlInfo = self.objects[name]
if ctrlInfo[1] == self:
wxMessageBox("Can't delete frame", style=wxOK|wxICON_ERROR, parent=self)
return
parRel = None
# build relationship, this will only happen for the first call
if not parentRef:
# select parent so long, pretty soon won't be able to ask who
# the parent is
parentName, dummy = self.getParentNames(ctrlInfo[1].GetParent())
self.selectParent(ctrlInfo[1])
parRel, parRef = self.buildParentRelationship()
else:
parRef = parentRef
# notify other components of deletion
self.notifyAction(ctrlInfo[0], 'delete')
# delete all children
children = parRef[name]
for child in children.keys():
self.deleteCtrl(child, parRef)
InspectableObjectView.deleteCtrl(self, name)
ctrlInfo[1].Destroy()
if parRel is not None:
self.refreshContainment(parentName)
def selectNone(self):
if self.selection:
self.selection.selectNone()
elif self.multiSelection:
for sel in self.multiSelection:
sel.selectNone()
sel.destroy()
self.multiSelection = []
self.assureSingleSelection()
def notifyAction(self, compn, action):
InspectableObjectView.notifyAction(self, compn, action)
self.dataView.notifyAction(compn, action)
if self.sizersView:
self.sizersView.notifyAction(compn, action)
def close(self):
self.Close()
def focus(self):
self.restore()
def getSizerConnectList(self):
if self.sizersView:
return self.sizersView.sizerConnectList
else:
return None
ignoreWindows = [wxToolBar, wxStatusBar]
def connectToolBar(self, toolBar):
parRel, parRef = self.buildParentRelationship()
children = parRef['']
for childName in children.keys():
childCompn, childCtrl = self.objects[childName][:2]
if not childCtrl.__class__ in self.ignoreWindows:
pos = childCtrl.GetPosition()
childCtrl.SetPosition( (pos.x, pos.y + toolBar.GetSize().y) )
def disconnectToolBar(self, toolBar):
parRel, parRef = self.buildParentRelationship()
children = parRef['']
for childName in children.keys():
childCompn, childCtrl = self.objects[childName][:2]
if not childCtrl.__class__ in self.ignoreWindows:
pos = childCtrl.GetPosition()
childCtrl.SetPosition( (pos.x, pos.y - toolBar.GetSize().y) )
def checkChildCtrlClick(self, ctrlName, ctrl, companion, clickPos):
""" Check whether the click on the control actually falls
within a region occupied by one of it's children.
The click is then transfered to the child. """
selCtrl, selCompn, selPos = ctrl, companion, clickPos
if companion.container:
parent = ctrl
else:
parent = ctrl.GetParent()
# Hack: Shortcut intersection tests if click was directly in a proxy
# container
if wxPlatform == '__WXGTK__' and hasattr(ctrl, 'proxyContainer'):
return selCtrl, selCompn, selPos
# Workaround toolbar offset bug
offset = [0, 0]
if parent == self:
tb = self.GetToolBar()
if tb:
offset[1] = tb.GetSize().y #* -1
# XXX Is this going to become to slow for frames with many ctrls?
parRel, parRef = self.buildParentRelationship()
if ctrl == self:
officialParent = ''
children = parRef['']
else:
officialParent = ctrlName
children = parRef[ctrlName]
for childName in children.keys():
childCompn, childCtrl = self.objects[childName][:2]
pos = childCtrl.GetPosition()
sze = childCtrl.GetSize()
realParent = childCtrl.GetParent()
# Compensate for BlankWindowPages's offset
if realParent.this[:8] != \
self.objects[officialParent][1].this[:8]:
offset[0] += realParent.GetPosition().x
offset[1] += realParent.GetPosition().y
# Check for intersection
if childCtrl.IsShown() and realParent.IsShown() and \
wxIntersectRect((clickPos.x - offset[0],
clickPos.y - offset[1], 1, 1),
(pos.x, pos.y, max(sze.x, 1),
max(sze.y, 1))) is not None:
#print clickPos, offset, pos, sze
selCtrl = childCtrl
selCompn = childCompn
selPos = wxPoint(clickPos.x - offset[0] - pos.x,
clickPos.y - offset[1] - pos.y)
break
return selCtrl, selCompn, selPos
def clearMultiSelection(self):
""" Destroys multi selection groups """
for sel in self.multiSelection:
sel.destroy()
self.multiSelection = []
def assureSingleSelection(self):
""" Assure that a valid single selection exists """
if not self.selection:
self.selection = SelectionTags.SingleSelectionGroup(self, self.inspector, self)
def flattenParentRelationship(self, rel, lst):
""" Add all items in a nested dictionary into a single list """
for itm in rel.keys():
lst.append(itm)
self.flattenParentRelationship(rel[itm], lst)
def expandNamesToContainers(self, ctrlNames):
""" Expand set of names to include the names of all their children """
exp = ctrlNames[:]
rel, ref = self.buildParentRelationship()
for ctrl in ctrlNames:
children = []
self.flattenParentRelationship(ref[ctrl], children)
exp.extend(children)
return exp
def collapseNamesToContainers(self, ctrlNames):
""" Collapse set of names to exclude the names of all their children """
def hasParentInList(item, list):
return intem in list
exp = ctrlNames[:]
#colLst = filter(\
# lambda name, names=ctrlNames, objs=self.objects: \
# objs[name][2] not in names, ctrlNames)
colLst = [name for name in ctrlNames
if self.objects[name][2] not in ctrlNames]
return colLst
def selectControlByPos(self, ctrl, pos, multiSelect):
""" Handle selection of a control from a users click of creation
of a new one if a component was selected on the palette.
Some ctrls do not register clicks, the click is then
picked up from the parent which checks if a click
intersects any child regions. For efficiency this
is only applied for 2 levels.
Also handles single and multiple selection logic.
"""
self.vetoResize = true
try:
if ctrl == self:
companion = self.companion
else:
companion = self.objects[ctrl.GetName()][0]
ctrlName = companion.name
selCtrl, selCompn, selPos = \
self.checkChildCtrlClick(ctrlName, ctrl, companion, pos)
# Component on palette selected, create it
if self.compPal.selection:
if selCompn.container:
parent = selCtrl
pos = selPos
else:
parent = selCtrl.GetParent()
screenPos = selCtrl.ClientToScreen(selPos)
pos = parent.ScreenToClient(screenPos)
# Workaround toolbar offset bug
if parent == self:
tb = self.GetToolBar()
if tb:
pos.y = pos.y - tb.GetSize().y
# Granularise position
pos = wxPoint(SelectionTags.granularise(pos.x),
SelectionTags.granularise(pos.y))
CtrlClass, CtrlCompanion = self.compPal.selection[1:3]
if CtrlCompanion.host in ('Data', 'Sizers'):
view = self.model.views[CtrlCompanion.host]
view.focus()
view.OnSelectOrAdd()
return
ctrlName = self.newControl(parent, CtrlClass, CtrlCompanion, pos)
self.compPal.selectNone()
if self.selection:
ctrl = self.objects[ctrlName][1]
self.selection.selectCtrl(ctrl, self.objects[ctrlName][0])
# Select ctrl
else:
if self.selection or self.multiSelection:
# Multi selection
if multiSelect:
# Verify that it's a legal multi selection
# They must have the same parent
if self.selection:
if selCtrl.GetParent() != self.selection.selection.GetParent():
return
elif self.multiSelection:
if selCtrl.GetParent() != self.multiSelection[0].selection.GetParent():
return
if not self.multiSelection:
# don't select if multiselecting single selection
if selCtrl == self.selection.selection:
return
newSelection = SelectionTags.MultiSelectionGroup(self,
self.inspector, self)
newSelection.assign(self.selection)
self.selection.destroy()
self.selection = None
self.multiSelection = [newSelection]
# Check that this is not a de-selection
# don't deselect if there's only one
if len(self.multiSelection) > 1:
for selIdx in range(len(self.multiSelection)):
if self.multiSelection[selIdx].selection == ctrl:
self.multiSelection[selIdx].destroy()
del self.multiSelection[selIdx]
# Change to single selection if 2nd last one
# deselected
if len(self.multiSelection) == 1:
self.selection = SelectionTags.SingleSelectionGroup(self,
self.inspector, self)
self.selection.assign(self.multiSelection[0])
self.selection.selectCtrl(self.multiSelection[0].selection,
self.multiSelection[0].selCompn)
self.clearMultiSelection()
return
newSelection = SelectionTags.MultiSelectionGroup(self,
self.inspector, self)
newSelection.selectCtrl(selCtrl, selCompn)
self.multiSelection.append(newSelection)
# Single selection
else:
# Deselect multiple selection or start multiple drag
if self.multiSelection:
for sel in self.multiSelection:
if selCtrl == sel.selection:
sel.moveCapture(selCtrl, selCompn, selPos)
self.mainMultiDrag = selCtrl
others = self.multiSelection[:]
others.remove(sel)
for capSel in others:
capSel.moveCapture(capSel.selection, capSel.selCompn, selPos)
return
self.clearMultiSelection()
self.assureSingleSelection()
self.selection.selectCtrl(selCtrl, selCompn)
self.selection.moveCapture(selCtrl, selCompn, selPos)
return
finally:
self.vetoResize = false
def OnFramePos(self, event):
""" Called when frame is repositioned """
# self.assureSingleSelection()
# self.selection.selectCtrl(self, self.companion)
if self.selection and self.selection.selection == self:
self.inspector.constructorUpdate('Position')
self.inspector.propertyUpdate('Position')
event.Skip()
def OnCloseWindow(self, event):
""" When the Designer closes, the code generation process is started.
General Inspector and Designer clean-up """
if not self.saveOnClose and self.confirmCancel and wxMessageBox(
'Cancel Designer session?', 'Cancel',
wxYES_NO | wxICON_WARNING, parent=None) == wxNO:
self.saveOnClose = true
self.confirmCancel = false
return
if self.IsIconized():
self.Iconize(false)
# XXX Should handle errors more gracefully here
self.destroying = true
self.vetoResize = true
try:
if self.selection:
self.selection.destroy()
self.selection = None
if self.multiSelection:
for sel in self.multiSelection:
sel.destroy()
self.multiSelection = None
self.inspector.cleanup()
self.inspector.containment.cleanup()
# generate source
self.refreshModel()
except:
self.destroying = false
self.vetoResize = false
raise
self.menu.Destroy()
self.cleanup()
self.Show(false)
self.Destroy()
del self.model.views['Designer']
del self.companion
self.destroy()
event.Skip()
def OnRightDown(self, event):
""" Store popup position of the menu relative to the control that
triggered the event """
ctrl = event.GetEventObject()
screenPos = ctrl.ClientToScreen(wxPoint(event.GetX(), event.GetY()))
parentPos = self.ScreenToClient(screenPos)
self.popx = parentPos.x
self.popy = parentPos.y
def OnEditor(self, event):
""" Bring Editor to the front """
self.model.editor.restore()
self.model.editor.modules[self.model.filename].focus()
def OnInspector(self, event):
""" Bring Inspector to the front """
self.inspector.restore()
if self.inspector.pages.GetSelection() > 3:
self.inspector.pages.SetSelection(0)
def OnControlDelete(self, event):
""" Delete the currently selected controls """
if self.deletingCtrl: return
self.deletingCtrl = true
try:
ctrls = []
if self.selection:
if self.selection.isProxySelection():
wxLogError('Nothing to delete')
return
ctrls = [self.selection.name]
elif self.multiSelection:
ctrls = map(lambda sel: sel.name, self.multiSelection)
#map(self.deleteCtrl, ctrls)
for ctrlName in ctrls:
self.deleteCtrl(ctrlName)
finally:
self.deletingCtrl = false
def OnCtrlHelp(self, event):
""" Show help for the selected control """
if self.inspector.selCmp:
Help.showCtrlHelp(self.inspector.selCmp.GetClass())
def OnAlignSelected(self, event=None):
""" Show alignment dialog for multi selections"""
if self.multiSelection:
dlg = CtrlAlign.ControlAlignmentFrame(self, self.multiSelection)
try: dlg.ShowModal()
finally: dlg.Destroy()
def OnSizeSelected(self, event=None):
""" Show size dialog for multi selections"""
if self.multiSelection:
dlg = CtrlSize.ControlSizeFrame(self, self.multiSelection)
try: dlg.ShowModal()
finally: dlg.Destroy()
def OnSelectParent(self, event=None):
""" Select parent of the selected control """
if self.selection:
self.selectParent(self.selection.selection)
elif self.multiSelection:
self.selectParent(self.multiSelection[0].selection)
#---Clipboard operations--------------------------------------------------------
def OnCutSelected(self, event):
""" Cut current selection to the clipboard """
if self.selection:
if self.selection.isProxySelection():
wxLogError('Nothing to cut')
return
else:
ctrls = [self.selection.name]
#self.selectParent(self.selection.selection)
elif self.multiSelection:
ctrls = map(lambda sel: sel.name, self.multiSelection)
output = []
self.cutCtrls(ctrls, [], output)
Utils.writeTextToClipboard(os.linesep.join(output))
self.refreshContainment()
def OnCopySelected(self, event):
""" Copy current selection to the clipboard """
if self.selection:
if self.selection.isProxySelection():
wxLogError('Nothing to copy')
return
else:
ctrls = [self.selection.name]
elif self.multiSelection:
ctrls = map(lambda sel: sel.name, self.multiSelection)
output = []
self.copyCtrls(ctrls, [], output)
Utils.writeTextToClipboard(os.linesep.join(output))
def OnPasteSelected(self, event):
""" Paste current clipboard contents into the current selection """
if self.selection:
# If the selection is not a container, select it's parent (a container)
if not self.selection.selCompn.container:
self.selectParent(self.selection.selection)
pasted = self.pasteCtrls(self.selection.name,
str(Utils.readTextFromClipboard()).split(os.linesep))
if len(pasted):
self.refreshContainment()
pasted = self.collapseNamesToContainers(pasted)
# Single control pasted, select it
if len(pasted) == 1:
if self.selection.isProxySelection():
self.selection.selection.linkToNewestControl()
self.objects[pasted[0]][1].Reparent(self.selection.selection)
self.selection.selectCtrl(self.objects[pasted[0]][1],
self.objects[pasted[0]][0])
# Multiple controls pasted, select them
else:
if self.selection.isProxySelection():
# Undo the pasting
for ctrlName in pasted:
self.deleteCtrl(ctrlName)
self.selection.selectNone()
self.inspector.cleanup()
wxLogError('Only 1 control can be pasted into this container')
else:
self.selection.destroy()
self.selection = None
self.multiSelection = []
for ctrlName in pasted:
selCompn, selCtrl, prnt = self.objects[ctrlName]
newSelection = SelectionTags.MultiSelectionGroup(self,
self.inspector, self)
newSelection.selectCtrl(selCtrl, selCompn)
self.multiSelection.append(newSelection)
def OnRecreateSelected(self, event):
""" Recreate the current selection by cutting and pasting it.
The clipboard is not disturbed.
This is useful for applying changes to constructor parameters """
if self.selection and self.selection.selection != self:
output = []
ctrlName = self.selection.name
# XXX Boa should be able to tell me this
parent = self.selection.selection.GetParent()
parentName, dummy = self.getParentNames(parent)
self.cutCtrls([ctrlName], [], output)
self.pasteCtrls(parentName, output)
self.refreshContainment()
self.inspector.containment.selectName(ctrlName)
#---Moving/Sizing selections with the keyboard----------------------------------
def getSelAsList(self):
if self.selection:
return [self.selection]
elif self.multiSelection:
return self.multiSelection
else:
return []
def moveUpdate(self, sel):
sel.setSelection(true)
sel.resizeCtrl()
def OnMoveLeft(self, event):
for sel in self.getSelAsList():
if sel.selection != self:
sel.position.x = sel.position.x - 1
sel.startPos.x = sel.startPos.x - 1
self.moveUpdate(sel)
def OnMoveRight(self, event):
for sel in self.getSelAsList():
if sel.selection != self:
sel.position.x = sel.position.x + 1
sel.startPos.x = sel.startPos.x + 1
self.moveUpdate(sel)
def OnMoveUp(self, event):
for sel in self.getSelAsList():
if sel.selection != self:
sel.position.y = sel.position.y - 1
sel.startPos.y = sel.startPos.y - 1
self.moveUpdate(sel)
def OnMoveDown(self, event):
for sel in self.getSelAsList():
if sel.selection != self:
sel.position.y = sel.position.y + 1
sel.startPos.y = sel.startPos.y + 1
self.moveUpdate(sel)
def sizeUpdate(self, sel):
sel.resizeCtrl()
sel.setSelection(true)
def OnWidthInc(self, event):
sel = self.selection
if sel and sel.selection != self:
sel.size.x = sel.size.x + 1
self.sizeUpdate(sel)
def OnWidthDec(self, event):
sel = self.selection
if sel and sel.selection != self and sel.size.x > 0:
sel.size.x = sel.size.x - 1
self.sizeUpdate(sel)
def OnHeightInc(self, event):
sel = self.selection
if sel and sel.selection != self:
sel.size.y = sel.size.y + 1
self.sizeUpdate(sel)
def OnHeightDec(self, event):
sel = self.selection
if sel and sel.selection != self and sel.size.y > 0:
sel.size.y = sel.size.y - 1
self.sizeUpdate(sel)
#---Cursor selection------------------------------------------------------------
def selectInDimentionDirection(self, selctrl, dim, dir):
def compSides(selctrl, ctrl, dim, dir):
selpos, selsize = selctrl.GetPosition(), selctrl.GetSize()
pos, size = ctrl.GetPosition(), ctrl.GetSize()
selMidPoint = wxPoint(selpos.x + selsize.x/2, selpos.y + selsize.y/2)
ctrlMidPoint = wxPoint(pos.x + size.x/2, pos.y + size.y/2)
if (dim, dir) == ('x', 1):
return (wxPoint(selpos.x + selsize.x, selpos.y), selMidPoint,
wxPoint(selpos.x + selsize.x, selpos.y + selsize.y),
wxPoint(pos.x, pos.y), ctrlMidPoint,
wxPoint(pos.x, pos.y + size.y) )
if (dim, dir) == ('x', -1):
return (wxPoint(selpos.x, selpos.y), selMidPoint,
wxPoint(selpos.x, selpos.y + selsize.y),
wxPoint(pos.x + size.x, pos.y), ctrlMidPoint,
wxPoint(pos.x + size.x, pos.y + size.y) )
if (dim, dir) == ('y', 1):
return (wxPoint(selpos.x, selpos.y + selsize.y), selMidPoint,
wxPoint(selpos.x + selsize.x, selpos.y + selsize.y),
wxPoint(pos.x, pos.y), ctrlMidPoint,
wxPoint(pos.x + size.x, pos.y) )
if (dim, dir) == ('y', -1):
return (wxPoint(selpos.x, selpos.y), selMidPoint,
wxPoint(selpos.x + selsize.x, selpos.y),
wxPoint(pos.x, pos.y + size.y), ctrlMidPoint,
wxPoint(pos.x + size.x, pos.y + size.y) )
dims = ['x', 'y']
otherdim = dims[not dims.index(dim)]
parentName, dummy = self.getParentNames(selctrl.GetParent())
selName = selctrl.GetName()
distLo = -1
nearestCtrl = None
for objName in self.objects.keys():
ctrl, parent = self.objects[objName][1:3]
if parent == parentName and objName != selName:
pos1p, pos0p, pos2p, cpos1p, cpos0p, cpos2p = compSides(selctrl, ctrl, dim, dir)
pos, otherpos1, otherpos2 = getattr(pos1p, dim), \
getattr(pos1p, otherdim), getattr(pos2p, otherdim)
pos0, otherpos0 = getattr(pos0p, dim), getattr(pos0p, otherdim)
cpos, cotherpos1, cotherpos2 = getattr(cpos1p, dim), \
getattr(cpos1p, otherdim), getattr(cpos2p, otherdim)
cpos0, cotherpos0 = getattr(cpos0p, dim), getattr(cpos0p, otherdim)
dpos, dotherpos1, dotherpos2 = cpos - pos, \
cotherpos1 - otherpos1, cotherpos2 - otherpos2
dpos0, dotherpos0 = cpos0 - pos0, cotherpos0 - otherpos0
if (abs(dpos) >= min(abs(dotherpos1), abs(dotherpos2)) and \
(not dpos or dpos/abs(dpos) == dir)) or \
(abs(dpos0) >= abs(dotherpos0) and \
(not dpos0 or dpos0/abs(dpos0) == dir)):
dist = min(math.sqrt(dpos*dpos+dotherpos1*dotherpos1),
math.sqrt(dpos0*dpos0+dotherpos0*dotherpos0),
math.sqrt(dpos*dpos+dotherpos2*dotherpos2))
if distLo == -1 or dist < distLo:
distLo = dist
nearestCtrl = ctrl
if nearestCtrl:
self.inspector.containment.selectName(nearestCtrl.GetName())
def OnSelectLeft(self, event):
sel = self.selection
if sel and sel.selection != self:
self.selectInDimentionDirection(sel.selection, 'x', -1)
def OnSelectRight(self, event):
sel = self.selection
if sel and sel.selection != self:
self.selectInDimentionDirection(sel.selection, 'x', 1)
def OnSelectUp(self, event):
sel = self.selection
if sel and sel.selection != self:
self.selectInDimentionDirection(sel.selection, 'y', -1)
def OnSelectDown(self, event):
sel = self.selection
if sel and sel.selection != self:
self.selectInDimentionDirection(sel.selection, 'y', 1)
#-------------------------------------------------------------------------------
def OnSnapToGrid(self, event):
for sel in self.getSelAsList():
if sel.selection != self:
sel.position.x = SelectionTags.granularise(sel.position.x)
sel.position.y = SelectionTags.granularise(sel.position.y)
sel.startPos.x = sel.position.x
sel.startPos.y = sel.position.y
self.moveUpdate(sel)
def relayoutCtrl(self, ctrl):
self.forceResize = true # cleared by the event
sizer = ctrl.GetSizer()
if sizer:
sizer.Layout()
wxPostEvent(ctrl, wxSizeEvent(ctrl.GetSize(), ctrl.GetId()))
wxCallAfter(ctrl.Refresh)
def OnRelayoutSelection(self, event):
# for ctrl in [sel.selection for sel in self.getSelAsList()]:
for sel in self.getSelAsList():
self.relayoutCtrl(sel.selection)
def OnRelayoutDesigner(self, event):
self.relayoutCtrl(self)
def OnFitSizer(self, event):
for sel in self.getSelAsList():
sizer = sel.selection.GetSizer()
if sizer:
sizer.Fit(sel.selection)
def OnCreationOrder(self, event):
sel = self.selection
if sel:
selName = sel.selection.GetName()
if selName == self.GetName():
selName = ''
self.showCreationOrderDlg(selName)
#---Inspector session-----------------------------------------------------------
def doPost(self, inspector):
self.saveOnClose = true
self.Close()
def doCancel(self, inspector):
self.saveOnClose = false
self.confirmCancel = true
self.Close()
class DesignerNamespace:
def __init__(self, designer):
self._designer = designer
def __getattr__(self, name):
designer = self.__dict__['_designer']
if designer.objects.has_key(name):
return designer.objects[name][1]
elif designer.dataView.objects.has_key(name):
return designer.dataView.objects[name][1]
elif designer.sizersView and \
designer.sizersView.objects.has_key(name):
return designer.sizerView.objects[name][1]
else:
raise AttributeError, name
class DesignerControlsEvtHandler(wxEvtHandler):
def __init__(self, designer):
wxEvtHandler.__init__(self)
self.designer = designer
self.drawGridMethods = {'lines' : self.drawGrid_intersectingLines,
'dots' : self.drawGrid_dots,
'bitmap': self.drawGrid_bitmap,
'grid' : self.drawGrid_grid}
self._points = (0, 0), []
def connectEvts(self, ctrl, connectChildren=false):
ctrls = [ctrl]
if connectChildren:
ctrls.extend(ctrl.GetChildren())
for ctrl in ctrls:
EVT_MOTION(ctrl, self.OnMouseOver)
EVT_LEFT_DOWN(ctrl, self.OnControlSelect)
EVT_LEFT_UP(ctrl, self.OnControlRelease)
EVT_LEFT_DCLICK(ctrl, self.OnControlDClick)
EVT_SIZE(ctrl, self.OnControlResize)
EVT_MOVE(ctrl, self.OnControlMove)
# XXX Hack testing grid paint, should be flag esPaintGrid for companions
if Preferences.drawDesignerGrid:
if Preferences.drawDesignerGridForSubWindows and \
ctrl.__class__ in (wxPanel, wxScrolledWindow) or \
ctrl.__class__ == DesignerView:
EVT_PAINT(ctrl, self.OnPaint)
def OnMouseOver(self, event):
if event.Dragging():
dsgn = self.designer
pos = event.GetPosition()
ctrl = event.GetEventObject()
if dsgn.selection:
dsgn.selection.moving(ctrl, pos)
elif dsgn.multiSelection:
for sel in dsgn.multiSelection:
sel.moving(ctrl, pos, dsgn.mainMultiDrag)
event.Skip()
def getCtrlAndPosFromEvt(self, event):
pos = event.GetPosition()
ctrl = event.GetEventObject()
# XXX only here for when testing
if not ctrl:
ctrl = self.designer
else:
if hasattr(ctrl, '_composite_child'):
pos = ctrl.ClientToScreen(pos)
ctrl = ctrl.GetParent()
pos = ctrl.ScreenToClient(pos)
return ctrl, pos
def OnControlSelect(self, event):
""" Control is clicked. Either select it or add control from palette """
dsgn = self.designer
ctrl, pos = self.getCtrlAndPosFromEvt(event)
## ctrl = event.GetEventObject()
## # XXX only here for when testing
## if not ctrl:
## ctrl = dsgn
## else:
## if hasattr(ctrl, '_composite_child'):
## pos = ctrl.ClientToScreen(pos)
## ctrl = ctrl.GetParent()
## pos = ctrl.ScreenToClient(pos)
##
if dsgn.selectControlByPos(ctrl, pos, event.ShiftDown()):
event.Skip()
def OnControlRelease(self, event):
""" A select or drag operation is ended """
dsgn = self.designer
if dsgn.selection:
dsgn.selection.moveRelease()
elif dsgn.multiSelection:
for sel in dsgn.multiSelection:
sel.moveRelease()
dsgn.mainMultiDrag = None
event.Skip()
def OnControlResize(self, event):
""" Control is resized, emulate native wxWidgets layout behaviour """
dsgn = self.designer
try:
if dsgn.vetoResize:
return
if event.GetId() == dsgn.GetId():
if event.GetSize().asTuple() == dsgn.lastSize and not dsgn.forceResize:
return
dsgn.lastSize = event.GetSize().asTuple()
if dsgn.selection:
dsgn.selection.selectCtrl(dsgn, dsgn.companion)
elif dsgn.multiSelection:
dsgn.clearMultiSelection()
dsgn.assureSingleSelection()
dsgn.selection.selectCtrl(dsgn, dsgn.companion)
return
# Compensate for autolayout=false and 1 ctrl on frame behaviour
# Needed because incl selection tags there are actually 5 ctrls
if not dsgn.GetAutoLayout() and not dsgn.companion.dialogLayout:
# Count children
c = 0
ctrl = None
for ctrlLst in dsgn.objects.values():
if len(ctrlLst) > 2 and ctrlLst[2] == '' and \
(ctrlLst[1].__class__ not in dsgn.ignoreWindows):
c = c + 1
ctrl = ctrlLst[1]
if c == 1:
s = dsgn.GetClientSize()
ctrl.SetDimensions(0, 0, s.x, s.y)
if dsgn.selection:
s, p = dsgn.selection.size, dsgn.selection.position
dsgn.selection.sizeFromCtrl()
dsgn.selection.setSelection()
if (s, p) != (dsgn.selection.size, dsgn.selection.position):
dsgn.selection.sizeUpdate()
dsgn.selection.positionUpdate()
finally:
dsgn.forceResize = false
event.Skip()
def OnControlDClick(self, event):
dsgn = self.designer
if dsgn.selection:
#ctrl = event.GetEventObject()
ctrl, pos = self.getCtrlAndPosFromEvt(event)
dsgn.selectControlByPos(ctrl, pos, event.ShiftDown())
if ctrl == dsgn:
companion = dsgn.companion
ctrlName = ''
else:
ctrlName = ctrl.GetName()
companion = dsgn.objects[ctrlName][0]
selCtrl, selCompn, selPos = \
dsgn.checkChildCtrlClick(ctrlName, ctrl, companion,
event.GetPosition())
selCompn.defaultAction()
dsgn.selection.moveRelease()
def OnControlMove(self, event):
ctrl = event.GetEventObject()
# Prevent infinite event loop by not sending siz events to statusbar
# Only applies to sizered statusbars
if ctrl and not isinstance(ctrl, wxStatusBar):
parent = ctrl.GetParent()
if parent:
wxPostEvent(parent, wxSizeEvent( parent.GetSize() ))
event.Skip()
#---Grid drawing----------------------------------------------------------------
def _drawLines(self, dc, col, loglFunc, sze, sg):
""" Draw horizontal and vertical lines
"""
pen1 = wxPen(col)
dc.SetPen(pen1)
dc.SetLogicalFunction(loglFunc)
lines = []
for y in range(sze.y / sg + 1):
lines.append( (0, y * sg, sze.x, y * sg) )
for x in range(sze.x / sg + 1):
lines.append( (x * sg, 0, x * sg, sze.y) )
dc.DrawLineList(lines)
def drawGrid_intersectingLines(self, dc, sze, sg):
""" Cute hack to draw dots by intersecting lines
"""
bgCol = dc.GetBackground().GetColour()
xorBgCol = wxColour(255^bgCol.Red(), 255^bgCol.Green(), 255^bgCol.Blue())
self._drawLines(dc, xorBgCol, wxCOPY, sze, sg)
self._drawLines(dc, wxWHITE, wxXOR, sze, sg)
darken = 15
def drawGrid_grid(self, dc, sze, sg):
""" The default method, drawing horizontal and vertical grid lines.
"""
bgCol = dc.GetBackground().GetColour()
darkerBgCol = wxColour(max(bgCol.Red() -self.darken, 0),
max(bgCol.Green() -self.darken, 0),
max(bgCol.Blue() -self.darken, 0))
self._drawLines(dc, darkerBgCol, wxCOPY, sze, sg)
def drawGrid_dots(self, dc, sze, sg):
""" The slowest method, drawing each dot of the grid individually
"""
pen1 = wxPen(wxBLACK)
dc.SetPen(pen1)
(szex, szey), points = self._points
if (szex, szey) != (sze.x, sze.y):
points = []
for y in range(sze.y / sg + 1):
for x in range(sze.x / sg + 1):
points.append( (x * sg, y * sg) )
self._points = (szex, szey), points
dc.DrawPointList(points)
def drawGrid_bitmap(self, dc, sze, sg):
""" This should be the most efficient method, when the granularity is
changed, a new (possibly +-32x32) bitmap should be created with
transparent background and black grid points. This can then be
blitted over background
"""
pass
def updateDCProps(self, dc, sizer, validCol):
if sizer.__class__.__name__ == 'BlankSizer':
pen = wxPen(wxRED)
brush = wxBrush(wxRED, wxFDIAGONAL_HATCH)
else:
pen = wxPen(validCol, 3, wxSOLID)
brush = wxTRANSPARENT_BRUSH
dc.SetPen(pen)
dc.SetBrush(brush)
def drawSizerInfo(self, dc, sizer):
self.updateDCProps(dc, sizer, Preferences.dsHasSizerCol)
sp = sizer.GetPosition()
ss = sizer.GetSize()
dc.DrawRectangle(sp.x, sp.y, ss.width, ss.height)
c = sizer.GetChildren()
for sc in c:
if sc.IsSizer():
self.drawSizerInfo(dc, sc.GetSizer())
else:
self.updateDCProps(dc, sizer, Preferences.dsInSizerCol)
sp = sc.GetPosition()
ss = sc.GetSize()
dc.DrawRectangle(sp.x, sp.y, ss.width, ss.height)
def OnPaint(self, event):
# XXX Paint event fired after destruction, should remove EVT ?
ctrl = event.GetEventObject()
if ctrl:
dc = wxPaintDC(ctrl)
# sze = ctrl.GetClientSize()
sze = ctrl.GetSize()
sg = Preferences.dsGridSize
drawGrid = self.drawGridMethods[Preferences.drawGridMethod]
dc.BeginDrawing()
try:
drawGrid(dc, sze, sg)
sizer = ctrl.GetSizer()
if sizer:
self.drawSizerInfo(dc, sizer)
finally:
dc.EndDrawing()
event.Skip()
|