Shuvit game master repo. http://shuvit.org
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

six.py 30KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891
  1. # Copyright (c) 2010-2017 Benjamin Peterson
  2. #
  3. # Permission is hereby granted, free of charge, to any person obtaining a copy
  4. # of this software and associated documentation files (the "Software"), to deal
  5. # in the Software without restriction, including without limitation the rights
  6. # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  7. # copies of the Software, and to permit persons to whom the Software is
  8. # furnished to do so, subject to the following conditions:
  9. #
  10. # The above copyright notice and this permission notice shall be included in all
  11. # copies or substantial portions of the Software.
  12. #
  13. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  14. # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  15. # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  16. # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  17. # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  18. # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
  19. # SOFTWARE.
  20. """Utilities for writing code that runs on Python 2 and 3"""
  21. from __future__ import absolute_import
  22. import functools
  23. import itertools
  24. import operator
  25. import sys
  26. import types
  27. __author__ = "Benjamin Peterson <benjamin@python.org>"
  28. __version__ = "1.11.0"
  29. # Useful for very coarse version differentiation.
  30. PY2 = sys.version_info[0] == 2
  31. PY3 = sys.version_info[0] == 3
  32. PY34 = sys.version_info[0:2] >= (3, 4)
  33. if PY3:
  34. string_types = str,
  35. integer_types = int,
  36. class_types = type,
  37. text_type = str
  38. binary_type = bytes
  39. MAXSIZE = sys.maxsize
  40. else:
  41. string_types = basestring,
  42. integer_types = (int, long)
  43. class_types = (type, types.ClassType)
  44. text_type = unicode
  45. binary_type = str
  46. if sys.platform.startswith("java"):
  47. # Jython always uses 32 bits.
  48. MAXSIZE = int((1 << 31) - 1)
  49. else:
  50. # It's possible to have sizeof(long) != sizeof(Py_ssize_t).
  51. class X(object):
  52. def __len__(self):
  53. return 1 << 31
  54. try:
  55. len(X())
  56. except OverflowError:
  57. # 32-bit
  58. MAXSIZE = int((1 << 31) - 1)
  59. else:
  60. # 64-bit
  61. MAXSIZE = int((1 << 63) - 1)
  62. del X
  63. def _add_doc(func, doc):
  64. """Add documentation to a function."""
  65. func.__doc__ = doc
  66. def _import_module(name):
  67. """Import module, returning the module after the last dot."""
  68. __import__(name)
  69. return sys.modules[name]
  70. class _LazyDescr(object):
  71. def __init__(self, name):
  72. self.name = name
  73. def __get__(self, obj, tp):
  74. result = self._resolve()
  75. setattr(obj, self.name, result) # Invokes __set__.
  76. try:
  77. # This is a bit ugly, but it avoids running this again by
  78. # removing this descriptor.
  79. delattr(obj.__class__, self.name)
  80. except AttributeError:
  81. pass
  82. return result
  83. class MovedModule(_LazyDescr):
  84. def __init__(self, name, old, new=None):
  85. super(MovedModule, self).__init__(name)
  86. if PY3:
  87. if new is None:
  88. new = name
  89. self.mod = new
  90. else:
  91. self.mod = old
  92. def _resolve(self):
  93. return _import_module(self.mod)
  94. def __getattr__(self, attr):
  95. _module = self._resolve()
  96. value = getattr(_module, attr)
  97. setattr(self, attr, value)
  98. return value
  99. class _LazyModule(types.ModuleType):
  100. def __init__(self, name):
  101. super(_LazyModule, self).__init__(name)
  102. self.__doc__ = self.__class__.__doc__
  103. def __dir__(self):
  104. attrs = ["__doc__", "__name__"]
  105. attrs += [attr.name for attr in self._moved_attributes]
  106. return attrs
  107. # Subclasses should override this
  108. _moved_attributes = []
  109. class MovedAttribute(_LazyDescr):
  110. def __init__(self, name, old_mod, new_mod, old_attr=None, new_attr=None):
  111. super(MovedAttribute, self).__init__(name)
  112. if PY3:
  113. if new_mod is None:
  114. new_mod = name
  115. self.mod = new_mod
  116. if new_attr is None:
  117. if old_attr is None:
  118. new_attr = name
  119. else:
  120. new_attr = old_attr
  121. self.attr = new_attr
  122. else:
  123. self.mod = old_mod
  124. if old_attr is None:
  125. old_attr = name
  126. self.attr = old_attr
  127. def _resolve(self):
  128. module = _import_module(self.mod)
  129. return getattr(module, self.attr)
  130. class _SixMetaPathImporter(object):
  131. """
  132. A meta path importer to import six.moves and its submodules.
  133. This class implements a PEP302 finder and loader. It should be compatible
  134. with Python 2.5 and all existing versions of Python3
  135. """
  136. def __init__(self, six_module_name):
  137. self.name = six_module_name
  138. self.known_modules = {}
  139. def _add_module(self, mod, *fullnames):
  140. for fullname in fullnames:
  141. self.known_modules[self.name + "." + fullname] = mod
  142. def _get_module(self, fullname):
  143. return self.known_modules[self.name + "." + fullname]
  144. def find_module(self, fullname, path=None):
  145. if fullname in self.known_modules:
  146. return self
  147. return None
  148. def __get_module(self, fullname):
  149. try:
  150. return self.known_modules[fullname]
  151. except KeyError:
  152. raise ImportError("This loader does not know module " + fullname)
  153. def load_module(self, fullname):
  154. try:
  155. # in case of a reload
  156. return sys.modules[fullname]
  157. except KeyError:
  158. pass
  159. mod = self.__get_module(fullname)
  160. if isinstance(mod, MovedModule):
  161. mod = mod._resolve()
  162. else:
  163. mod.__loader__ = self
  164. sys.modules[fullname] = mod
  165. return mod
  166. def is_package(self, fullname):
  167. """
  168. Return true, if the named module is a package.
  169. We need this method to get correct spec objects with
  170. Python 3.4 (see PEP451)
  171. """
  172. return hasattr(self.__get_module(fullname), "__path__")
  173. def get_code(self, fullname):
  174. """Return None
  175. Required, if is_package is implemented"""
  176. self.__get_module(fullname) # eventually raises ImportError
  177. return None
  178. get_source = get_code # same as get_code
  179. _importer = _SixMetaPathImporter(__name__)
  180. class _MovedItems(_LazyModule):
  181. """Lazy loading of moved objects"""
  182. __path__ = [] # mark as package
  183. _moved_attributes = [
  184. MovedAttribute("cStringIO", "cStringIO", "io", "StringIO"),
  185. MovedAttribute("filter", "itertools", "builtins", "ifilter", "filter"),
  186. MovedAttribute("filterfalse", "itertools", "itertools", "ifilterfalse", "filterfalse"),
  187. MovedAttribute("input", "__builtin__", "builtins", "raw_input", "input"),
  188. MovedAttribute("intern", "__builtin__", "sys"),
  189. MovedAttribute("map", "itertools", "builtins", "imap", "map"),
  190. MovedAttribute("getcwd", "os", "os", "getcwdu", "getcwd"),
  191. MovedAttribute("getcwdb", "os", "os", "getcwd", "getcwdb"),
  192. MovedAttribute("getoutput", "commands", "subprocess"),
  193. MovedAttribute("range", "__builtin__", "builtins", "xrange", "range"),
  194. MovedAttribute("reload_module", "__builtin__", "importlib" if PY34 else "imp", "reload"),
  195. MovedAttribute("reduce", "__builtin__", "functools"),
  196. MovedAttribute("shlex_quote", "pipes", "shlex", "quote"),
  197. MovedAttribute("StringIO", "StringIO", "io"),
  198. MovedAttribute("UserDict", "UserDict", "collections"),
  199. MovedAttribute("UserList", "UserList", "collections"),
  200. MovedAttribute("UserString", "UserString", "collections"),
  201. MovedAttribute("xrange", "__builtin__", "builtins", "xrange", "range"),
  202. MovedAttribute("zip", "itertools", "builtins", "izip", "zip"),
  203. MovedAttribute("zip_longest", "itertools", "itertools", "izip_longest", "zip_longest"),
  204. MovedModule("builtins", "__builtin__"),
  205. MovedModule("configparser", "ConfigParser"),
  206. MovedModule("copyreg", "copy_reg"),
  207. MovedModule("dbm_gnu", "gdbm", "dbm.gnu"),
  208. MovedModule("_dummy_thread", "dummy_thread", "_dummy_thread"),
  209. MovedModule("http_cookiejar", "cookielib", "http.cookiejar"),
  210. MovedModule("http_cookies", "Cookie", "http.cookies"),
  211. MovedModule("html_entities", "htmlentitydefs", "html.entities"),
  212. MovedModule("html_parser", "HTMLParser", "html.parser"),
  213. MovedModule("http_client", "httplib", "http.client"),
  214. MovedModule("email_mime_base", "email.MIMEBase", "email.mime.base"),
  215. MovedModule("email_mime_image", "email.MIMEImage", "email.mime.image"),
  216. MovedModule("email_mime_multipart", "email.MIMEMultipart", "email.mime.multipart"),
  217. MovedModule("email_mime_nonmultipart", "email.MIMENonMultipart", "email.mime.nonmultipart"),
  218. MovedModule("email_mime_text", "email.MIMEText", "email.mime.text"),
  219. MovedModule("BaseHTTPServer", "BaseHTTPServer", "http.server"),
  220. MovedModule("CGIHTTPServer", "CGIHTTPServer", "http.server"),
  221. MovedModule("SimpleHTTPServer", "SimpleHTTPServer", "http.server"),
  222. MovedModule("cPickle", "cPickle", "pickle"),
  223. MovedModule("queue", "Queue"),
  224. MovedModule("reprlib", "repr"),
  225. MovedModule("socketserver", "SocketServer"),
  226. MovedModule("_thread", "thread", "_thread"),
  227. MovedModule("tkinter", "Tkinter"),
  228. MovedModule("tkinter_dialog", "Dialog", "tkinter.dialog"),
  229. MovedModule("tkinter_filedialog", "FileDialog", "tkinter.filedialog"),
  230. MovedModule("tkinter_scrolledtext", "ScrolledText", "tkinter.scrolledtext"),
  231. MovedModule("tkinter_simpledialog", "SimpleDialog", "tkinter.simpledialog"),
  232. MovedModule("tkinter_tix", "Tix", "tkinter.tix"),
  233. MovedModule("tkinter_ttk", "ttk", "tkinter.ttk"),
  234. MovedModule("tkinter_constants", "Tkconstants", "tkinter.constants"),
  235. MovedModule("tkinter_dnd", "Tkdnd", "tkinter.dnd"),
  236. MovedModule("tkinter_colorchooser", "tkColorChooser",
  237. "tkinter.colorchooser"),
  238. MovedModule("tkinter_commondialog", "tkCommonDialog",
  239. "tkinter.commondialog"),
  240. MovedModule("tkinter_tkfiledialog", "tkFileDialog", "tkinter.filedialog"),
  241. MovedModule("tkinter_font", "tkFont", "tkinter.font"),
  242. MovedModule("tkinter_messagebox", "tkMessageBox", "tkinter.messagebox"),
  243. MovedModule("tkinter_tksimpledialog", "tkSimpleDialog",
  244. "tkinter.simpledialog"),
  245. MovedModule("urllib_parse", __name__ + ".moves.urllib_parse", "urllib.parse"),
  246. MovedModule("urllib_error", __name__ + ".moves.urllib_error", "urllib.error"),
  247. MovedModule("urllib", __name__ + ".moves.urllib", __name__ + ".moves.urllib"),
  248. MovedModule("urllib_robotparser", "robotparser", "urllib.robotparser"),
  249. MovedModule("xmlrpc_client", "xmlrpclib", "xmlrpc.client"),
  250. MovedModule("xmlrpc_server", "SimpleXMLRPCServer", "xmlrpc.server"),
  251. ]
  252. # Add windows specific modules.
  253. if sys.platform == "win32":
  254. _moved_attributes += [
  255. MovedModule("winreg", "_winreg"),
  256. ]
  257. for attr in _moved_attributes:
  258. setattr(_MovedItems, attr.name, attr)
  259. if isinstance(attr, MovedModule):
  260. _importer._add_module(attr, "moves." + attr.name)
  261. del attr
  262. _MovedItems._moved_attributes = _moved_attributes
  263. moves = _MovedItems(__name__ + ".moves")
  264. _importer._add_module(moves, "moves")
  265. class Module_six_moves_urllib_parse(_LazyModule):
  266. """Lazy loading of moved objects in six.moves.urllib_parse"""
  267. _urllib_parse_moved_attributes = [
  268. MovedAttribute("ParseResult", "urlparse", "urllib.parse"),
  269. MovedAttribute("SplitResult", "urlparse", "urllib.parse"),
  270. MovedAttribute("parse_qs", "urlparse", "urllib.parse"),
  271. MovedAttribute("parse_qsl", "urlparse", "urllib.parse"),
  272. MovedAttribute("urldefrag", "urlparse", "urllib.parse"),
  273. MovedAttribute("urljoin", "urlparse", "urllib.parse"),
  274. MovedAttribute("urlparse", "urlparse", "urllib.parse"),
  275. MovedAttribute("urlsplit", "urlparse", "urllib.parse"),
  276. MovedAttribute("urlunparse", "urlparse", "urllib.parse"),
  277. MovedAttribute("urlunsplit", "urlparse", "urllib.parse"),
  278. MovedAttribute("quote", "urllib", "urllib.parse"),
  279. MovedAttribute("quote_plus", "urllib", "urllib.parse"),
  280. MovedAttribute("unquote", "urllib", "urllib.parse"),
  281. MovedAttribute("unquote_plus", "urllib", "urllib.parse"),
  282. MovedAttribute("unquote_to_bytes", "urllib", "urllib.parse", "unquote", "unquote_to_bytes"),
  283. MovedAttribute("urlencode", "urllib", "urllib.parse"),
  284. MovedAttribute("splitquery", "urllib", "urllib.parse"),
  285. MovedAttribute("splittag", "urllib", "urllib.parse"),
  286. MovedAttribute("splituser", "urllib", "urllib.parse"),
  287. MovedAttribute("splitvalue", "urllib", "urllib.parse"),
  288. MovedAttribute("uses_fragment", "urlparse", "urllib.parse"),
  289. MovedAttribute("uses_netloc", "urlparse", "urllib.parse"),
  290. MovedAttribute("uses_params", "urlparse", "urllib.parse"),
  291. MovedAttribute("uses_query", "urlparse", "urllib.parse"),
  292. MovedAttribute("uses_relative", "urlparse", "urllib.parse"),
  293. ]
  294. for attr in _urllib_parse_moved_attributes:
  295. setattr(Module_six_moves_urllib_parse, attr.name, attr)
  296. del attr
  297. Module_six_moves_urllib_parse._moved_attributes = _urllib_parse_moved_attributes
  298. _importer._add_module(Module_six_moves_urllib_parse(__name__ + ".moves.urllib_parse"),
  299. "moves.urllib_parse", "moves.urllib.parse")
  300. class Module_six_moves_urllib_error(_LazyModule):
  301. """Lazy loading of moved objects in six.moves.urllib_error"""
  302. _urllib_error_moved_attributes = [
  303. MovedAttribute("URLError", "urllib2", "urllib.error"),
  304. MovedAttribute("HTTPError", "urllib2", "urllib.error"),
  305. MovedAttribute("ContentTooShortError", "urllib", "urllib.error"),
  306. ]
  307. for attr in _urllib_error_moved_attributes:
  308. setattr(Module_six_moves_urllib_error, attr.name, attr)
  309. del attr
  310. Module_six_moves_urllib_error._moved_attributes = _urllib_error_moved_attributes
  311. _importer._add_module(Module_six_moves_urllib_error(__name__ + ".moves.urllib.error"),
  312. "moves.urllib_error", "moves.urllib.error")
  313. class Module_six_moves_urllib_request(_LazyModule):
  314. """Lazy loading of moved objects in six.moves.urllib_request"""
  315. _urllib_request_moved_attributes = [
  316. MovedAttribute("urlopen", "urllib2", "urllib.request"),
  317. MovedAttribute("install_opener", "urllib2", "urllib.request"),
  318. MovedAttribute("build_opener", "urllib2", "urllib.request"),
  319. MovedAttribute("pathname2url", "urllib", "urllib.request"),
  320. MovedAttribute("url2pathname", "urllib", "urllib.request"),
  321. MovedAttribute("getproxies", "urllib", "urllib.request"),
  322. MovedAttribute("Request", "urllib2", "urllib.request"),
  323. MovedAttribute("OpenerDirector", "urllib2", "urllib.request"),
  324. MovedAttribute("HTTPDefaultErrorHandler", "urllib2", "urllib.request"),
  325. MovedAttribute("HTTPRedirectHandler", "urllib2", "urllib.request"),
  326. MovedAttribute("HTTPCookieProcessor", "urllib2", "urllib.request"),
  327. MovedAttribute("ProxyHandler", "urllib2", "urllib.request"),
  328. MovedAttribute("BaseHandler", "urllib2", "urllib.request"),
  329. MovedAttribute("HTTPPasswordMgr", "urllib2", "urllib.request"),
  330. MovedAttribute("HTTPPasswordMgrWithDefaultRealm", "urllib2", "urllib.request"),
  331. MovedAttribute("AbstractBasicAuthHandler", "urllib2", "urllib.request"),
  332. MovedAttribute("HTTPBasicAuthHandler", "urllib2", "urllib.request"),
  333. MovedAttribute("ProxyBasicAuthHandler", "urllib2", "urllib.request"),
  334. MovedAttribute("AbstractDigestAuthHandler", "urllib2", "urllib.request"),
  335. MovedAttribute("HTTPDigestAuthHandler", "urllib2", "urllib.request"),
  336. MovedAttribute("ProxyDigestAuthHandler", "urllib2", "urllib.request"),
  337. MovedAttribute("HTTPHandler", "urllib2", "urllib.request"),
  338. MovedAttribute("HTTPSHandler", "urllib2", "urllib.request"),
  339. MovedAttribute("FileHandler", "urllib2", "urllib.request"),
  340. MovedAttribute("FTPHandler", "urllib2", "urllib.request"),
  341. MovedAttribute("CacheFTPHandler", "urllib2", "urllib.request"),
  342. MovedAttribute("UnknownHandler", "urllib2", "urllib.request"),
  343. MovedAttribute("HTTPErrorProcessor", "urllib2", "urllib.request"),
  344. MovedAttribute("urlretrieve", "urllib", "urllib.request"),
  345. MovedAttribute("urlcleanup", "urllib", "urllib.request"),
  346. MovedAttribute("URLopener", "urllib", "urllib.request"),
  347. MovedAttribute("FancyURLopener", "urllib", "urllib.request"),
  348. MovedAttribute("proxy_bypass", "urllib", "urllib.request"),
  349. MovedAttribute("parse_http_list", "urllib2", "urllib.request"),
  350. MovedAttribute("parse_keqv_list", "urllib2", "urllib.request"),
  351. ]
  352. for attr in _urllib_request_moved_attributes:
  353. setattr(Module_six_moves_urllib_request, attr.name, attr)
  354. del attr
  355. Module_six_moves_urllib_request._moved_attributes = _urllib_request_moved_attributes
  356. _importer._add_module(Module_six_moves_urllib_request(__name__ + ".moves.urllib.request"),
  357. "moves.urllib_request", "moves.urllib.request")
  358. class Module_six_moves_urllib_response(_LazyModule):
  359. """Lazy loading of moved objects in six.moves.urllib_response"""
  360. _urllib_response_moved_attributes = [
  361. MovedAttribute("addbase", "urllib", "urllib.response"),
  362. MovedAttribute("addclosehook", "urllib", "urllib.response"),
  363. MovedAttribute("addinfo", "urllib", "urllib.response"),
  364. MovedAttribute("addinfourl", "urllib", "urllib.response"),
  365. ]
  366. for attr in _urllib_response_moved_attributes:
  367. setattr(Module_six_moves_urllib_response, attr.name, attr)
  368. del attr
  369. Module_six_moves_urllib_response._moved_attributes = _urllib_response_moved_attributes
  370. _importer._add_module(Module_six_moves_urllib_response(__name__ + ".moves.urllib.response"),
  371. "moves.urllib_response", "moves.urllib.response")
  372. class Module_six_moves_urllib_robotparser(_LazyModule):
  373. """Lazy loading of moved objects in six.moves.urllib_robotparser"""
  374. _urllib_robotparser_moved_attributes = [
  375. MovedAttribute("RobotFileParser", "robotparser", "urllib.robotparser"),
  376. ]
  377. for attr in _urllib_robotparser_moved_attributes:
  378. setattr(Module_six_moves_urllib_robotparser, attr.name, attr)
  379. del attr
  380. Module_six_moves_urllib_robotparser._moved_attributes = _urllib_robotparser_moved_attributes
  381. _importer._add_module(Module_six_moves_urllib_robotparser(__name__ + ".moves.urllib.robotparser"),
  382. "moves.urllib_robotparser", "moves.urllib.robotparser")
  383. class Module_six_moves_urllib(types.ModuleType):
  384. """Create a six.moves.urllib namespace that resembles the Python 3 namespace"""
  385. __path__ = [] # mark as package
  386. parse = _importer._get_module("moves.urllib_parse")
  387. error = _importer._get_module("moves.urllib_error")
  388. request = _importer._get_module("moves.urllib_request")
  389. response = _importer._get_module("moves.urllib_response")
  390. robotparser = _importer._get_module("moves.urllib_robotparser")
  391. def __dir__(self):
  392. return ['parse', 'error', 'request', 'response', 'robotparser']
  393. _importer._add_module(Module_six_moves_urllib(__name__ + ".moves.urllib"),
  394. "moves.urllib")
  395. def add_move(move):
  396. """Add an item to six.moves."""
  397. setattr(_MovedItems, move.name, move)
  398. def remove_move(name):
  399. """Remove item from six.moves."""
  400. try:
  401. delattr(_MovedItems, name)
  402. except AttributeError:
  403. try:
  404. del moves.__dict__[name]
  405. except KeyError:
  406. raise AttributeError("no such move, %r" % (name,))
  407. if PY3:
  408. _meth_func = "__func__"
  409. _meth_self = "__self__"
  410. _func_closure = "__closure__"
  411. _func_code = "__code__"
  412. _func_defaults = "__defaults__"
  413. _func_globals = "__globals__"
  414. else:
  415. _meth_func = "im_func"
  416. _meth_self = "im_self"
  417. _func_closure = "func_closure"
  418. _func_code = "func_code"
  419. _func_defaults = "func_defaults"
  420. _func_globals = "func_globals"
  421. try:
  422. advance_iterator = next
  423. except NameError:
  424. def advance_iterator(it):
  425. return it.next()
  426. next = advance_iterator
  427. try:
  428. callable = callable
  429. except NameError:
  430. def callable(obj):
  431. return any("__call__" in klass.__dict__ for klass in type(obj).__mro__)
  432. if PY3:
  433. def get_unbound_function(unbound):
  434. return unbound
  435. create_bound_method = types.MethodType
  436. def create_unbound_method(func, cls):
  437. return func
  438. Iterator = object
  439. else:
  440. def get_unbound_function(unbound):
  441. return unbound.im_func
  442. def create_bound_method(func, obj):
  443. return types.MethodType(func, obj, obj.__class__)
  444. def create_unbound_method(func, cls):
  445. return types.MethodType(func, None, cls)
  446. class Iterator(object):
  447. def next(self):
  448. return type(self).__next__(self)
  449. callable = callable
  450. _add_doc(get_unbound_function,
  451. """Get the function out of a possibly unbound function""")
  452. get_method_function = operator.attrgetter(_meth_func)
  453. get_method_self = operator.attrgetter(_meth_self)
  454. get_function_closure = operator.attrgetter(_func_closure)
  455. get_function_code = operator.attrgetter(_func_code)
  456. get_function_defaults = operator.attrgetter(_func_defaults)
  457. get_function_globals = operator.attrgetter(_func_globals)
  458. if PY3:
  459. def iterkeys(d, **kw):
  460. return iter(d.keys(**kw))
  461. def itervalues(d, **kw):
  462. return iter(d.values(**kw))
  463. def iteritems(d, **kw):
  464. return iter(d.items(**kw))
  465. def iterlists(d, **kw):
  466. return iter(d.lists(**kw))
  467. viewkeys = operator.methodcaller("keys")
  468. viewvalues = operator.methodcaller("values")
  469. viewitems = operator.methodcaller("items")
  470. else:
  471. def iterkeys(d, **kw):
  472. return d.iterkeys(**kw)
  473. def itervalues(d, **kw):
  474. return d.itervalues(**kw)
  475. def iteritems(d, **kw):
  476. return d.iteritems(**kw)
  477. def iterlists(d, **kw):
  478. return d.iterlists(**kw)
  479. viewkeys = operator.methodcaller("viewkeys")
  480. viewvalues = operator.methodcaller("viewvalues")
  481. viewitems = operator.methodcaller("viewitems")
  482. _add_doc(iterkeys, "Return an iterator over the keys of a dictionary.")
  483. _add_doc(itervalues, "Return an iterator over the values of a dictionary.")
  484. _add_doc(iteritems,
  485. "Return an iterator over the (key, value) pairs of a dictionary.")
  486. _add_doc(iterlists,
  487. "Return an iterator over the (key, [values]) pairs of a dictionary.")
  488. if PY3:
  489. def b(s):
  490. return s.encode("latin-1")
  491. def u(s):
  492. return s
  493. unichr = chr
  494. import struct
  495. int2byte = struct.Struct(">B").pack
  496. del struct
  497. byte2int = operator.itemgetter(0)
  498. indexbytes = operator.getitem
  499. iterbytes = iter
  500. import io
  501. StringIO = io.StringIO
  502. BytesIO = io.BytesIO
  503. _assertCountEqual = "assertCountEqual"
  504. if sys.version_info[1] <= 1:
  505. _assertRaisesRegex = "assertRaisesRegexp"
  506. _assertRegex = "assertRegexpMatches"
  507. else:
  508. _assertRaisesRegex = "assertRaisesRegex"
  509. _assertRegex = "assertRegex"
  510. else:
  511. def b(s):
  512. return s
  513. # Workaround for standalone backslash
  514. def u(s):
  515. return unicode(s.replace(r'\\', r'\\\\'), "unicode_escape")
  516. unichr = unichr
  517. int2byte = chr
  518. def byte2int(bs):
  519. return ord(bs[0])
  520. def indexbytes(buf, i):
  521. return ord(buf[i])
  522. iterbytes = functools.partial(itertools.imap, ord)
  523. import StringIO
  524. StringIO = BytesIO = StringIO.StringIO
  525. _assertCountEqual = "assertItemsEqual"
  526. _assertRaisesRegex = "assertRaisesRegexp"
  527. _assertRegex = "assertRegexpMatches"
  528. _add_doc(b, """Byte literal""")
  529. _add_doc(u, """Text literal""")
  530. def assertCountEqual(self, *args, **kwargs):
  531. return getattr(self, _assertCountEqual)(*args, **kwargs)
  532. def assertRaisesRegex(self, *args, **kwargs):
  533. return getattr(self, _assertRaisesRegex)(*args, **kwargs)
  534. def assertRegex(self, *args, **kwargs):
  535. return getattr(self, _assertRegex)(*args, **kwargs)
  536. if PY3:
  537. exec_ = getattr(moves.builtins, "exec")
  538. def reraise(tp, value, tb=None):
  539. try:
  540. if value is None:
  541. value = tp()
  542. if value.__traceback__ is not tb:
  543. raise value.with_traceback(tb)
  544. raise value
  545. finally:
  546. value = None
  547. tb = None
  548. else:
  549. def exec_(_code_, _globs_=None, _locs_=None):
  550. """Execute code in a namespace."""
  551. if _globs_ is None:
  552. frame = sys._getframe(1)
  553. _globs_ = frame.f_globals
  554. if _locs_ is None:
  555. _locs_ = frame.f_locals
  556. del frame
  557. elif _locs_ is None:
  558. _locs_ = _globs_
  559. exec("""exec _code_ in _globs_, _locs_""")
  560. exec_("""def reraise(tp, value, tb=None):
  561. try:
  562. raise tp, value, tb
  563. finally:
  564. tb = None
  565. """)
  566. if sys.version_info[:2] == (3, 2):
  567. exec_("""def raise_from(value, from_value):
  568. try:
  569. if from_value is None:
  570. raise value
  571. raise value from from_value
  572. finally:
  573. value = None
  574. """)
  575. elif sys.version_info[:2] > (3, 2):
  576. exec_("""def raise_from(value, from_value):
  577. try:
  578. raise value from from_value
  579. finally:
  580. value = None
  581. """)
  582. else:
  583. def raise_from(value, from_value):
  584. raise value
  585. print_ = getattr(moves.builtins, "print", None)
  586. if print_ is None:
  587. def print_(*args, **kwargs):
  588. """The new-style print function for Python 2.4 and 2.5."""
  589. fp = kwargs.pop("file", sys.stdout)
  590. if fp is None:
  591. return
  592. def write(data):
  593. if not isinstance(data, basestring):
  594. data = str(data)
  595. # If the file has an encoding, encode unicode with it.
  596. if (isinstance(fp, file) and
  597. isinstance(data, unicode) and
  598. fp.encoding is not None):
  599. errors = getattr(fp, "errors", None)
  600. if errors is None:
  601. errors = "strict"
  602. data = data.encode(fp.encoding, errors)
  603. fp.write(data)
  604. want_unicode = False
  605. sep = kwargs.pop("sep", None)
  606. if sep is not None:
  607. if isinstance(sep, unicode):
  608. want_unicode = True
  609. elif not isinstance(sep, str):
  610. raise TypeError("sep must be None or a string")
  611. end = kwargs.pop("end", None)
  612. if end is not None:
  613. if isinstance(end, unicode):
  614. want_unicode = True
  615. elif not isinstance(end, str):
  616. raise TypeError("end must be None or a string")
  617. if kwargs:
  618. raise TypeError("invalid keyword arguments to print()")
  619. if not want_unicode:
  620. for arg in args:
  621. if isinstance(arg, unicode):
  622. want_unicode = True
  623. break
  624. if want_unicode:
  625. newline = unicode("\n")
  626. space = unicode(" ")
  627. else:
  628. newline = "\n"
  629. space = " "
  630. if sep is None:
  631. sep = space
  632. if end is None:
  633. end = newline
  634. for i, arg in enumerate(args):
  635. if i:
  636. write(sep)
  637. write(arg)
  638. write(end)
  639. if sys.version_info[:2] < (3, 3):
  640. _print = print_
  641. def print_(*args, **kwargs):
  642. fp = kwargs.get("file", sys.stdout)
  643. flush = kwargs.pop("flush", False)
  644. _print(*args, **kwargs)
  645. if flush and fp is not None:
  646. fp.flush()
  647. _add_doc(reraise, """Reraise an exception.""")
  648. if sys.version_info[0:2] < (3, 4):
  649. def wraps(wrapped, assigned=functools.WRAPPER_ASSIGNMENTS,
  650. updated=functools.WRAPPER_UPDATES):
  651. def wrapper(f):
  652. f = functools.wraps(wrapped, assigned, updated)(f)
  653. f.__wrapped__ = wrapped
  654. return f
  655. return wrapper
  656. else:
  657. wraps = functools.wraps
  658. def with_metaclass(meta, *bases):
  659. """Create a base class with a metaclass."""
  660. # This requires a bit of explanation: the basic idea is to make a dummy
  661. # metaclass for one level of class instantiation that replaces itself with
  662. # the actual metaclass.
  663. class metaclass(type):
  664. def __new__(cls, name, this_bases, d):
  665. return meta(name, bases, d)
  666. @classmethod
  667. def __prepare__(cls, name, this_bases):
  668. return meta.__prepare__(name, bases)
  669. return type.__new__(metaclass, 'temporary_class', (), {})
  670. def add_metaclass(metaclass):
  671. """Class decorator for creating a class with a metaclass."""
  672. def wrapper(cls):
  673. orig_vars = cls.__dict__.copy()
  674. slots = orig_vars.get('__slots__')
  675. if slots is not None:
  676. if isinstance(slots, str):
  677. slots = [slots]
  678. for slots_var in slots:
  679. orig_vars.pop(slots_var)
  680. orig_vars.pop('__dict__', None)
  681. orig_vars.pop('__weakref__', None)
  682. return metaclass(cls.__name__, cls.__bases__, orig_vars)
  683. return wrapper
  684. def python_2_unicode_compatible(klass):
  685. """
  686. A decorator that defines __unicode__ and __str__ methods under Python 2.
  687. Under Python 3 it does nothing.
  688. To support Python 2 and 3 with a single code base, define a __str__ method
  689. returning text and apply this decorator to the class.
  690. """
  691. if PY2:
  692. if '__str__' not in klass.__dict__:
  693. raise ValueError("@python_2_unicode_compatible cannot be applied "
  694. "to %s because it doesn't define __str__()." %
  695. klass.__name__)
  696. klass.__unicode__ = klass.__str__
  697. klass.__str__ = lambda self: self.__unicode__().encode('utf-8')
  698. return klass
  699. # Complete the moves implementation.
  700. # This code is at the end of this module to speed up module loading.
  701. # Turn this module into a package.
  702. __path__ = [] # required for PEP 302 and PEP 451
  703. __package__ = __name__ # see PEP 366 @ReservedAssignment
  704. if globals().get("__spec__") is not None:
  705. __spec__.submodule_search_locations = [] # PEP 451 @UndefinedVariable
  706. # Remove other six meta path importers, since they cause problems. This can
  707. # happen if six is removed from sys.modules and then reloaded. (Setuptools does
  708. # this for some reason.)
  709. if sys.meta_path:
  710. for i, importer in enumerate(sys.meta_path):
  711. # Here's some real nastiness: Another "instance" of the six module might
  712. # be floating around. Therefore, we can't use isinstance() to check for
  713. # the six meta path importer, since the other six instance will have
  714. # inserted an importer with different class.
  715. if (type(importer).__name__ == "_SixMetaPathImporter" and
  716. importer.name == __name__):
  717. del sys.meta_path[i]
  718. break
  719. del i, importer
  720. # Finally, add the importer to the meta path import hook.
  721. sys.meta_path.append(_importer)