xml_rpc.py
上传用户:king477883
上传日期:2021-03-01
资源大小:9553k
文件大小:7k
源码类别:

游戏引擎

开发平台:

C++ Builder

  1. """
  2. @file xml_rpc.py
  3. @brief An implementation of a parser/generator for the XML-RPC xml format.
  4. $LicenseInfo:firstyear=2006&license=mit$
  5. Copyright (c) 2006-2010, Linden Research, Inc.
  6. Permission is hereby granted, free of charge, to any person obtaining a copy
  7. of this software and associated documentation files (the "Software"), to deal
  8. in the Software without restriction, including without limitation the rights
  9. to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  10. copies of the Software, and to permit persons to whom the Software is
  11. furnished to do so, subject to the following conditions:
  12. The above copyright notice and this permission notice shall be included in
  13. all copies or substantial portions of the Software.
  14. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  15. IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  16. FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  17. AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  18. LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  19. OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
  20. THE SOFTWARE.
  21. $/LicenseInfo$
  22. """
  23. from greenlet import greenlet
  24. from mulib import mu
  25. from xml.sax import handler
  26. from xml.sax import parseString
  27. # States
  28. class Expected(object):
  29.     def __init__(self, tag):
  30.         self.tag = tag
  31.     def __getattr__(self, name):
  32.         return type(self)(name)
  33.     def __repr__(self):
  34.         return '%s(%r)' % (
  35.             type(self).__name__, self.tag)
  36. class START(Expected):
  37.     pass
  38. class END(Expected):
  39.     pass
  40. class STR(object):
  41.     tag = ''
  42. START = START('')
  43. END = END('')
  44. class Malformed(Exception):
  45.     pass
  46. class XMLParser(handler.ContentHandler):
  47.     def __init__(self, state_machine, next_states):
  48.         handler.ContentHandler.__init__(self)
  49.         self.state_machine = state_machine
  50.         if not isinstance(next_states, tuple):
  51.             next_states = (next_states, )
  52.         self.next_states = next_states
  53.         self._character_buffer = ''
  54.     def assertState(self, state, name, *rest):
  55.         if not isinstance(self.next_states, tuple):
  56.             self.next_states = (self.next_states, )
  57.         for next in self.next_states:
  58.             if type(state) == type(next):
  59.                 if next.tag and next.tag != name:
  60.                     raise Malformed(
  61.                         "Expected %s, got %s %s %s" % (
  62.                             next, state, name, rest))
  63.                 break
  64.         else:
  65.             raise Malformed(
  66.                 "Expected %s, got %s %s %s" % (
  67.                     self.next_states, state, name, rest))
  68.     def startElement(self, name, attrs):
  69.         self.assertState(START, name.lower(), attrs)
  70.         self.next_states = self.state_machine.switch(START, (name.lower(), dict(attrs)))
  71.     def endElement(self, name):
  72.         if self._character_buffer.strip():
  73.             characters = self._character_buffer.strip()
  74.             self._character_buffer = ''
  75.             self.assertState(STR, characters)
  76.             self.next_states = self.state_machine.switch(characters)
  77.         self.assertState(END, name.lower())
  78.         self.next_states = self.state_machine.switch(END, name.lower())
  79.     def error(self, exc):
  80.         self.bozo = 1
  81.         self.exc = exc
  82.     def fatalError(self, exc):
  83.         self.error(exc)
  84.         raise exc
  85.     def characters(self, characters):
  86.         self._character_buffer += characters
  87. def parse(what):
  88.     child = greenlet(xml_rpc)
  89.     me = greenlet.getcurrent()
  90.     startup_states = child.switch(me)
  91.     parser = XMLParser(child, startup_states)
  92.     try:
  93.         parseString(what, parser)
  94.     except Malformed:
  95.         print what
  96.         raise
  97.     return child.switch()
  98. def xml_rpc(yielder):
  99.     yielder.switch(START.methodcall)
  100.     yielder.switch(START.methodname)
  101.     methodName = yielder.switch(STR)
  102.     yielder.switch(END.methodname)
  103.     yielder.switch(START.params)
  104.     root = None
  105.     params = []
  106.     while True:
  107.         state, _ = yielder.switch(START.param, END.params)
  108.         if state == END:
  109.             break
  110.         yielder.switch(START.value)
  111.         
  112.         params.append(
  113.             handle(yielder))
  114.         yielder.switch(END.value)
  115.         yielder.switch(END.param)
  116.     yielder.switch(END.methodcall)
  117.     ## Resume parse
  118.     yielder.switch()
  119.     ## Return result to parse
  120.     return methodName.strip(), params
  121. def handle(yielder):
  122.     _, (tag, attrs) = yielder.switch(START)
  123.     if tag in ['int', 'i4']:
  124.         result = int(yielder.switch(STR))
  125.     elif tag == 'boolean':
  126.         result = bool(int(yielder.switch(STR)))
  127.     elif tag == 'string':
  128.         result = yielder.switch(STR)
  129.     elif tag == 'double':
  130.         result = float(yielder.switch(STR))
  131.     elif tag == 'datetime.iso8601':
  132.         result = yielder.switch(STR)
  133.     elif tag == 'base64':
  134.         result = base64.b64decode(yielder.switch(STR))
  135.     elif tag == 'struct':
  136.         result = {}
  137.         while True:
  138.             state, _ = yielder.switch(START.member, END.struct)
  139.             if state == END:
  140.                 break
  141.             yielder.switch(START.name)
  142.             key = yielder.switch(STR)
  143.             yielder.switch(END.name)
  144.             yielder.switch(START.value)
  145.             result[key] = handle(yielder)
  146.             yielder.switch(END.value)
  147.             yielder.switch(END.member)
  148.         ## We already handled </struct> above, don't want to handle it below
  149.         return result
  150.     elif tag == 'array':
  151.         result = []
  152.         yielder.switch(START.data)
  153.         while True:
  154.             state, _ = yielder.switch(START.value, END.data)
  155.             if state == END:
  156.                 break
  157.             result.append(handle(yielder))
  158.             yielder.switch(END.value)
  159.     yielder.switch(getattr(END, tag))
  160.     return result
  161. VALUE = mu.tag_factory('value')
  162. BOOLEAN = mu.tag_factory('boolean')
  163. INT = mu.tag_factory('int')
  164. STRUCT = mu.tag_factory('struct')
  165. MEMBER = mu.tag_factory('member')
  166. NAME = mu.tag_factory('name')
  167. ARRAY = mu.tag_factory('array')
  168. DATA = mu.tag_factory('data')
  169. STRING = mu.tag_factory('string')
  170. DOUBLE = mu.tag_factory('double')
  171. METHODRESPONSE = mu.tag_factory('methodResponse')
  172. PARAMS = mu.tag_factory('params')
  173. PARAM = mu.tag_factory('param')
  174. mu.inline_elements['string'] = True
  175. mu.inline_elements['boolean'] = True
  176. mu.inline_elements['name'] = True
  177. def _generate(something):
  178.     if isinstance(something, dict):
  179.         result = STRUCT()
  180.         for key, value in something.items():
  181.             result[
  182.                 MEMBER[
  183.                     NAME[key], _generate(value)]]
  184.         return VALUE[result]
  185.     elif isinstance(something, list):
  186.         result = DATA()
  187.         for item in something:
  188.             result[_generate(item)]
  189.         return VALUE[ARRAY[[result]]]
  190.     elif isinstance(something, basestring):
  191.         return VALUE[STRING[something]]
  192.     elif isinstance(something, bool):
  193.         if something:
  194.             return VALUE[BOOLEAN['1']]
  195.         return VALUE[BOOLEAN['0']]
  196.     elif isinstance(something, int):
  197.         return VALUE[INT[something]]
  198.     elif isinstance(something, float):
  199.         return VALUE[DOUBLE[something]]
  200. def generate(*args):
  201.     params = PARAMS()
  202.     for arg in args:
  203.         params[PARAM[_generate(arg)]]
  204.     return METHODRESPONSE[params]
  205. if __name__ == '__main__':
  206.     print parse("""<?xml version="1.0"?> <methodCall>  <methodName>examples.getStateName</methodName>  <params>  <param>  <value><i4>41</i4></value>  </param>  </params>  </methodCall>
  207. """)
  208.     
  209.         
  210.         
  211.         
  212.         
  213.         
  214.         
  215.         
  216.