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
|
#-----------------------------------------------------------------------------
# Name: ZopeExplorer.py
# Purpose:
#
# Author: Riaan Booysen & Robert Boulanger
#
# Created: 2001/02/04
# RCS-ID: $Id: ZopeExplorer.py,v 1.15 2005/05/18 12:50:19 riaan Exp $
# Copyright: (c) 2001 - 2005
# Licence: GPL
#-----------------------------------------------------------------------------
print 'importing ZopeLib.ZopeExplorer'
import os, urllib, urlparse, time, socket
from thread import start_new_thread
import wx
from Explorers import ExplorerNodes
from Models import EditorHelper, Controllers
from ExternalLib import xmlrpclib, BasicAuthTransport
from Preferences import IS
import Utils, Preferences
import Views, Views.SourceViews, Views.PySourceView
import PaletteStore
import ZopeEditorModels, ZopeViews, Client, ExtMethDlg
from ZopeCompanions import ZopeConnection, ZopeCompanion, FolderZC
# XXX Add owner property
# XXX root attribute is no longer really necessary
# XXX Improve '/' management ;)
class ZopeEClip(ExplorerNodes.ExplorerClipboard):
def __init__(self, globClip, props):
ExplorerNodes.ExplorerClipboard.__init__(self, globClip)
self.clipRef = ''
self.props = props
self.zc = ZopeConnection()
self.zc.connect(props['host'], props['httpport'],
props['username'], props['passwd'])
def callAndSetRef(self, objpath, method, nodes):
names = [n.name for n in nodes]
mime, res = self.zc.call(objpath, method, ids = names)
self.clipRef = mime.get('Set-Cookie').split('"')[1]
def clipCut(self, node, nodes):
ExplorerNodes.ExplorerClipboard.clipCut(self, node, nodes)
self.callAndSetRef(node.resourcepath, 'manage_cutObjects', nodes)
def clipCopy(self, node, nodes):
ExplorerNodes.ExplorerClipboard.clipCopy(self, node, nodes)
self.callAndSetRef(node.resourcepath, 'manage_copyObjects', nodes)
# def clipPaste(self, node):
# ExplorerNodes.ExplorerClipboard.clipPaste(self, node)
def clipPaste_ZopeEClip(self, node, nodes, mode):
mime, res = self.zc.call(node.resourcepath,
'manage_pasteObjects', cb_copy_data = self.clipRef)
def clipPaste_FileSysExpClipboard(self, node, nodes, mode):
for file in nodes:
if file.isDir():
node.newFolder(file.name)
folderNode = node.createChildNode('Folder', file.name)
self.clipPaste_FileSysExpClipboard(folderNode,
file.openList(), mode)
else:
node.uploadFromFS(file)
class ZopeCatNode(ExplorerNodes.CategoryNode):
protocol = 'config.zope'
itemProtocol = 'zope'
defName = 'Zope'
defaultStruct = {'host': 'localhost',
'httpport': 8080,
'localpath': '',
'passwd': '',
'path': '/',
'username': '',
'servicename': '',
'startuptimeout': 30}
def __init__(self, globClip, config, parent, bookmarks):
ExplorerNodes.CategoryNode.__init__(self, 'Zope', ('explorer', 'zope'),
None, config, None)
self.globClip = globClip
self.bookmarks = bookmarks
def createChildNode(self, name, props):
# Zope clipboards should be global but unique on site / user
clipboard = ZopeEClip(self.globClip, props)
zin = ZopeItemNode('', props['path'], clipboard,
EditorHelper.imgZopeConnection, self, None, None, props, 'Folder')
zin.category = name
zin.treename = name
zin.bookmarks = self.bookmarks
return zin
def createCatCompanion(self, catNode):
comp = ExplorerNodes.CategoryDictCompanion(catNode.treename, self)
return comp
class ZopeItemNode(ExplorerNodes.ExplorerNode):
protocol = 'zope'
Model = ZopeEditorModels.ZopeBlankEditorModel
defaultViews = ()
additionalViews = (ZopeViews.ZopeSecurityView,
ZopeViews.ZopeUndoView)
itemsSubPath = ''
connection = False
def __init__(self, name, resourcepath, clipboard, imgIdx, parent, xmlrpcsvr,
root, properties, metatype):
ExplorerNodes.ExplorerNode.__init__(self, name, resourcepath, clipboard,
imgIdx, None, properties)
self.metatype = metatype
self.image = imgIdx
self.root = None
self.cache = {}
self.server = xmlrpcsvr
self.entries = None
self.entryIds = None
self.typ = None
def getURI(self):
return '%s://%s/<%s>%s'%(self.protocol, self.category, self.metatype, self.getTitle())
def buildUrl(self):
path = urllib.quote(self.resourcepath)
if path:
if path == '/':
path = '//'
if path[0] != '/':
path = '/'+path
else:
path = '//'
return '%(host)s:%(httpport)d' % self.properties + path
def destroy(self):
self.cache = {}
self.root = None
self.parent = None
def canAdd(self, paletteName):
return paletteName == 'Zope'
def createChildNode(self, metatype, id, respath=None):
if respath is None:
respath = self.resourcepath
if respath == '/':
tmppath = respath + self.itemsSubPath + id
else:
tmppath = respath + self.itemsSubPath + '/' + id
itm = self.checkentry(id, metatype, tmppath)
if itm.imgIdx == -1:
itm.imgIdx = ZopeEditorModels.ZOAIcons.get(metatype,
ZopeEditorModels.ZOAIcons['unknown'])
itm.category = self.category
itm.bookmarks = self.bookmarks
return itm
def checkentry(self, name, metatype, path):
ZopeNodeClass = zopeClassMap.get(metatype, ZopeItemNode)
return ZopeNodeClass(*(name, path, self.clipboard, -1, self,
self.server, self.root, self.properties, metatype))
def whole_name(self):
return self.resourcepath
def getResource(self, url=''):
if not url:
url = self.buildUrl()
return getServer(url, self.properties['username'],
self.properties['passwd'])
def getParentResource(self):
path, name = os.path.split(self.name)
return self.getResource(os.path.dirname(self.buildUrl())), name
def openList(self, root = None):
url = self.buildUrl()+self.itemsSubPath
if url[-1] == '/':
url = url[:-1]
self.server = self.getResource(url)
try:
self.entries, self.entryIds = self.server.zoa.items()
except xmlrpclib.Fault, error:
#print str(error)
# see if zoa object is installed
try:
Client.call('http://%s/zoa'%self.buildUrl(),
self.properties['username'], self.properties['passwd'],
function='version')
except Client.NotFound:
if wx.MessageBox(
'The zoa object not found in the root of your Zope tree.\n\n'
'Do you want to install it?', 'Install zoa',
wx.YES_NO | wx.ICON_QUESTION) == wx.YES:
import ZoaClient
conninfo = ('http://%s'%self.buildUrl(),
self.properties['username'], self.properties['passwd'])
ZoaClient.installFromFS(conninfo,
os.path.join(Preferences.pyPath, 'ZopeLib', 'zoa', ))
# try again, if this fails the real error should break thru
self.entries, self.entryIds = self.server.zoa.items()
else:
err = error.faultString
raise zopeHtmlErr2Strs(err)
self.cache = {}
result = []
if self.entryIds:
for i in range(len(self.entries)):
z = self.createChildNode(self.entries[i], self.entryIds[i] )
if z:
result.append(z)
self.cache[self.entryIds[i]] = z
return result
def isFolderish(self):
return True
def getTitle(self):
return self.resourcepath
def open(self, editor):
return editor.openOrGotoZopeDocument(self)
def deleteItems(self, names):
mime, res = self.clipboard.zc.call(self.resourcepath,
'manage_delObjects', ids = names)
def renameItem(self, name, newName):
mime, res = self.clipboard.zc.call(self.resourcepath,
'manage_renameObject', id = name, new_id = newName)
def exportObj(self):
mime, res = self.clipboard.zc.call(os.path.dirname(self.resourcepath),
'manage_exportObject', download = 1, id = self.name)
return res
def uploadObj(self, content):
mime, res = self.clipboard.zc.call(self.resourcepath,
'manage_upload', file = content)
return res
def listImportFiles(self):
if self.properties.has_key('localpath') and self.properties['localpath']:
from Explorers import Explorer
return Explorer.listdirEx(self.properties['localpath']+'/import', '.zexp')
else:
return []
def importObj(self, name):
try:
mime, res = self.clipboard.zc.call(self.resourcepath, 'manage_importObject', file = name)
except Exception, message:
wx.MessageBox(`message.args`, 'Error on import')
#raise
def newItem(self, name, Compn, getNewValidName = True):
props = self.properties
if getNewValidName:
name = Utils.getValidName(self.cache.keys(), name)
cmp = Compn(name, self.resourcepath, props.get('localpath', ''))
cmp.connect(props['host'], props['httpport'],
props['username'], props['passwd'])
cmp.create()
return cmp.name
def getUndoableTransactions(self):
from ZopeLib.DateTime import DateTime
svr, name = self.getParentResource()
return eval(svr.zoa.undo(name), {})
def undoTransaction(self, transactionIds):
self.getResource().manage_undo_transactions(transactionIds)
def getPermissions(self):
return self.getResource().permission_settings()#ZOA('permissions')
def getRoles(self):
return self.getResource().valid_roles()
def load(self, mode='rb'):
return ''#return self.getResource().document_src()
def save(self, filename, data, mode='wb'):
""" Saves contents of data to Zope """
pass#self.getResource().manage_upload(data)
def newFolder(self, name):
self.getResource().manage_addFolder(name)
def newBlankDocument(self, name=''):
try:
self.getResource().manage_addDTMLDocument(name)
except xmlrpclib.ProtocolError, error:
if error.errcode != 302:
raise
def uploadFromFS(self, filenode):
props = self.properties
from ExternalLib.WebDAV.client import Resource
r = Resource(('http://%(host)s:%(httpport)s/'+self.resourcepath+'/'+\
filenode.name) % props, props['username'], props['passwd'])
r.put(filenode.load())
def downloadToFS(self, filename):
open(filename, 'wb').write(self.getResource().manage_FTPget())
def getNodeFromPath(self, respath, metatype):
return self.createChildNode(metatype, os.path.basename(respath),
os.path.dirname(respath))
def findItems(self, obj_ids=(), obj_metatypes=None, obj_searchterm=None,
search_sub=1):
# silly xml-rpc restrictions
if obj_metatypes is None: obj_metatypes=0
if obj_searchterm is None: obj_searchterm=0
if not search_sub: search_sub=''
return self.getResource().zoa.find(obj_ids, obj_metatypes, obj_searchterm)
(wxID_ZOPEEXPORT, wxID_ZOPEIMPORT, wxID_ZOPEINSPECT, wxID_ZOPEOPENINEDITOR,
wxID_ZOPEUPLOAD, wxID_ZOPESECURITY, wxID_ZOPEUNDO, wxID_ZOPEVIEWBROWSER,
wxID_ZCCSTART, wxID_ZCCRESTART, wxID_ZCCSHUTDOWN, wxID_ZCCTEST, wxID_ZCCOPENLOG,
wxID_ZACONFZ2, wxID_ZOPEMANAGEBROWSER, wxID_ZOPEFIND,
wxID_ZCOPENZ2, wxID_ZCBREAKINTO,
) = Utils.wxNewIds(18)
class ZopeCatController(ExplorerNodes.CategoryController):
protocol = 'config.zope'
zopeStatupTimeout = 60 # default when not read from property
zopeRunning = 'The server is available'
err_zopeNotRunning = 'The server is not running'
err_localpathBlank = 'The "localpath" property must be defined'
def __init__(self, editor, list, inspector, controllers, menuDefs = []):
zccMenuDef = [ (-1, '-', None, '-'),
(wxID_ZCCSTART, 'Start', self.OnStart, '-'),
(wxID_ZCCRESTART, 'Restart', self.OnRestart, '-'),
(wxID_ZCCSHUTDOWN, 'Shutdown', self.OnShutdown, '-'),
(wxID_ZCCTEST, 'Test', self.OnTest, '-'),
(-1, '-', None, '-'),
(wxID_ZCCOPENLOG, 'Open Zope log', self.OnOpenZopeLog, '-'),
# (wxID_ZACONFZ2, 'Configure z2.py', self.OnConfigureZ2py, '-'),
(-1, '-', None, '-'),
(wxID_ZCOPENZ2, 'Open z2.py', self.OnOpenZ2, '-'),
(wxID_ZCBREAKINTO, 'Break into', self.OnBreakInto, '-'),
]
ExplorerNodes.CategoryController.__init__(self, editor, list, inspector,
controllers, menuDefs = menuDefs + zccMenuDef)
def checkAvailability(self, props, timeout=10, showDlg=True):
retry = True
dlg = None
while retry:
retry = False
if showDlg and not dlg:
dlg = wx.ProgressDialog('Testing %s'% props['host'],
'Checking availability...', 100, self.editor,
wx.PD_CAN_ABORT | wx.PD_APP_MODAL | wx.PD_AUTO_HIDE)
try:
now = time.time()
res = ''
while not timeout or time.time() < now + timeout:
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
try:
s.connect( (props['host'], props['httpport']) )
except socket.error, err:
if err[0] == 10061:
# not running
res = self.err_zopeNotRunning
if time.time() > now + timeout and \
wx.MessageBox('Keep checking for Zope to become available',
'Retry?', style=wx.YES_NO | wx.ICON_QUESTION) == wx.YES:
retry = True
else:
res = 'Socket error: '+err[1]
else:
res = self.zopeRunning
if not timeout:
break
finally:
if showDlg:
dlg.Destroy()
return res
def getControlPanel(self, props):
return getServer('%(host)s:%(httpport)d/Control_Panel' % props,
props['username'], props['passwd'])
def callControlPanelMethod(self, props, meth):
zc = ZopeConnection()
zc.connect(props['host'], props['httpport'],
props['username'], props['passwd'])
zc.call('/Control_Panel', meth)
def OnStart(self, event):
for node in self.getNodesForSelection(self.list.getMultiSelection()):
props = node.properties
try: zopeStatupTimeout = props['startuptimeout']
except KeyError: zopeStatupTimeout = self.zopeStatupTimeout
if props['servicename']:
os.system('net start "%s"'%props['servicename'])
self.checkAvailability(node.properties, zopeStatupTimeout)
elif props['localpath']:
if props['localpath'].find(' ') != -1:
wx.LogError('Localpath property may not contain spaces (use SHORT~1 version if necessary)')
else:
os.system('start %s\\start.bat'%props['localpath'])
self.checkAvailability(node.properties, zopeStatupTimeout)
else:
wx.LogError('Unable to start '+node.treename)
def OnRestart(self, event):
for node in self.getNodesForSelection(self.list.getMultiSelection()):
props = node.properties
try: zopeStatupTimeout = props['startuptimeout']
except KeyError: zopeStatupTimeout = self.zopeStatupTimeout
try:
self.callControlPanelMethod(node.properties, 'manage_restart')
resp = self.checkAvailability(node.properties, zopeStatupTimeout)
if resp == 'The server is available':
self.editor.setStatus(resp)
else:
self.editor.setStatus(resp, 'Warning')
except Exception, error:
wx.LogError('Restart not supported for '+node.treename+'\n'+str(error))
def OnShutdown(self, event):
for node in self.getNodesForSelection(self.list.getMultiSelection()):
self.callControlPanelMethod(node.properties, 'manage_shutdown')
def OnTest(self, event):
for node in self.getNodesForSelection(self.list.getMultiSelection()):
wx.LogMessage( '%s : %s' % (node.treename,
self.checkAvailability(node.properties, 0)))
def OnOpenZopeLog(self, event):
for node in self.getNodesForSelection(self.list.getMultiSelection()):
props = node.properties
if props['localpath']:
self.editor.openOrGotoModule(os.path.join(props['localpath'],
'var', 'Z2.log'))
else:
wx.LogError(self.err_localpathBlank)
def OnConfigureZ2py(self, event):
# XXX Disabled for now until only useful values are displayed
# XXX Or until someone complains :)
node = self.getNodesForSelection(self.list.getMultiSelection())
if len(node):
node = node[0]
else:
print 'Nothing selected'
props = node.properties
if props['localpath']:
cfgZ2SrcNode = ZopeZ2pySourceBasedPrefColNode('Z2.py',
('*',), props['localpath']+'/z2.py', -1, node)
cfgZ2SrcNode.open(self.editor)
else:
wx.LogError(self.err_localpathBlank)
def OnOpenZ2(self, event):
for node in self.getNodesForSelection(self.list.getMultiSelection()):
localpath = node.properties['localpath']
if localpath:
self.editor.openOrGotoModule(localpath+'/z2.py')
else:
wx.LogError(self.err_localpathBlank)
def breakpointInBackground(self, zc):
zc.call('zoa', 'breakpoint')
def OnBreakInto(self, event):
for node in self.getNodesForSelection(self.list.getMultiSelection()):
props = node.properties
zc = ZopeConnection()
zc.connect(props['host'], props['httpport'],
props['username'], props['passwd'])
start_new_thread(self.breakpointInBackground, (zc,))
# XXX Better field validation and hints as to when path props shound end in / or not !!
class ZopeController(ExplorerNodes.Controller, ExplorerNodes.ClipboardControllerMix):
inspectBmp = 'Images/Shared/Inspector.png'
importBmp = 'Images/Shared/ZopeImport.png'
exportBmp = 'Images/Shared/ZopeExport.png'
uploadBmp = 'Images/ZOA/upload_doc.png'
viewInBrowserBmp = 'Images/ZOA/ViewInBrowser.png'
findBmp = 'Images/Shared/Find.png'
def __init__(self, editor, list, inspector, controllers):
ExplorerNodes.ClipboardControllerMix.__init__(self)
ExplorerNodes.Controller.__init__(self, editor)
self.list = list
self.menu = wx.Menu()
self.inspector = inspector
self.zopeMenuDef = [
(wxID_ZOPEINSPECT, 'Inspect', self.OnInspectItem, self.inspectBmp),
(-1, '-', None, '') ] +\
self.clipMenuDef +\
[ (-1, '-', None, ''),
(wxID_ZOPEFIND, 'Find', self.OnFindZopeItems, self.findBmp),
(-1, '-', None, ''),
(wxID_ZOPEUPLOAD, 'Upload', self.OnUploadZopeItem, self.uploadBmp),
(wxID_ZOPEEXPORT, 'Export', self.OnExportZopeItem, self.exportBmp),
(wxID_ZOPEIMPORT, 'Import', self.OnImportZopeItem, self.importBmp),
(-1, '-', None, '-'),
(wxID_ZOPEOPENINEDITOR, 'Open in Editor', self.OnOpenInEditorZopeItem, '-'),
(wxID_ZOPESECURITY, 'Security', self.OnSecurityZopeItem, '-'),
(wxID_ZOPEUNDO, 'Undo', self.OnUndoZopeItem, '-'),
(-1, '-', None, ''),
(wxID_ZOPEVIEWBROWSER,'View in browser', self.OnViewInBrowser, self.viewInBrowserBmp),
(wxID_ZOPEMANAGEBROWSER,'Manage in browser', self.OnManageInBrowser, '-'),
]
self.setupMenu(self.menu, self.list, self.zopeMenuDef)
self.toolbarMenus = [self.zopeMenuDef]
def destroy(self):
ExplorerNodes.ClipboardControllerMix.destroy(self)
self.zopeMenuDef = ()
self.toolbarMenus = ()
self.menu.Destroy()
def OnExportZopeItem(self, event):
if self.list.node:
idxs = self.list.getMultiSelection()
currPath = '.'
for idx in idxs:
item = self.list.items[idx]
if item:
zexp = item.exportObj()
from FileDlg import wxFileDialog
dlg = wxFileDialog(self.list, 'Save as...', currPath,
item.name+'.zexp', '', wx.SAVE | wx.OVERWRITE_PROMPT)
try:
if dlg.ShowModal() == wx.ID_OK:
zexpFile = dlg.GetFilePath()
open(zexpFile, 'wb').write(zexp)
currPath = os.path.dirname(zexpFile)
finally:
dlg.Destroy()
def OnImportZopeItem(self, event):
fls = self.list.node.listImportFiles()
if fls:
dlg = wx.SingleChoiceDialog(self.list, 'Choose the file to import', 'Import object', fls)
try:
if dlg.ShowModal() == wx.ID_OK:
zexp = dlg.GetStringSelection()
else:
return
finally:
dlg.Destroy()
else:
dlg = wx.TextEntryDialog(self.list, 'Enter file to import', 'Import object', '.zexp')
try:
if dlg.ShowModal() == wx.ID_OK:
zexp = dlg.GetValue()
else:
return
finally:
dlg.Destroy()
self.list.node.importObj(zexp)
self.list.refreshCurrent()
def doInspectZopeItem(self, zopeItem):
props = zopeItem.properties
try:
ZComp = PaletteStore.compInfo[zopeItem.metatype][1]
except KeyError:
ZComp = ZopeCompanion
zc = ZComp(zopeItem.name, zopeItem.resourcepath)
zc.connect(props['host'], props['httpport'],
props['username'], props['passwd'])
zc.updateZopeProps()
self.inspector.selectObject(zc, False, focusPage=1)
def OnInspectItem(self, event):
if self.list.node:
# Create new companion for selection
zopeItem = self.list.getSelection()
if not zopeItem: zopeItem = self.list.node
self.doInspectZopeItem(zopeItem)
def OnUploadZopeItem(self, event):
if self.list.node:
idxs = self.list.getMultiSelection()
currPath = '.'
for idx in idxs:
item = self.list.items[idx]
if item:
from FileDlg import wxFileDialog
dlg = wxFileDialog(self.list, 'Upload '+item.name, currPath,
item.name, '', wx.OPEN)
try:
if dlg.ShowModal() == wx.ID_OK:
try:
# XXX Update to handle all transports
item.uploadObj(open(dlg.GetFilePath(), 'rb'))#.read())
except Client.NotFound:
wx.MessageBox('Object does not support uploading', 'Error on upload')
currPath = dlg.GetDirectory()
finally:
dlg.Destroy()
def OnSecurityZopeItem(self, event):
if self.list.node:
zopeItem = self.list.getSelection()
if zopeItem:
model, cntrlr = self.editor.openOrGotoZopeDocument(zopeItem)
viewName = ZopeViews.ZopeSecurityView.viewName
if not model.views.has_key(viewName):
resultView = self.editor.addNewView(viewName,
ZopeViews.ZopeSecurityView)
else:
resultView = model.views[viewName]
resultView.refresh()
resultView.focus()
def OnUndoZopeItem(self, event):
if self.list.node:
zopeItem = self.list.getSelection()
if zopeItem and ZopeViews.ZopeUndoView in zopeItem.additionalViews:
model, cntrlr = self.editor.openOrGotoZopeDocument(zopeItem)
viewName = ZopeViews.ZopeUndoView.viewName
if not model.views.has_key(viewName):
resultView = self.editor.addNewView(viewName,
ZopeViews.ZopeUndoView)
else:
resultView = model.views[viewName]
resultView.refresh()
resultView.focus()
def openSelItemInBrowser(self, addToUrl='', zopeItem=None):
if self.list.node:
if not zopeItem:
zopeItem = self.list.getSelection()
if not zopeItem:
raise 'No item selected'
try:
import webbrowser
webbrowser.open('http://%s%s'%(zopeItem.buildUrl(), addToUrl))
except ImportError:
raise 'Python 2.0 or higher required'
def OnViewInBrowser(self, event):
self.openSelItemInBrowser()
def OnManageInBrowser(self, event):
self.openSelItemInBrowser('/manage')
def OnOpenInEditorZopeItem(self, event):
if self.list.node:
zopeItem = self.list.getSelection()
if zopeItem:
model, cntrlr = self.editor.openOrGotoZopeDocument(zopeItem)
def OnFindZopeItems(self, event):
node = self.list.node
if node:
from ZopeFindDlg import ZopeFindDlg
dlg = ZopeFindDlg(self.editor)
try:
if dlg.ShowModal() == wx.ID_OK:
res = dlg.objIds.GetValue().split(',') or ()
obj_ids = []
for zid in res:
zid = zid.strip()
if zid:
obj_ids.append(zid)
meta_type = 0
search_text = dlg.searchText.GetValue() or 0
search_sub = dlg.recurse.GetValue()
wx.BeginBusyCursor()
try:
results = node.findItems(obj_ids, meta_type,
search_text, search_sub)
finally:
wx.EndBusyCursor()
bookmarks, category = node.bookmarks, node.category
self.list.node = node = ZopeResultsFolderNode(
'Zope Find Results', node.resourcepath,
node.clipboard, -1, node, node.server, node.root,
node.properties, 'Zope Find Results')
node.bookmarks = bookmarks
node.category = category
node.results = results
#node.lastSearch = dlg.GetValue()
# Collapse possible current contents in tree
tree = self.editor.explorer.tree
item = tree.GetSelection()
tree.CollapseAndReset(item)
self.list.refreshCurrent()
finally:
dlg.Destroy()
def getServer(url, user, password):
return xmlrpclib.Server('http://' + url,
BasicAuthTransport.BasicAuthTransport(user, password) )
class ZopeNode(ZopeItemNode):
def load(self, mode='rb'):
return self.getResource().document_src()
def save(self, filename, data, mode='wb'):
""" Saves contents of data to Zope """
self.getResource().manage_upload(data)
def isFolderish(self):
return False
class ZopeImageNode(ZopeNode):
pass
class DirNode(ZopeItemNode): pass
class UserFolderNode(ZopeItemNode):
def deleteItems(self, names):
print 'User Folder delete: %s'%names
# mime, res = self.clipboard.zc.call(self.resourcepath,
# 'manage_delObjects', ids = names)
class ZopeUserNode(ZopeNode):
def isFolderish(self):
return False
def open(self, editor):
print 'Should inspect'
#editor.openOrGotoZopeDocument(self)
class ControlNode(DirNode):
def checkentry(self, id, entry, path):
if entry == 'Product Management':
childnode = PMNode(id, path, self.clipboard, -1, self,
self.server, self.root, self.properties, entry)
else:
childnode = DirNode.checkentry(self, id, entry, path)
return childnode
class PMNode(ControlNode):
def checkentry(self,id,entry,path):
if entry == 'Product' :
childnode = ProductNode(id, path, self.clipboard, -1, self,
self.server, self.root, self.properties, entry)
else:
childnode = ControlNode.checkentry(self, id, entry, path)
return childnode
class ProductNode(DirNode):
def checkentry(self, id, entry, path):
if entry == 'Z Class' :
childnode = ZClassNode(id, path, self.clipboard, -1, self,
self.server, self.root, self.properties, entry)
else:
childnode = DirNode.checkentry(self, id, entry, path)
return childnode
class ZClassNode(DirNode):
itemsSubPath = '/propertysheets/methods'
## def __init__(self, name, resourcepath, clipboard, imgIdx, parent, xmlrpcsvr, root, properties, metatype):
## resourcepath = resourcepath + '/propertysheets/methods'
## DirNode.__init__(self, name, resourcepath, clipboard, imgIdx, parent,
## xmlrpcsvr, root, properties, metatype)
# Thanks to M. Adam Kendall (akendall) for fixing save
class ZSQLNode(ZopeNode):
Model = ZopeEditorModels.ZopeSQLMethodModel
defaultViews = (ZopeViews.ZopeHTMLSourceView,)
additionalViews = (ZopeViews.ZopeSecurityView, ZopeViews.ZopeUndoView)
def getParams(self, data):
return data.split('<params>')[1].split('</params>')[0]
def getBody(self, data):
return data.split('</params>')[1].lstrip()
def save(self, filename, data, mode='wb'):
""" Saves contents of data to Zope """
props = self.getResource().zoa.props.SQLMethod()
try:
title = props['title']
connection_id = props['connection_id']
arguments = self.getParams(data)
template = self.getBody(data)
self.getResource().manage_edit(title, connection_id, arguments, template)
except xmlrpclib.ProtocolError, error:
# Getting a zero content warning is not an error
if error.errcode != 204:
raise ExplorerNodes.TransportSaveError(error, filename)
except Exception, error:
raise ExplorerNodes.TransportSaveError(error, filename)
class PythonNode(ZopeNode):
Model = ZopeEditorModels.ZopePythonScriptModel
defaultViews = (Views.PySourceView.PythonSourceView,)
additionalViews = (ZopeViews.ZopeSecurityView, Views.EditorViews.ToDoView,
ZopeViews.ZopeUndoView)
def getParams(self, data):
return data[data.find('(')+1 : data.find('):')]
def getBody(self, data):
tmp = data[data.find(':')+2:].split('\n')
tmp2 = []
for l in tmp:
# Handle comments which may be indented less
if l[:4].strip():
l = l.lstrip()
else:
l = l[4:]
tmp2.append(l)
return '\n'.join(tmp2)
def save(self, filename, data, mode='wb'):
self.getResource().manage_edit(self.name, self.getParams(data),
self.getBody(data))
class PythonScriptNode(PythonNode):
additionalViews = (ZopeViews.ZopeSecurityView,
ZopeViews.ZopeUndoView, Views.EditorViews.ToDoView)
def preparedata(self, data):
tmp=data.split('\n')
tmp2=[]
h=1
for l in tmp:
if l[:2] <> '##' :
h=0
if l[:12] == '##parameters':
params = l[l.find('=')+1:]
if h:
pass # perhaps we need this anytime
else:
tmp2.append(' ' + l)
return 'def %s(%s):\n%s' % (self.name, params, '\n'.join(tmp2))
def load(self, mode='rb'):
data = PythonNode.load(self, mode)
return self.preparedata(data)
def save(self, filename, data, mode='wb'):
self.getResource().ZPythonScriptHTML_editAction('fake',
self.name, self.getParams(data), self.getBody(data))
class ExtPythonNode(PythonNode):
Model = ZopeEditorModels.ZopeExternalMethodModel
defaultViews = (Views.PySourceView.PythonSourceView,
Views.EditorViews.ExploreView)
additionalViews = (Views.EditorViews.HierarchyView,
Views.EditorViews.ModuleDocView,
ZopeViews.ZopeSecurityView, Views.EditorViews.ToDoView,
ZopeViews.ZopeUndoView)
def openTransportFromProperties(self):
zopePath = self.properties['localpath']
svr, name = self.getParentResource()
res = svr.zoa.props.ExternalMethod(name)
module = res['module']
emf = ExtMethDlg.ExternalMethodFinder(zopePath)
extPath = emf.getExtPath(module)
from Explorers import Explorer
return Explorer.openEx(extPath)
def load(self, mode='rb'):
return self.openTransportFromProperties().load(mode=mode)
def save(self, filename, data, mode='wb'):
transp = self.openTransportFromProperties()
transp.save(transp.currentFilename(), data, mode)
class DTMLDocNode(ZopeNode):
Model = ZopeEditorModels.ZopeDTMLDocumentModel
defaultViews = (ZopeViews.ZopeHTMLSourceView,)
additionalViews = (ZopeViews.ZopeUndoView,
ZopeViews.ZopeSecurityView, ZopeViews.ZopeHTMLView,)
class DTMLMethodNode(ZopeNode):
Model = ZopeEditorModels.ZopeDTMLMethodModel
defaultViews = (ZopeViews.ZopeHTMLSourceView,)
additionalViews = (ZopeViews.ZopeUndoView,
ZopeViews.ZopeSecurityView, ZopeViews.ZopeHTMLView)
class SiteErrorLogNode(ZopeItemNode):
Model = ZopeEditorModels.ZopeSiteErrorLogModel
defaultViews = (ZopeViews.ZopeSiteErrorLogView,)
additionalViews = (ZopeViews.ZopeUndoView,
ZopeViews.ZopeSecurityView)
def isFolderish(self):
return False
class HelpTopicNode(ZopeItemNode):
Model = ZopeEditorModels.ZopeHelpTopicModel
defaultViews = (ZopeViews.ZopeHTMLView,)
additionalViews = ()
def isFolderish(self):
return False
from Explorers.PrefsExplorer import SourceBasedPrefColNode
class ZopeZ2pySourceBasedPrefColNode(SourceBasedPrefColNode):
pass
class ZopeResultsFolderNode(ZopeItemNode):
results = []
def createChildNode(self, metatype, id, respath, label):
item = ZopeItemNode.createChildNode(self, metatype, id, respath)
item.name = item.treename = label
return item
def openList(self):
self.parentOpensChildren = True
entries = []
for zmeta, zid in self.results:
zpath = os.path.dirname(self.resourcepath+'/'+zid)
name = os.path.basename(zid)
node = self.createChildNode(zmeta, name, zpath, '%s (%s)'%(name, zpath))
if node:# and not node.isFolderish():
entries.append(node)
self.entries = entries
return self.entries
def openParent(self, editor):
editor.explorer.tree.SelectItem(editor.explorer.tree.GetSelection())
return True
def open(self, node, editor):
# recreate with proper name
node = node.getNodeFromPath(node.resourcepath, node.metatype)
return node.open(editor)
def getTitle(self):
return 'Zope Find Results'
def findBetween(strg, startMarker, endMarker):
strL = strg.lower()
found = ''
idx = strL.find(startMarker)
idx2 = -1
if idx != -1:
idx2 = strL.find(endMarker, idx)
if idx2 != -1:
found = strg[idx + len(startMarker)+1: idx2]
return idx, idx2, found
class ZopeError(Exception):
def __init__(self, htmlFaultStr):
self.htmlFault = htmlFaultStr
# find possible traceback
idx, idx2, tracebk = findBetween(htmlFaultStr, '<pre>', '</pre>')
if tracebk:
tracebk = 'Traceback:\n'+tracebk
self.traceback = tracebk
txt = Utils.html2txt(htmlFaultStr)
self.textFault = '%s\n%s\n' % (txt, tracebk)
idx, idx1, self.ErrorType = findBetween(txt, 'Error Type:', '\n')
idx, idx1, self.ErrorValue = findBetween(txt, 'Error Value:', '\n')
def __str__(self):
return self.ErrorType and ('%s:%s' % (self.ErrorType, self.ErrorValue)) or self.textFault
def zopeHtmlErr2Strs(faultStr):
sFaultStr = str(faultStr)
fs = sFaultStr.lower()
idx = fs.find('<pre>')
traceBk = ''
if idx != -1:
idx2 = fs.find('</pre>', idx)
if idx2 != -1:
traceBk = '\nTraceback:\n'+sFaultStr[idx + 5: idx2]
txt = Utils.html2txt(sFaultStr)
return txt+traceBk
def uriSplitZope(filename, filepath):
# zope://[category]/<[meta type]>/[path] format
segs = filepath.split('/')
if len(segs) < 2:
raise ExplorerNodes.TransportCategoryError(
'Category not found', filepath)
category = segs[0]+'|'+segs[1][1:-1]
return 'zope', category, '/'.join(segs[2:]), filename
def uriSplitZopeDebug(filename, filepath):
# zopedebug://[host[:port]]/[path]/[meta type]
# magically maps zopedebug urls to Boa zope uris
segs = filepath.split('/')
if len(segs) < 3:
raise ExplorerNodes.TransportCategoryError(
'Zope debug path invalid', filepath)
host, filepaths, meta = segs[0], segs[1:-1], segs[-1]
try: host, port = host.split(':')
except ValueError: port = 80
else: port = int(port)
# try to find category that can open this url
for cat in ExplorerNodes.all_transports.entries:
if cat.itemProtocol == 'zope':
itms = cat.openList()
for itm in itms:
props = itm.properties
# @@@ Gogo.
if socket.gethostbyname(props['host']) == socket.gethostbyname(host) and \
props['httpport'] == port:
# @@@ original code follows:
# if props['host'].lower() == host.lower() and \
# props['httpport'] == port:
path = '/'.join(filepaths)
name = itm.name or itm.treename
return 'zope', '%s|%s' %(name, meta), path, \
'zope://%s/<%s>/%s'%(name, meta, path)
raise ExplorerNodes.TransportCategoryError(\
'Could not map Zope debug path to defined Zope Category item',
filepath)
def findZopeExplorerNode(catandmeta, respath, transports):
category, metatype = catandmeta.split('|')
for cat in transports.entries:
if hasattr(cat, 'itemProtocol') and cat.itemProtocol == 'zope':
itms = cat.openList()
for itm in itms:
if itm.name == category or itm.treename == category:
return itm.getNodeFromPath('/'+respath, metatype)
raise ExplorerNodes.TransportError(
'Zope transport could not be found: %s || %s'%(category, respath))
#-------------------------------------------------------------------------------
# maps meta types to ExplorerNodes
zopeClassMap = { 'Folder': DirNode,
'Product Help': DirNode,
'Z Class': ZClassNode,
'User Folder': UserFolderNode,
'Control Panel': ControlNode,
'Z SQL Method': ZSQLNode,
'DTML Document': DTMLDocNode,
'DTML Method': DTMLMethodNode,
'Python Method': PythonNode,
'External Method': ExtPythonNode,
'Script (Python)': PythonScriptNode,
'Image': ZopeImageNode,
'File': ZopeNode,
'User': ZopeUserNode,
'Site Error Log': SiteErrorLogNode,
'Help Topic': HelpTopicNode,
}
ExplorerNodes.register(ZopeCatNode, controller=ZopeCatController)
ExplorerNodes.register(ZopeItemNode, clipboard='global',
confdef=('explorer', 'zope'), controller=ZopeController, category=ZopeCatNode)
ExplorerNodes.uriSplitReg[('zope', 2)] = uriSplitZope
ExplorerNodes.uriSplitReg[('zopedebug', 2)] = uriSplitZopeDebug
ExplorerNodes.transportFindReg['zope'] = findZopeExplorerNode
|