Client.py
上传用户:gyjinxi
上传日期:2007-01-04
资源大小:159k
文件大小:21k
源码类别:

WEB邮件程序

开发平台:

Python

  1. #!/bin/sh
  2. """:"
  3. exec python $0 ${1+"$@"}
  4. """
  5. #"
  6. ##############################################################################
  7. # Zope Public License (ZPL) Version 1.0
  8. # -------------------------------------
  9. # Copyright (c) Digital Creations.  All rights reserved.
  10. # This license has been certified as Open Source(tm).
  11. # Redistribution and use in source and binary forms, with or without
  12. # modification, are permitted provided that the following conditions are
  13. # met:
  14. # 1. Redistributions in source code must retain the above copyright
  15. #    notice, this list of conditions, and the following disclaimer.
  16. # 2. Redistributions in binary form must reproduce the above copyright
  17. #    notice, this list of conditions, and the following disclaimer in
  18. #    the documentation and/or other materials provided with the
  19. #    distribution.
  20. # 3. Digital Creations requests that attribution be given to Zope
  21. #    in any manner possible. Zope includes a "Powered by Zope"
  22. #    button that is installed by default. While it is not a license
  23. #    violation to remove this button, it is requested that the
  24. #    attribution remain. A significant investment has been put
  25. #    into Zope, and this effort will continue if the Zope community
  26. #    continues to grow. This is one way to assure that growth.
  27. # 4. All advertising materials and documentation mentioning
  28. #    features derived from or use of this software must display
  29. #    the following acknowledgement:
  30. #      "This product includes software developed by Digital Creations
  31. #      for use in the Z Object Publishing Environment
  32. #      (http://www.zope.org/)."
  33. #    In the event that the product being advertised includes an
  34. #    intact Zope distribution (with copyright and license included)
  35. #    then this clause is waived.
  36. # 5. Names associated with Zope or Digital Creations must not be used to
  37. #    endorse or promote products derived from this software without
  38. #    prior written permission from Digital Creations.
  39. # 6. Modified redistributions of any form whatsoever must retain
  40. #    the following acknowledgment:
  41. #      "This product includes software developed by Digital Creations
  42. #      for use in the Z Object Publishing Environment
  43. #      (http://www.zope.org/)."
  44. #    Intact (re-)distributions of any official Zope release do not
  45. #    require an external acknowledgement.
  46. # 7. Modifications are encouraged but must be packaged separately as
  47. #    patches to official Zope releases.  Distributions that do not
  48. #    clearly separate the patches from the original work must be clearly
  49. #    labeled as unofficial distributions.  Modifications which do not
  50. #    carry the name Zope may be packaged in any form, as long as they
  51. #    conform to all of the clauses above.
  52. # Disclaimer
  53. #   THIS SOFTWARE IS PROVIDED BY DIGITAL CREATIONS ``AS IS'' AND ANY
  54. #   EXPRESSED OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
  55. #   IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
  56. #   PURPOSE ARE DISCLAIMED.  IN NO EVENT SHALL DIGITAL CREATIONS OR ITS
  57. #   CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
  58. #   SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
  59. #   LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF
  60. #   USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
  61. #   ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
  62. #   OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT
  63. #   OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
  64. #   SUCH DAMAGE.
  65. # This software consists of contributions made by Digital Creations and
  66. # many individuals on behalf of Digital Creations.  Specific
  67. # attributions are listed in the accompanying credits file.
  68. ##############################################################################
  69. """Bobo call interface
  70. This module provides tools for accessing web objects as if they were 
  71. functions or objects with methods.  It also provides a simple call function 
  72. that allows one to simply make a single web request.
  73.   Function -- Function-like objects that return both header and body
  74.               data when called.
  75.   Object -- Treat a URL as a web object with methods
  76.   call -- Simple interface to call a remote function.
  77. The module also provides a command-line interface for calling objects.
  78. """
  79. __version__='$Revision: 1.33 $'[11:-2]
  80. import sys, regex, socket, mimetools
  81. from httplib import HTTP
  82. from os import getpid
  83. from time import time
  84. from random import random
  85. from base64 import encodestring
  86. from urllib import urlopen, quote
  87. from types import FileType, ListType, DictType, TupleType
  88. from string import strip, split, atoi, join, rfind, translate, maketrans, replace
  89. from urlparse import urlparse
  90. class Function:
  91.     username=None
  92.     password=None
  93.     method=None
  94.     timeout=60
  95.     def __init__(self,url,
  96.                  arguments=(),method=None,username=None,password=None,
  97.                  timeout=None,
  98.                  **headers):
  99.         while url[-1:]=='/': url=url[:-1]
  100.         self.url=url
  101.         self.headers=headers
  102.         if not headers.has_key('Host') and not headers.has_key('host'):
  103.             headers['Host']=split(urlparse(url)[1],':')[0]
  104.         self.func_name=url[rfind(url,'/')+1:]
  105.         self.__dict__['__name__']=self.func_name
  106.         self.func_defaults=()
  107.         
  108.         self.args=arguments
  109.         if method is not None: self.method=method
  110.         if username is not None: self.username=username
  111.         if password is not None: self.password=password
  112.         if timeout is not None: self.timeout=timeout
  113.         if urlregex.match(url) >= 0:
  114.             host,port,rurl=urlregex.group(1,2,3)
  115.             if port: port=atoi(port[1:])
  116.             else: port=80
  117.             self.host=host
  118.             self.port=port
  119.             rurl=rurl or '/'
  120.             self.rurl=rurl
  121.         else: raise ValueError, url
  122.     def __call__(self,*args,**kw):
  123.         method=self.method
  124.         if method=='PUT' and len(args)==1 and not kw:
  125.             query=[args[0]]
  126.             args=()
  127.         else:
  128.             query=[]
  129.         for i in range(len(args)):
  130.             try:
  131.                 k=self.args[i]
  132.                 if kw.has_key(k): raise TypeError, 'Keyword arg redefined'
  133.                 kw[k]=args[i]
  134.             except IndexError:    raise TypeError, 'Too many arguments'
  135.         headers={}
  136.         for k, v in self.headers.items(): headers[translate(k,dashtrans)]=v
  137.         method=self.method
  138.         if headers.has_key('Content-Type'):
  139.             content_type=headers['Content-Type']
  140.             if content_type=='multipart/form-data':
  141.                 return self._mp_call(kw)
  142.         else:
  143.             content_type=None
  144.             if not method or method=='POST':
  145.                 for v in kw.values():
  146.                     if hasattr(v,'read'): return self._mp_call(kw)
  147.                 
  148.         can_marshal=type2marshal.has_key
  149.         for k,v in kw.items():
  150.             t=type(v)
  151.             if can_marshal(t): q=type2marshal[t](k,v)
  152.             else: q='%s=%s' % (k,quote(v))
  153.             query.append(q)
  154.         url=self.rurl
  155.         if query:
  156.             query=join(query,'&')
  157.             method=method or 'POST'
  158.             if method == 'PUT':
  159.                 headers['Content-Length']=str(len(query))
  160.             if method != 'POST':
  161.                 url="%s?%s" % (url,query)
  162.                 query=''
  163.             elif not content_type:
  164.                 headers['Content-Type']='application/x-www-form-urlencoded'
  165.                 headers['Content-Length']=str(len(query))
  166.         else: method=method or 'GET'
  167.         if (self.username and self.password and
  168.             not headers.has_key('Authorization')):
  169.             headers['Authorization']=(
  170.                 "Basic %s" %
  171.                 replace(encodestring('%s:%s' % (self.username,self.password)),
  172.      '12',''))
  173.     
  174.         try:
  175.             h=HTTP()
  176.             h.connect(self.host, self.port)
  177.             h.putrequest(method, self.rurl)
  178.             for hn,hv in headers.items():
  179.                 h.putheader(translate(hn,dashtrans),hv)
  180.             h.endheaders()
  181.             if query: h.send(query)
  182.             ec,em,headers=h.getreply()
  183.             response     =h.getfile().read()
  184.         except:
  185.             raise NotAvailable, RemoteException(
  186.                 NotAvailable,sys.exc_value,self.url,query)
  187.         if ec==200: return (headers,response)
  188.         self.handleError(query, ec, em, headers, response)
  189.     def handleError(self, query, ec, em, headers, response):
  190.         try:    v=headers.dict['bobo-exception-value']
  191.         except: v=ec
  192.         try:    f=headers.dict['bobo-exception-file']
  193.         except: f='Unknown'
  194.         try:    l=headers.dict['bobo-exception-line']
  195.         except: l='Unknown'
  196.         try:    t=exceptmap[headers.dict['bobo-exception-type']]
  197.         except:
  198.             if   ec >= 400 and ec < 500: t=NotFound
  199.             elif ec == 503:              t=NotAvailable
  200.             else:                        t=ServerError
  201.         raise t, RemoteException(t,v,f,l,self.url,query,ec,em,response)
  202.         
  203.     
  204.     def _mp_call(self,kw,
  205.                 type2suffix={
  206.                     type(1.0): ':float',
  207.                     type(1):   ':int',
  208.                     type(1L):  ':long',
  209.                     type([]):  ':list',
  210.                     type(()):  ':tuple',
  211.                     }
  212.                 ):
  213.         # Call a function using the file-upload protcol
  214.         # Add type markers to special values:
  215.         d={}
  216.         special_type=type2suffix.has_key
  217.         for k,v in kw.items():
  218.             if ':' not in k:
  219.                 t=type(v)
  220.                 if special_type(t): d['%s%s' % (k,type2suffix[t])]=v
  221.                 else: d[k]=v
  222.             else: d[k]=v
  223.         rq=[('POST %s HTTP/1.0' % self.rurl),]
  224.         for n,v in self.headers.items():
  225.             rq.append('%s: %s' % (n,v))
  226.         if self.username and self.password:
  227.             c=replace(encodestring('%s:%s' % (self.username,self.password)),'12','')
  228.             rq.append('Authorization: Basic %s' % c)
  229.         rq.append(MultiPart(d).render())
  230.         rq=join(rq,'rn')   
  231.         try:
  232.             sock=socket.socket(socket.AF_INET,socket.SOCK_STREAM)
  233.             sock.connect(self.host,self.port)
  234.             sock.send(rq)
  235.             reply=sock.makefile('rb')
  236.             sock=None
  237.             line=reply.readline()
  238.             try:
  239.                 [ver, ec, em] = split(line, None, 2)
  240.             except ValueError:
  241.                 raise 'BadReply','Bad reply from server: '+line
  242.             if ver[:5] != 'HTTP/':
  243.                 raise 'BadReply','Bad reply from server: '+line
  244.             ec=atoi(ec)
  245.             em=strip(em)
  246.             headers=mimetools.Message(reply,0)
  247.             response=reply.read()
  248.         finally:
  249.           if 0:
  250.             raise NotAvailable, (
  251.                 RemoteException(NotAvailable,sys.exc_value,
  252.                                 self.url,'<MultiPart Form>'))
  253.                 
  254.         if ec==200: return (headers,response)
  255.         self.handleError('', ec, em, headers, response)
  256. class Object:
  257.     """Surrogate object for an object on the web"""
  258.     username=None
  259.     password=None
  260.     method=None
  261.     timeout=None
  262.     special_methods= 'GET','POST','PUT'
  263.     def __init__(self, url,
  264.                  method=None,username=None,password=None,
  265.                  timeout=None,
  266.                  **headers):
  267.         self.url=url
  268.         self.headers=headers
  269.         if not headers.has_key('Host') and not headers.has_key('host'):
  270.             headers['Host']=split(urlparse(url)[1],':')[0]
  271.         if method is not None: self.method=method
  272.         if username is not None: self.username=username
  273.         if password is not None: self.password=password
  274.         if timeout is not None: self.timeout=timeout
  275.     def __getattr__(self, name):
  276.         if name in self.special_methods:
  277.             method=name
  278.             url=self.url
  279.         else:
  280.             method=self.method
  281.             url="%s/%s" % (self.url, name)
  282.         f=Function(url,
  283.                    method=method,
  284.                    username=self.username,
  285.                    password=self.password,
  286.                    timeout=self.timeout)
  287.         f.headers=self.headers
  288.         return f
  289. def call(url,username=None, password=None, **kw):
  290.     
  291.     return apply(Function(url,username=username, password=password), (), kw)
  292. ##############################################################################
  293. # Implementation details below here
  294. urlregex=regex.compile('http://([^:/]+)(:[0-9]+)?(/.+)?', regex.casefold)
  295. dashtrans=maketrans('_','-')
  296. def marshal_float(n,f): return '%s:float=%s' % (n,f)
  297. def marshal_int(n,f):   return '%s:int=%s' % (n,f)
  298. def marshal_long(n,f):  return ('%s:long=%s' % (n,f))[:-1]
  299. sample_regex=regex.compile('')
  300. def marshal_regex(n,r):
  301.     if r.translate is sample_regex.translate:
  302.         t='Regex'
  303.     elif r.translate is regex.casefold:
  304.         t='regex'
  305.     else:
  306.         raise ValueError, 'regular expression used unsupported translation'
  307.     return "%s:%s=%s" % (n,t,quote(r.givenpat))
  308. def marshal_list(n,l,tname='list', lt=type([]), tt=type(())):
  309.     r=[]
  310.     for v in l:
  311.         t=type(v)
  312.         if t is lt or t is tt:
  313.             raise TypeError, 'Invalid recursion in data to be marshaled.'
  314.         r.append(marshal_whatever("%s:%s" % (n,tname) ,v))
  315.     
  316.     return join(r,'&')
  317. def marshal_tuple(n,l):
  318.     return marshal_list(n,l,'tuple')
  319.     
  320. type2marshal={
  321.     type(1.0):                  marshal_float,
  322.     type(1):                    marshal_int,
  323.     type(1L):                   marshal_long,
  324.     type(regex.compile('')):    marshal_regex,
  325.     type([]):                   marshal_list,
  326.     type(()):                   marshal_tuple,
  327.     }
  328. def marshal_whatever(k,v):
  329.     try: q=type2marshal[type(v)](k,v)
  330.     except KeyError: q='%s=%s' % (k,quote(str(v)))
  331.     return q
  332. def querify(items):
  333.     query=[]
  334.     for k,v in items: query.append(marshal_whatever(k,v))
  335.     return query and join(query,'&') or ''
  336. NotFound     ='bci.NotFound'
  337. InternalError='bci.InternalError'
  338. BadRequest   ='bci.BadRequest'
  339. Unauthorized ='bci.Unauthorized'
  340. ServerError  ='bci.ServerError'
  341. NotAvailable ='bci.NotAvailable'
  342. exceptmap   ={'AttributeError'   :AttributeError,
  343.               'BadRequest'       :BadRequest,
  344.               'EOFError'         :EOFError,
  345.               'IOError'          :IOError,
  346.               'ImportError'      :ImportError,
  347.               'IndexError'       :IndexError,
  348.               'InternalError'    :InternalError,
  349.               'KeyError'         :KeyError,
  350.               'MemoryError'      :MemoryError,
  351.               'NameError'        :NameError,
  352.               'NotAvailable'     :NotAvailable,
  353.               'NotFound'         :NotFound,
  354.               'OverflowError'    :OverflowError,
  355.               'RuntimeError'     :RuntimeError,
  356.               'ServerError'      :ServerError,
  357.               'SyntaxError'      :SyntaxError,
  358.               'SystemError'      :SystemError,
  359.               'SystemExit'       :SystemExit,
  360.               'TypeError'        :TypeError,
  361.               'Unauthorized'     :Unauthorized,
  362.               'ValueError'       :ValueError,
  363.               'ZeroDivisionError':ZeroDivisionError}
  364. class RemoteException:
  365.     def __init__(self,etype=None,evalue=None,efile=None,eline=None,url=None,
  366.                  query=None,http_code=None,http_msg=None, http_resp=None):
  367.         """Contains information about an exception which
  368.            occurs in a remote method call"""
  369.         self.exc_type    =etype
  370.         self.exc_value   =evalue
  371.         self.exc_file    =efile
  372.         self.exc_line    =eline
  373.         self.url         =url
  374.         self.query       =query
  375.         self.http_code   =http_code
  376.         self.http_message=http_msg
  377.         self.response    =http_resp
  378.     def __repr__(self):
  379.         return '%s (File: %s Line: %s)n%s %s for %s' % (
  380.                 self.exc_value,self.exc_file,self.exc_line,
  381.                 self.http_code,self.http_message,self.url)
  382. class MultiPart:
  383.     def __init__(self,*args):
  384.         c=len(args)
  385.         if c==1:    name,val=None,args[0]
  386.         elif c==2:  name,val=args[0],args[1]
  387.         else:       raise ValueError, 'Invalid arguments'
  388.         h={'Content-Type':              {'_v':''},
  389.            'Content-Transfer-Encoding': {'_v':''},
  390.            'Content-Disposition':       {'_v':''},}
  391.         dt=type(val)
  392.         b=t=None
  393.         if dt==DictType:
  394.             t=1
  395.             b=self.boundary()
  396.             d=[]
  397.             h['Content-Type']['_v']='multipart/form-data; boundary=%s' % b
  398.             for n,v in val.items():
  399.                 d.append(MultiPart(n,v))
  400.         elif (dt==ListType) or (dt==TupleType):
  401.             raise ValueError, 'Sorry, nested multipart is not done yet!'
  402.         elif dt==FileType or hasattr(val,'read'):
  403.             if hasattr(val,'name'):
  404.                 fn=replace(val.name, '\', '/')
  405.                 fn=fn[(rfind(fn,'/')+1):]
  406.                 ex=fn[(rfind(fn,'.')+1):]
  407.                 if self._extmap.has_key(ex): ct=self._extmap[ex]
  408.                 else: ct=self._extmap['']
  409.             else:
  410.                 fn=''
  411.                 ct=self._extmap[None]
  412.             if self._encmap.has_key(ct): ce=self._encmap[ct]
  413.             else: ce=''
  414.             h['Content-Disposition']['_v']      ='form-data'
  415.             h['Content-Disposition']['name']    ='"%s"' % name
  416.             h['Content-Disposition']['filename']='"%s"' % fn
  417.             h['Content-Transfer-Encoding']['_v']=ce
  418.             h['Content-Type']['_v']             =ct
  419.             d=[]
  420.             l=val.read(8192)
  421.             while l:
  422.                 d.append(l)
  423.                 l=val.read(8192)
  424.         else:
  425.             h['Content-Disposition']['_v']='form-data'
  426.             h['Content-Disposition']['name']='"%s"' % name
  427.             d=[str(val)]
  428.         self._headers =h
  429.         self._data    =d
  430.         self._boundary=b
  431.         self._top     =t
  432.     def boundary(self):
  433.         return '%s_%s_%s' % (int(time()), getpid(), int(random()*1000000000))
  434.     def render(self):
  435.         h=self._headers
  436.         s=[]
  437.         if self._top:
  438.             for n,v in h.items():
  439.                 if v['_v']:
  440.                     s.append('%s: %s' % (n,v['_v']))
  441.                     for k in v.keys():
  442.                         if k != '_v': s.append('; %s=%s' % (k, v[k]))
  443.                     s.append('rn')
  444.             p=[]
  445.             t=[]
  446.             b=self._boundary
  447.             for d in self._data: p.append(d.render())
  448.             t.append('--%sn' % b)
  449.             t.append(join(p,'n--%sn' % b))
  450.             t.append('n--%s--n' % b)
  451.             t=join(t,'')
  452.             s.append('Content-Length: %srnrn' % len(t))
  453.             s.append(t)
  454.             return join(s,'')
  455.         else:
  456.             for n,v in h.items():
  457.                 if v['_v']:
  458.                     s.append('%s: %s' % (n,v['_v']))
  459.                     for k in v.keys():
  460.                         if k != '_v': s.append('; %s=%s' % (k, v[k]))
  461.                     s.append('rn')
  462.             s.append('rn')
  463.             if self._boundary:
  464.                 p=[]
  465.                 b=self._boundary
  466.                 for d in self._data: p.append(d.render())
  467.                 s.append('--%sn' % b)
  468.                 s.append(join(p,'n--%sn' % b))
  469.                 s.append('n--%s--n' % b)
  470.                 return join(s,'')
  471.             else:
  472.                 return join(s+self._data,'')
  473.     _extmap={'':     'text/plain',
  474.              'rdb':  'text/plain',
  475.              'html': 'text/html',
  476.              'dtml': 'text/html',
  477.              'htm':  'text/html',
  478.              'dtm':  'text/html',
  479.              'gif':  'image/gif',
  480.              'jpg':  'image/jpeg',
  481.              'exe':  'application/octet-stream',
  482.              None :  'application/octet-stream',
  483.              }
  484.     _encmap={'image/gif': 'binary',
  485.              'image/jpg': 'binary',
  486.              'application/octet-stream': 'binary',
  487.              }
  488. def ErrorTypes(code):
  489.     if code >= 400 and code < 500: return NotFound
  490.     if code >= 500 and code < 600: return ServerError
  491.     return 'HTTP_Error_%s' % code
  492. usage="""
  493. Usage: %s [-u username:password] url [name=value ...]
  494. where url is the web resource to call.
  495. The -u option may be used to provide a user name and password.
  496. Optional arguments may be provides as name=value pairs.
  497. In a name value pair, if a name ends in ":file", then the value is
  498. treated as a file name and the file is send using the file-upload
  499. protocol.   If the file name is "-", then data are taken from standard
  500. input.
  501. The body of the response is written to standard output.
  502. The headers of the response are written to standard error.
  503. """ % sys.argv[0]
  504. def main():
  505.     import getopt
  506.     from string import split
  507.     user=None
  508.     try:
  509.         optlist, args = getopt.getopt(sys.argv[1:],'u:')
  510.         url=args[0]
  511.         u =filter(lambda o: o[0]=='-u', optlist)
  512.         if u:
  513.             [user, pw] = split(u[0][1],':')
  514.         kw={}
  515.         for arg in args[1:]:
  516.             [name,v]=split(arg,'=')
  517.             if name[-5:]==':file':
  518.                 name=name[:-5]
  519.                 if v=='-': v=sys.stdin
  520.                 else: v=open(v)
  521.             kw[name]=v
  522.     except:
  523.         print usage
  524.         sys.exit(1)
  525.         
  526.     # The "main" program for this module
  527.     f=Function(url)
  528.     if user: f.username, f.password = user, pw
  529.     headers, body = apply(f,(),kw)
  530.     sys.stderr.write(join(map(lambda h: "%s: %sn" % h, headers.items()),"")
  531.                      +"nn")
  532.     print body
  533. if __name__ == "__main__":
  534.     main()