### 导航
- [索引](../genindex.xhtml "总目录")
- [模块](../py-modindex.xhtml "Python 模块索引") |
- [下一页](3.2.xhtml "What's New In Python 3.2") |
- [上一页](3.4.xhtml "What's New In Python 3.4") |
- ![](https://box.kancloud.cn/a721fc7ec672275e257bbbfde49a4d4e_16x16.png)
- [Python](https://www.python.org/) »
- zh\_CN 3.7.3 [文档](../index.xhtml) »
- [Python 有什么新变化?](index.xhtml) »
- $('.inline-search').show(0); |
# What's New In Python 3.3
This article explains the new features in Python 3.3, compared to 3.2. Python 3.3 was released on September 29, 2012. For full details, see the [changelog](https://docs.python.org/3.3/whatsnew/changelog.html) \[https://docs.python.org/3.3/whatsnew/changelog.html\].
参见
[**PEP 398**](https://www.python.org/dev/peps/pep-0398) \[https://www.python.org/dev/peps/pep-0398\] - Python 3.3 Release Schedule
## 摘要 - 发布重点
新的语法特性:
- New `yield from` expression for [generator delegation](#pep-380).
- The `u'unicode'` syntax is accepted again for [`str`](../library/stdtypes.xhtml#str "str") objects.
新的库模块:
- [`faulthandler`](../library/faulthandler.xhtml#module-faulthandler "faulthandler: Dump the Python traceback.") (helps debugging low-level crashes)
- [`ipaddress`](../library/ipaddress.xhtml#module-ipaddress "ipaddress: IPv4/IPv6 manipulation library.") (high-level objects representing IP addresses and masks)
- [`lzma`](../library/lzma.xhtml#module-lzma "lzma: A Python wrapper for the liblzma compression library.") (compress data using the XZ / LZMA algorithm)
- [`unittest.mock`](../library/unittest.mock.xhtml#module-unittest.mock "unittest.mock: Mock object library.") (replace parts of your system under test with mock objects)
- [`venv`](../library/venv.xhtml#module-venv "venv: Creation of virtual environments.") (Python [virtual environments](#pep-405), as in the popular `virtualenv` package)
新的内置特性:
- Reworked [I/O exception hierarchy](#pep-3151).
Implementation improvements:
- Rewritten [import machinery](#importlib) based on [`importlib`](../library/importlib.xhtml#module-importlib "importlib: The implementation of the import machinery.").
- More compact [unicode strings](#pep-393).
- More compact [attribute dictionaries](#pep-412).
Significantly Improved Library Modules:
- C Accelerator for the [decimal](#new-decimal) module.
- Better unicode handling in the [email](#new-email) module ([provisional](../glossary.xhtml#term-provisional-package)).
安全改进:
- Hash randomization is switched on by default.
Please read on for a comprehensive list of user-facing changes.
## PEP 405: Virtual Environments
Virtual environments help create separate Python setups while sharing a system-wide base install, for ease of maintenance. Virtual environments have their own set of private site packages (i.e. locally-installed libraries), and are optionally segregated from the system-wide site packages. Their concept and implementation are inspired by the popular `virtualenv` third-party package, but benefit from tighter integration with the interpreter core.
This PEP adds the [`venv`](../library/venv.xhtml#module-venv "venv: Creation of virtual environments.") module for programmatic access, and the `pyvenv` script for command-line access and administration. The Python interpreter checks for a `pyvenv.cfg`, file whose existence signals the base of a virtual environment's directory tree.
参见
[**PEP 405**](https://www.python.org/dev/peps/pep-0405) \[https://www.python.org/dev/peps/pep-0405\] - Python Virtual EnvironmentsPEP written by Carl Meyer; implementation by Carl Meyer and Vinay Sajip
## PEP 420: Implicit Namespace Packages
Native support for package directories that don't require `__init__.py`marker files and can automatically span multiple path segments (inspired by various third party approaches to namespace packages, as described in [**PEP 420**](https://www.python.org/dev/peps/pep-0420) \[https://www.python.org/dev/peps/pep-0420\])
参见
[**PEP 420**](https://www.python.org/dev/peps/pep-0420) \[https://www.python.org/dev/peps/pep-0420\] - Implicit Namespace PackagesPEP written by Eric V. Smith; implementation by Eric V. Smith and Barry Warsaw
## PEP 3118: New memoryview implementation and buffer protocol documentation
The implementation of [**PEP 3118**](https://www.python.org/dev/peps/pep-3118) \[https://www.python.org/dev/peps/pep-3118\] has been significantly improved.
The new memoryview implementation comprehensively fixes all ownership and lifetime issues of dynamically allocated fields in the Py\_buffer struct that led to multiple crash reports. Additionally, several functions that crashed or returned incorrect results for non-contiguous or multi-dimensional input have been fixed.
The memoryview object now has a PEP-3118 compliant getbufferproc() that checks the consumer's request type. Many new features have been added, most of them work in full generality for non-contiguous arrays and arrays with suboffsets.
The documentation has been updated, clearly spelling out responsibilities for both exporters and consumers. Buffer request flags are grouped into basic and compound flags. The memory layout of non-contiguous and multi-dimensional NumPy-style arrays is explained.
### 相关特性
- All native single character format specifiers in struct module syntax (optionally prefixed with '@') are now supported.
- With some restrictions, the cast() method allows changing of format and shape of C-contiguous arrays.
- Multi-dimensional list representations are supported for any array type.
- Multi-dimensional comparisons are supported for any array type.
- One-dimensional memoryviews of hashable (read-only) types with formats B, b or c are now hashable. (Contributed by Antoine Pitrou in [bpo-13411](https://bugs.python.org/issue13411) \[https://bugs.python.org/issue13411\].)
- Arbitrary slicing of any 1-D arrays type is supported. For example, it is now possible to reverse a memoryview in O(1) by using a negative step.
### API changes
- The maximum number of dimensions is officially limited to 64.
- The representation of empty shape, strides and suboffsets is now an empty tuple instead of `None`.
- Accessing a memoryview element with format 'B' (unsigned bytes) now returns an integer (in accordance with the struct module syntax). For returning a bytes object the view must be cast to 'c' first.
- memoryview comparisons now use the logical structure of the operands and compare all array elements by value. All format strings in struct module syntax are supported. Views with unrecognised format strings are still permitted, but will always compare as unequal, regardless of view contents.
- For further changes see [Build and C API Changes](#build-and-c-api-changes) and [Porting C code](#porting-c-code).
(Contributed by Stefan Krah in [bpo-10181](https://bugs.python.org/issue10181) \[https://bugs.python.org/issue10181\].)
参见
[**PEP 3118**](https://www.python.org/dev/peps/pep-3118) \[https://www.python.org/dev/peps/pep-3118\] - Revising the Buffer Protocol
## PEP 393: Flexible String Representation
The Unicode string type is changed to support multiple internal representations, depending on the character with the largest Unicode ordinal (1, 2, or 4 bytes) in the represented string. This allows a space-efficient representation in common cases, but gives access to full UCS-4 on all systems. For compatibility with existing APIs, several representations may exist in parallel; over time, this compatibility should be phased out.
On the Python side, there should be no downside to this change.
On the C API side, PEP 393 is fully backward compatible. The legacy API should remain available at least five years. Applications using the legacy API will not fully benefit of the memory reduction, or - worse - may use a bit more memory, because Python may have to maintain two versions of each string (in the legacy format and in the new efficient storage).
### Functionality
Changes introduced by [**PEP 393**](https://www.python.org/dev/peps/pep-0393) \[https://www.python.org/dev/peps/pep-0393\] are the following:
- Python now always supports the full range of Unicode code points, including non-BMP ones (i.e. from `U+0000` to `U+10FFFF`). The distinction between narrow and wide builds no longer exists and Python now behaves like a wide build, even under Windows.
- With the death of narrow builds, the problems specific to narrow builds have also been fixed, for example:
- [`len()`](../library/functions.xhtml#len "len") now always returns 1 for non-BMP characters, so `len('\U0010FFFF') == 1`;
- surrogate pairs are not recombined in string literals, so `'\uDBFF\uDFFF' != '\U0010FFFF'`;
- indexing or slicing non-BMP characters returns the expected value, so `'\U0010FFFF'[0]` now returns `'\U0010FFFF'` and not `'\uDBFF'`;
- all other functions in the standard library now correctly handle non-BMP code points.
- The value of [`sys.maxunicode`](../library/sys.xhtml#sys.maxunicode "sys.maxunicode") is now always `1114111` (`0x10FFFF`in hexadecimal). The `PyUnicode_GetMax()` function still returns either `0xFFFF` or `0x10FFFF` for backward compatibility, and it should not be used with the new Unicode API (see [bpo-13054](https://bugs.python.org/issue13054) \[https://bugs.python.org/issue13054\]).
- The `./configure` flag `--with-wide-unicode` has been removed.
### Performance and resource usage
The storage of Unicode strings now depends on the highest code point in the string:
- pure ASCII and Latin1 strings (`U+0000-U+00FF`) use 1 byte per code point;
- BMP strings (`U+0000-U+FFFF`) use 2 bytes per code point;
- non-BMP strings (`U+10000-U+10FFFF`) use 4 bytes per code point.
The net effect is that for most applications, memory usage of string storage should decrease significantly - especially compared to former wide unicode builds - as, in many cases, strings will be pure ASCII even in international contexts (because many strings store non-human language data, such as XML fragments, HTTP headers, JSON-encoded data, etc.). We also hope that it will, for the same reasons, increase CPU cache efficiency on non-trivial applications. The memory usage of Python 3.3 is two to three times smaller than Python 3.2, and a little bit better than Python 2.7, on a Django benchmark (see the PEP for details).
参见
[**PEP 393**](https://www.python.org/dev/peps/pep-0393) \[https://www.python.org/dev/peps/pep-0393\] - Flexible String RepresentationPEP written by Martin von Löwis; implementation by Torsten Becker and Martin von Löwis.
## PEP 397: Python Launcher for Windows
The Python 3.3 Windows installer now includes a `py` launcher application that can be used to launch Python applications in a version independent fashion.
This launcher is invoked implicitly when double-clicking `*.py` files. If only a single Python version is installed on the system, that version will be used to run the file. If multiple versions are installed, the most recent version is used by default, but this can be overridden by including a Unix-style "shebang line" in the Python script.
The launcher can also be used explicitly from the command line as the `py`application. Running `py` follows the same version selection rules as implicitly launching scripts, but a more specific version can be selected by passing appropriate arguments (such as `-3` to request Python 3 when Python 2 is also installed, or `-2.6` to specifically request an earlier Python version when a more recent version is installed).
In addition to the launcher, the Windows installer now includes an option to add the newly installed Python to the system PATH. (Contributed by Brian Curtin in [bpo-3561](https://bugs.python.org/issue3561) \[https://bugs.python.org/issue3561\].)
参见
[**PEP 397**](https://www.python.org/dev/peps/pep-0397) \[https://www.python.org/dev/peps/pep-0397\] - Python Launcher for WindowsPEP written by Mark Hammond and Martin v. Löwis; implementation by Vinay Sajip.
Launcher documentation: [适用于Windows的Python启动器](../using/windows.xhtml#launcher)
Installer PATH modification: [查找Python可执行文件](../using/windows.xhtml#windows-path-mod)
## PEP 3151: Reworking the OS and IO exception hierarchy
The hierarchy of exceptions raised by operating system errors is now both simplified and finer-grained.
You don't have to worry anymore about choosing the appropriate exception type between [`OSError`](../library/exceptions.xhtml#OSError "OSError"), [`IOError`](../library/exceptions.xhtml#IOError "IOError"), [`EnvironmentError`](../library/exceptions.xhtml#EnvironmentError "EnvironmentError"), [`WindowsError`](../library/exceptions.xhtml#WindowsError "WindowsError"), `mmap.error`, [`socket.error`](../library/socket.xhtml#socket.error "socket.error") or [`select.error`](../library/select.xhtml#select.error "select.error"). All these exception types are now only one: [`OSError`](../library/exceptions.xhtml#OSError "OSError"). The other names are kept as aliases for compatibility reasons.
Also, it is now easier to catch a specific error condition. Instead of inspecting the `errno` attribute (or `args[0]`) for a particular constant from the [`errno`](../library/errno.xhtml#module-errno "errno: Standard errno system symbols.") module, you can catch the adequate [`OSError`](../library/exceptions.xhtml#OSError "OSError") subclass. The available subclasses are the following:
- [`BlockingIOError`](../library/exceptions.xhtml#BlockingIOError "BlockingIOError")
- [`ChildProcessError`](../library/exceptions.xhtml#ChildProcessError "ChildProcessError")
- [`ConnectionError`](../library/exceptions.xhtml#ConnectionError "ConnectionError")
- [`FileExistsError`](../library/exceptions.xhtml#FileExistsError "FileExistsError")
- [`FileNotFoundError`](../library/exceptions.xhtml#FileNotFoundError "FileNotFoundError")
- [`InterruptedError`](../library/exceptions.xhtml#InterruptedError "InterruptedError")
- [`IsADirectoryError`](../library/exceptions.xhtml#IsADirectoryError "IsADirectoryError")
- [`NotADirectoryError`](../library/exceptions.xhtml#NotADirectoryError "NotADirectoryError")
- [`PermissionError`](../library/exceptions.xhtml#PermissionError "PermissionError")
- [`ProcessLookupError`](../library/exceptions.xhtml#ProcessLookupError "ProcessLookupError")
- [`TimeoutError`](../library/exceptions.xhtml#TimeoutError "TimeoutError")
And the [`ConnectionError`](../library/exceptions.xhtml#ConnectionError "ConnectionError") itself has finer-grained subclasses:
- [`BrokenPipeError`](../library/exceptions.xhtml#BrokenPipeError "BrokenPipeError")
- [`ConnectionAbortedError`](../library/exceptions.xhtml#ConnectionAbortedError "ConnectionAbortedError")
- [`ConnectionRefusedError`](../library/exceptions.xhtml#ConnectionRefusedError "ConnectionRefusedError")
- [`ConnectionResetError`](../library/exceptions.xhtml#ConnectionResetError "ConnectionResetError")
Thanks to the new exceptions, common usages of the [`errno`](../library/errno.xhtml#module-errno "errno: Standard errno system symbols.") can now be avoided. For example, the following code written for Python 3.2:
```
from errno import ENOENT, EACCES, EPERM
try:
with open("document.txt") as f:
content = f.read()
except IOError as err:
if err.errno == ENOENT:
print("document.txt file is missing")
elif err.errno in (EACCES, EPERM):
print("You are not allowed to read document.txt")
else:
raise
```
can now be written without the [`errno`](../library/errno.xhtml#module-errno "errno: Standard errno system symbols.") import and without manual inspection of exception attributes:
```
try:
with open("document.txt") as f:
content = f.read()
except FileNotFoundError:
print("document.txt file is missing")
except PermissionError:
print("You are not allowed to read document.txt")
```
参见
[**PEP 3151**](https://www.python.org/dev/peps/pep-3151) \[https://www.python.org/dev/peps/pep-3151\] - Reworking the OS and IO Exception HierarchyPEP written and implemented by Antoine Pitrou
## PEP 380: Syntax for Delegating to a Subgenerator
PEP 380 adds the `yield from` expression, allowing a [generator](../glossary.xhtml#term-generator) to delegate part of its operations to another generator. This allows a section of code containing [`yield`](../reference/simple_stmts.xhtml#yield) to be factored out and placed in another generator. Additionally, the subgenerator is allowed to return with a value, and the value is made available to the delegating generator.
While designed primarily for use in delegating to a subgenerator, the
```
yield
from
```
expression actually allows delegation to arbitrary subiterators.
For simple iterators, `yield from iterable` is essentially just a shortened form of `for item in iterable: yield item`:
```
>>> def g(x):
... yield from range(x, 0, -1)
... yield from range(x)
...
>>> list(g(5))
[5, 4, 3, 2, 1, 0, 1, 2, 3, 4]
```
However, unlike an ordinary loop, `yield from` allows subgenerators to receive sent and thrown values directly from the calling scope, and return a final value to the outer generator:
```
>>> def accumulate():
... tally = 0
... while 1:
... next = yield
... if next is None:
... return tally
... tally += next
...
>>> def gather_tallies(tallies):
... while 1:
... tally = yield from accumulate()
... tallies.append(tally)
...
>>> tallies = []
>>> acc = gather_tallies(tallies)
>>> next(acc) # Ensure the accumulator is ready to accept values
>>> for i in range(4):
... acc.send(i)
...
>>> acc.send(None) # Finish the first tally
>>> for i in range(5):
... acc.send(i)
...
>>> acc.send(None) # Finish the second tally
>>> tallies
[6, 10]
```
The main principle driving this change is to allow even generators that are designed to be used with the `send` and `throw` methods to be split into multiple subgenerators as easily as a single large function can be split into multiple subfunctions.
参见
[**PEP 380**](https://www.python.org/dev/peps/pep-0380) \[https://www.python.org/dev/peps/pep-0380\] - 委托给子生成器的语法PEP written by Greg Ewing; implementation by Greg Ewing, integrated into 3.3 by Renaud Blanch, Ryan Kelly and Nick Coghlan; documentation by Zbigniew Jędrzejewski-Szmek and Nick Coghlan
## PEP 409: Suppressing exception context
PEP 409 introduces new syntax that allows the display of the chained exception context to be disabled. This allows cleaner error messages in applications that convert between exception types:
```
>>> class D:
... def __init__(self, extra):
... self._extra_attributes = extra
... def __getattr__(self, attr):
... try:
... return self._extra_attributes[attr]
... except KeyError:
... raise AttributeError(attr) from None
...
>>> D({}).x
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 8, in __getattr__
AttributeError: x
```
Without the `from None` suffix to suppress the cause, the original exception would be displayed by default:
```
>>> class C:
... def __init__(self, extra):
... self._extra_attributes = extra
... def __getattr__(self, attr):
... try:
... return self._extra_attributes[attr]
... except KeyError:
... raise AttributeError(attr)
...
>>> C({}).x
Traceback (most recent call last):
File "<stdin>", line 6, in __getattr__
KeyError: 'x'
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 8, in __getattr__
AttributeError: x
```
No debugging capability is lost, as the original exception context remains available if needed (for example, if an intervening library has incorrectly suppressed valuable underlying details):
```
>>> try:
... D({}).x
... except AttributeError as exc:
... print(repr(exc.__context__))
...
KeyError('x',)
```
参见
[**PEP 409**](https://www.python.org/dev/peps/pep-0409) \[https://www.python.org/dev/peps/pep-0409\] - Suppressing exception contextPEP written by Ethan Furman; implemented by Ethan Furman and Nick Coghlan.
## PEP 414: Explicit Unicode literals
To ease the transition from Python 2 for Unicode aware Python applications that make heavy use of Unicode literals, Python 3.3 once again supports the "`u`" prefix for string literals. This prefix has no semantic significance in Python 3, it is provided solely to reduce the number of purely mechanical changes in migrating to Python 3, making it easier for developers to focus on the more significant semantic changes (such as the stricter default separation of binary and text data).
参见
[**PEP 414**](https://www.python.org/dev/peps/pep-0414) \[https://www.python.org/dev/peps/pep-0414\] - Explicit Unicode literalsPEP written by Armin Ronacher.
## PEP 3155: Qualified name for classes and functions
Functions and class objects have a new `__qualname__` attribute representing the "path" from the module top-level to their definition. For global functions and classes, this is the same as `__name__`. For other functions and classes, it provides better information about where they were actually defined, and how they might be accessible from the global scope.
Example with (non-bound) methods:
```
>>> class C:
... def meth(self):
... pass
>>> C.meth.__name__
'meth'
>>> C.meth.__qualname__
'C.meth'
```
Example with nested classes:
```
>>> class C:
... class D:
... def meth(self):
... pass
...
>>> C.D.__name__
'D'
>>> C.D.__qualname__
'C.D'
>>> C.D.meth.__name__
'meth'
>>> C.D.meth.__qualname__
'C.D.meth'
```
Example with nested functions:
```
>>> def outer():
... def inner():
... pass
... return inner
...
>>> outer().__name__
'inner'
>>> outer().__qualname__
'outer.<locals>.inner'
```
The string representation of those objects is also changed to include the new, more precise information:
```
>>> str(C.D)
"<class '__main__.C.D'>"
>>> str(C.D.meth)
'<function C.D.meth at 0x7f46b9fe31e0>'
```
参见
[**PEP 3155**](https://www.python.org/dev/peps/pep-3155) \[https://www.python.org/dev/peps/pep-3155\] - Qualified name for classes and functionsPEP written and implemented by Antoine Pitrou.
## PEP 412: Key-Sharing Dictionary
Dictionaries used for the storage of objects' attributes are now able to share part of their internal storage between each other (namely, the part which stores the keys and their respective hashes). This reduces the memory consumption of programs creating many instances of non-builtin types.
参见
[**PEP 412**](https://www.python.org/dev/peps/pep-0412) \[https://www.python.org/dev/peps/pep-0412\] - Key-Sharing DictionaryPEP written and implemented by Mark Shannon.
## PEP 362: Function Signature Object
A new function [`inspect.signature()`](../library/inspect.xhtml#inspect.signature "inspect.signature") makes introspection of python callables easy and straightforward. A broad range of callables is supported: python functions, decorated or not, classes, and [`functools.partial()`](../library/functools.xhtml#functools.partial "functools.partial")objects. New classes [`inspect.Signature`](../library/inspect.xhtml#inspect.Signature "inspect.Signature"), [`inspect.Parameter`](../library/inspect.xhtml#inspect.Parameter "inspect.Parameter")and [`inspect.BoundArguments`](../library/inspect.xhtml#inspect.BoundArguments "inspect.BoundArguments") hold information about the call signatures, such as, annotations, default values, parameters kinds, and bound arguments, which considerably simplifies writing decorators and any code that validates or amends calling signatures or arguments.
参见
[**PEP 362**](https://www.python.org/dev/peps/pep-0362) \[https://www.python.org/dev/peps/pep-0362\]: - Function Signature ObjectPEP written by Brett Cannon, Yury Selivanov, Larry Hastings, Jiwon Seo; implemented by Yury Selivanov.
## PEP 421: Adding sys.implementation
A new attribute on the [`sys`](../library/sys.xhtml#module-sys "sys: Access system-specific parameters and functions.") module exposes details specific to the implementation of the currently running interpreter. The initial set of attributes on [`sys.implementation`](../library/sys.xhtml#sys.implementation "sys.implementation") are `name`, `version`, `hexversion`, and `cache_tag`.
The intention of `sys.implementation` is to consolidate into one namespace the implementation-specific data used by the standard library. This allows different Python implementations to share a single standard library code base much more easily. In its initial state, `sys.implementation` holds only a small portion of the implementation-specific data. Over time that ratio will shift in order to make the standard library more portable.
One example of improved standard library portability is `cache_tag`. As of Python 3.3, `sys.implementation.cache_tag` is used by [`importlib`](../library/importlib.xhtml#module-importlib "importlib: The implementation of the import machinery.") to support [**PEP 3147**](https://www.python.org/dev/peps/pep-3147) \[https://www.python.org/dev/peps/pep-3147\] compliance. Any Python implementation that uses `importlib` for its built-in import system may use `cache_tag` to control the caching behavior for modules.
### SimpleNamespace
The implementation of `sys.implementation` also introduces a new type to Python: [`types.SimpleNamespace`](../library/types.xhtml#types.SimpleNamespace "types.SimpleNamespace"). In contrast to a mapping-based namespace, like [`dict`](../library/stdtypes.xhtml#dict "dict"), `SimpleNamespace` is attribute-based, like [`object`](../library/functions.xhtml#object "object"). However, unlike `object`, `SimpleNamespace` instances are writable. This means that you can add, remove, and modify the namespace through normal attribute access.
参见
[**PEP 421**](https://www.python.org/dev/peps/pep-0421) \[https://www.python.org/dev/peps/pep-0421\] - Adding sys.implementationPEP written and implemented by Eric Snow.
## Using importlib as the Implementation of Import
[bpo-2377](https://bugs.python.org/issue2377) \[https://bugs.python.org/issue2377\] - Replace \_\_import\_\_ w/ importlib.\_\_import\_\_ [bpo-13959](https://bugs.python.org/issue13959) \[https://bugs.python.org/issue13959\] - Re-implement parts of [`imp`](../library/imp.xhtml#module-imp "imp: Access the implementation of the import statement. (已移除)") in pure Python [bpo-14605](https://bugs.python.org/issue14605) \[https://bugs.python.org/issue14605\] - Make import machinery explicit [bpo-14646](https://bugs.python.org/issue14646) \[https://bugs.python.org/issue14646\] - Require loaders set \_\_loader\_\_ and \_\_package\_\_
The [`__import__()`](../library/functions.xhtml#__import__ "__import__") function is now powered by [`importlib.__import__()`](../library/importlib.xhtml#importlib.__import__ "importlib.__import__"). This work leads to the completion of "phase 2" of [**PEP 302**](https://www.python.org/dev/peps/pep-0302) \[https://www.python.org/dev/peps/pep-0302\]. There are multiple benefits to this change. First, it has allowed for more of the machinery powering import to be exposed instead of being implicit and hidden within the C code. It also provides a single implementation for all Python VMs supporting Python 3.3 to use, helping to end any VM-specific deviations in import semantics. And finally it eases the maintenance of import, allowing for future growth to occur.
For the common user, there should be no visible change in semantics. For those whose code currently manipulates import or calls import programmatically, the code changes that might possibly be required are covered in the [Porting Python code](#porting-python-code) section of this document.
### New APIs
One of the large benefits of this work is the exposure of what goes into making the import statement work. That means the various importers that were once implicit are now fully exposed as part of the [`importlib`](../library/importlib.xhtml#module-importlib "importlib: The implementation of the import machinery.") package.
The abstract base classes defined in [`importlib.abc`](../library/importlib.xhtml#module-importlib.abc "importlib.abc: Abstract base classes related to import") have been expanded to properly delineate between [meta path finders](../glossary.xhtml#term-meta-path-finder)and [path entry finders](../glossary.xhtml#term-path-entry-finder) by introducing [`importlib.abc.MetaPathFinder`](../library/importlib.xhtml#importlib.abc.MetaPathFinder "importlib.abc.MetaPathFinder") and [`importlib.abc.PathEntryFinder`](../library/importlib.xhtml#importlib.abc.PathEntryFinder "importlib.abc.PathEntryFinder"), respectively. The old ABC of [`importlib.abc.Finder`](../library/importlib.xhtml#importlib.abc.Finder "importlib.abc.Finder") is now only provided for backwards-compatibility and does not enforce any method requirements.
In terms of finders, [`importlib.machinery.FileFinder`](../library/importlib.xhtml#importlib.machinery.FileFinder "importlib.machinery.FileFinder") exposes the mechanism used to search for source and bytecode files of a module. Previously this class was an implicit member of [`sys.path_hooks`](../library/sys.xhtml#sys.path_hooks "sys.path_hooks").
For loaders, the new abstract base class [`importlib.abc.FileLoader`](../library/importlib.xhtml#importlib.abc.FileLoader "importlib.abc.FileLoader") helps write a loader that uses the file system as the storage mechanism for a module's code. The loader for source files ([`importlib.machinery.SourceFileLoader`](../library/importlib.xhtml#importlib.machinery.SourceFileLoader "importlib.machinery.SourceFileLoader")), sourceless bytecode files ([`importlib.machinery.SourcelessFileLoader`](../library/importlib.xhtml#importlib.machinery.SourcelessFileLoader "importlib.machinery.SourcelessFileLoader")), and extension modules ([`importlib.machinery.ExtensionFileLoader`](../library/importlib.xhtml#importlib.machinery.ExtensionFileLoader "importlib.machinery.ExtensionFileLoader")) are now available for direct use.
[`ImportError`](../library/exceptions.xhtml#ImportError "ImportError") now has `name` and `path` attributes which are set when there is relevant data to provide. The message for failed imports will also provide the full name of the module now instead of just the tail end of the module's name.
The [`importlib.invalidate_caches()`](../library/importlib.xhtml#importlib.invalidate_caches "importlib.invalidate_caches") function will now call the method with the same name on all finders cached in [`sys.path_importer_cache`](../library/sys.xhtml#sys.path_importer_cache "sys.path_importer_cache") to help clean up any stored state as necessary.
### Visible Changes
For potential required changes to code, see the [Porting Python code](#porting-python-code)section.
Beyond the expanse of what [`importlib`](../library/importlib.xhtml#module-importlib "importlib: The implementation of the import machinery.") now exposes, there are other visible changes to import. The biggest is that [`sys.meta_path`](../library/sys.xhtml#sys.meta_path "sys.meta_path") and [`sys.path_hooks`](../library/sys.xhtml#sys.path_hooks "sys.path_hooks") now store all of the meta path finders and path entry hooks used by import. Previously the finders were implicit and hidden within the C code of import instead of being directly exposed. This means that one can now easily remove or change the order of the various finders to fit one's needs.
Another change is that all modules have a `__loader__` attribute, storing the loader used to create the module. [**PEP 302**](https://www.python.org/dev/peps/pep-0302) \[https://www.python.org/dev/peps/pep-0302\] has been updated to make this attribute mandatory for loaders to implement, so in the future once 3rd-party loaders have been updated people will be able to rely on the existence of the attribute. Until such time, though, import is setting the module post-load.
Loaders are also now expected to set the `__package__` attribute from [**PEP 366**](https://www.python.org/dev/peps/pep-0366) \[https://www.python.org/dev/peps/pep-0366\]. Once again, import itself is already setting this on all loaders from [`importlib`](../library/importlib.xhtml#module-importlib "importlib: The implementation of the import machinery.") and import itself is setting the attribute post-load.
`None` is now inserted into [`sys.path_importer_cache`](../library/sys.xhtml#sys.path_importer_cache "sys.path_importer_cache") when no finder can be found on [`sys.path_hooks`](../library/sys.xhtml#sys.path_hooks "sys.path_hooks"). Since [`imp.NullImporter`](../library/imp.xhtml#imp.NullImporter "imp.NullImporter") is not directly exposed on [`sys.path_hooks`](../library/sys.xhtml#sys.path_hooks "sys.path_hooks") it could no longer be relied upon to always be available to use as a value representing no finder found.
All other changes relate to semantic changes which should be taken into consideration when updating code for Python 3.3, and thus should be read about in the [Porting Python code](#porting-python-code) section of this document.
(Implementation by Brett Cannon)
## 其他语言特性修改
Some smaller changes made to the core Python language are:
- Added support for Unicode name aliases and named sequences. Both [`unicodedata.lookup()`](../library/unicodedata.xhtml#unicodedata.lookup "unicodedata.lookup") and `'\N{...}'` now resolve name aliases, and [`unicodedata.lookup()`](../library/unicodedata.xhtml#unicodedata.lookup "unicodedata.lookup") resolves named sequences too.
(Contributed by Ezio Melotti in [bpo-12753](https://bugs.python.org/issue12753) \[https://bugs.python.org/issue12753\].)
- Unicode database updated to UCD version 6.1.0
- Equality comparisons on [`range()`](../library/stdtypes.xhtml#range "range") objects now return a result reflecting the equality of the underlying sequences generated by those range objects. ([bpo-13201](https://bugs.python.org/issue13201) \[https://bugs.python.org/issue13201\])
- The `count()`, `find()`, `rfind()`, `index()` and `rindex()`methods of [`bytes`](../library/stdtypes.xhtml#bytes "bytes") and [`bytearray`](../library/stdtypes.xhtml#bytearray "bytearray") objects now accept an integer between 0 and 255 as their first argument.
(Contributed by Petri Lehtinen in [bpo-12170](https://bugs.python.org/issue12170) \[https://bugs.python.org/issue12170\].)
- The `rjust()`, `ljust()`, and `center()` methods of [`bytes`](../library/stdtypes.xhtml#bytes "bytes")and [`bytearray`](../library/stdtypes.xhtml#bytearray "bytearray") now accept a [`bytearray`](../library/stdtypes.xhtml#bytearray "bytearray") for the `fill`argument. (Contributed by Petri Lehtinen in [bpo-12380](https://bugs.python.org/issue12380) \[https://bugs.python.org/issue12380\].)
- New methods have been added to [`list`](../library/stdtypes.xhtml#list "list") and [`bytearray`](../library/stdtypes.xhtml#bytearray "bytearray"): `copy()` and `clear()` ([bpo-10516](https://bugs.python.org/issue10516) \[https://bugs.python.org/issue10516\]). Consequently, [`MutableSequence`](../library/collections.abc.xhtml#collections.abc.MutableSequence "collections.abc.MutableSequence") now also defines a `clear()` method ([bpo-11388](https://bugs.python.org/issue11388) \[https://bugs.python.org/issue11388\]).
- Raw bytes literals can now be written `rb"..."` as well as `br"..."`.
(Contributed by Antoine Pitrou in [bpo-13748](https://bugs.python.org/issue13748) \[https://bugs.python.org/issue13748\].)
- [`dict.setdefault()`](../library/stdtypes.xhtml#dict.setdefault "dict.setdefault") now does only one lookup for the given key, making it atomic when used with built-in types.
(Contributed by Filip Gruszczyński in [bpo-13521](https://bugs.python.org/issue13521) \[https://bugs.python.org/issue13521\].)
- The error messages produced when a function call does not match the function signature have been significantly improved.
(Contributed by Benjamin Peterson.)
## A Finer-Grained Import Lock
Previous versions of CPython have always relied on a global import lock. This led to unexpected annoyances, such as deadlocks when importing a module would trigger code execution in a different thread as a side-effect. Clumsy workarounds were sometimes employed, such as the [`PyImport_ImportModuleNoBlock()`](../c-api/import.xhtml#c.PyImport_ImportModuleNoBlock "PyImport_ImportModuleNoBlock") C API function.
In Python 3.3, importing a module takes a per-module lock. This correctly serializes importation of a given module from multiple threads (preventing the exposure of incompletely initialized modules), while eliminating the aforementioned annoyances.
(Contributed by Antoine Pitrou in [bpo-9260](https://bugs.python.org/issue9260) \[https://bugs.python.org/issue9260\].)
## Builtin functions and types
- [`open()`](../library/functions.xhtml#open "open") gets a new *opener* parameter: the underlying file descriptor for the file object is then obtained by calling *opener* with (*file*, *flags*). It can be used to use custom flags like [`os.O_CLOEXEC`](../library/os.xhtml#os.O_CLOEXEC "os.O_CLOEXEC") for example. The `'x'` mode was added: open for exclusive creation, failing if the file already exists.
- [`print()`](../library/functions.xhtml#print "print"): added the *flush* keyword argument. If the *flush* keyword argument is true, the stream is forcibly flushed.
- [`hash()`](../library/functions.xhtml#hash "hash"): hash randomization is enabled by default, see [`object.__hash__()`](../reference/datamodel.xhtml#object.__hash__ "object.__hash__") and [`PYTHONHASHSEED`](../using/cmdline.xhtml#envvar-PYTHONHASHSEED).
- The [`str`](../library/stdtypes.xhtml#str "str") type gets a new [`casefold()`](../library/stdtypes.xhtml#str.casefold "str.casefold") method: return a casefolded copy of the string, casefolded strings may be used for caseless matching. For example, `'ß'.casefold()` returns `'ss'`.
- The sequence documentation has been substantially rewritten to better explain the binary/text sequence distinction and to provide specific documentation sections for the individual builtin sequence types ([bpo-4966](https://bugs.python.org/issue4966) \[https://bugs.python.org/issue4966\]).
## 新增模块
### faulthandler
This new debug module [`faulthandler`](../library/faulthandler.xhtml#module-faulthandler "faulthandler: Dump the Python traceback.") contains functions to dump Python tracebacks explicitly, on a fault (a crash like a segmentation fault), after a timeout, or on a user signal. Call [`faulthandler.enable()`](../library/faulthandler.xhtml#faulthandler.enable "faulthandler.enable") to install fault handlers for the `SIGSEGV`, `SIGFPE`, `SIGABRT`, `SIGBUS`, and `SIGILL` signals. You can also enable them at startup by setting the [`PYTHONFAULTHANDLER`](../using/cmdline.xhtml#envvar-PYTHONFAULTHANDLER) environment variable or by using [`-X`](../using/cmdline.xhtml#id5)`faulthandler` command line option.
Example of a segmentation fault on Linux:
```
$ python -q -X faulthandler
>>> import ctypes
>>> ctypes.string_at(0)
Fatal Python error: Segmentation fault
Current thread 0x00007fb899f39700:
File "/home/python/cpython/Lib/ctypes/__init__.py", line 486 in string_at
File "<stdin>", line 1 in <module>
Segmentation fault
```
### ipaddress
The new [`ipaddress`](../library/ipaddress.xhtml#module-ipaddress "ipaddress: IPv4/IPv6 manipulation library.") module provides tools for creating and manipulating objects representing IPv4 and IPv6 addresses, networks and interfaces (i.e. an IP address associated with a specific IP subnet).
(Contributed by Google and Peter Moody in [**PEP 3144**](https://www.python.org/dev/peps/pep-3144) \[https://www.python.org/dev/peps/pep-3144\].)
### lzma
The newly-added [`lzma`](../library/lzma.xhtml#module-lzma "lzma: A Python wrapper for the liblzma compression library.") module provides data compression and decompression using the LZMA algorithm, including support for the `.xz` and `.lzma`file formats.
(Contributed by Nadeem Vawda and Per Øyvind Karlsen in [bpo-6715](https://bugs.python.org/issue6715) \[https://bugs.python.org/issue6715\].)
## 改进的模块
### abc
Improved support for abstract base classes containing descriptors composed with abstract methods. The recommended approach to declaring abstract descriptors is now to provide `__isabstractmethod__` as a dynamically updated property. The built-in descriptors have been updated accordingly.
> - [`abc.abstractproperty`](../library/abc.xhtml#abc.abstractproperty "abc.abstractproperty") has been deprecated, use [`property`](../library/functions.xhtml#property "property")with [`abc.abstractmethod()`](../library/abc.xhtml#abc.abstractmethod "abc.abstractmethod") instead.
> - [`abc.abstractclassmethod`](../library/abc.xhtml#abc.abstractclassmethod "abc.abstractclassmethod") has been deprecated, use [`classmethod`](../library/functions.xhtml#classmethod "classmethod") with [`abc.abstractmethod()`](../library/abc.xhtml#abc.abstractmethod "abc.abstractmethod") instead.
> - [`abc.abstractstaticmethod`](../library/abc.xhtml#abc.abstractstaticmethod "abc.abstractstaticmethod") has been deprecated, use [`staticmethod`](../library/functions.xhtml#staticmethod "staticmethod") with [`abc.abstractmethod()`](../library/abc.xhtml#abc.abstractmethod "abc.abstractmethod") instead.
(Contributed by Darren Dale in [bpo-11610](https://bugs.python.org/issue11610) \[https://bugs.python.org/issue11610\].)
[`abc.ABCMeta.register()`](../library/abc.xhtml#abc.ABCMeta.register "abc.ABCMeta.register") now returns the registered subclass, which means it can now be used as a class decorator ([bpo-10868](https://bugs.python.org/issue10868) \[https://bugs.python.org/issue10868\]).
### array
The [`array`](../library/array.xhtml#module-array "array: Space efficient arrays of uniformly typed numeric values.") module supports the `long long` type using `q` and `Q` type codes.
(Contributed by Oren Tirosh and Hirokazu Yamamoto in [bpo-1172711](https://bugs.python.org/issue1172711) \[https://bugs.python.org/issue1172711\].)
### base64
ASCII-only Unicode strings are now accepted by the decoding functions of the [`base64`](../library/base64.xhtml#module-base64 "base64: RFC 3548: Base16, Base32, Base64 Data Encodings; Base85 and Ascii85") modern interface. For example, `base64.b64decode('YWJj')`returns `b'abc'`. (Contributed by Catalin Iacob in [bpo-13641](https://bugs.python.org/issue13641) \[https://bugs.python.org/issue13641\].)
### binascii
In addition to the binary objects they normally accept, the `a2b_` functions now all also accept ASCII-only strings as input. (Contributed by Antoine Pitrou in [bpo-13637](https://bugs.python.org/issue13637) \[https://bugs.python.org/issue13637\].)
### bz2
The [`bz2`](../library/bz2.xhtml#module-bz2 "bz2: Interfaces for bzip2 compression and decompression.") module has been rewritten from scratch. In the process, several new features have been added:
- New [`bz2.open()`](../library/bz2.xhtml#bz2.open "bz2.open") function: open a bzip2-compressed file in binary or text mode.
- [`bz2.BZ2File`](../library/bz2.xhtml#bz2.BZ2File "bz2.BZ2File") can now read from and write to arbitrary file-like objects, by means of its constructor's *fileobj* argument.
(Contributed by Nadeem Vawda in [bpo-5863](https://bugs.python.org/issue5863) \[https://bugs.python.org/issue5863\].)
- [`bz2.BZ2File`](../library/bz2.xhtml#bz2.BZ2File "bz2.BZ2File") and [`bz2.decompress()`](../library/bz2.xhtml#bz2.decompress "bz2.decompress") can now decompress multi-stream inputs (such as those produced by the **pbzip2** tool). [`bz2.BZ2File`](../library/bz2.xhtml#bz2.BZ2File "bz2.BZ2File") can now also be used to create this type of file, using the `'a'` (append) mode.
(Contributed by Nir Aides in [bpo-1625](https://bugs.python.org/issue1625) \[https://bugs.python.org/issue1625\].)
- [`bz2.BZ2File`](../library/bz2.xhtml#bz2.BZ2File "bz2.BZ2File") now implements all of the [`io.BufferedIOBase`](../library/io.xhtml#io.BufferedIOBase "io.BufferedIOBase") API, except for the `detach()` and `truncate()` methods.
### codecs
The [`mbcs`](../library/codecs.xhtml#module-encodings.mbcs "encodings.mbcs: Windows ANSI codepage") codec has been rewritten to handle correctly `replace` and `ignore` error handlers on all Windows versions. The [`mbcs`](../library/codecs.xhtml#module-encodings.mbcs "encodings.mbcs: Windows ANSI codepage") codec now supports all error handlers, instead of only `replace` to encode and `ignore` to decode.
A new Windows-only codec has been added: `cp65001` ([bpo-13216](https://bugs.python.org/issue13216) \[https://bugs.python.org/issue13216\]). It is the Windows code page 65001 (Windows UTF-8, `CP_UTF8`). For example, it is used by `sys.stdout` if the console output code page is set to cp65001 (e.g., using `chcp 65001` command).
Multibyte CJK decoders now resynchronize faster. They only ignore the first byte of an invalid byte sequence. For example,
```
b'\xff\n'.decode('gb2312',
'replace')
```
now returns a `\n` after the replacement character.
([bpo-12016](https://bugs.python.org/issue12016) \[https://bugs.python.org/issue12016\])
Incremental CJK codec encoders are no longer reset at each call to their encode() methods. For example:
```
>>> import codecs
>>> encoder = codecs.getincrementalencoder('hz')('strict')
>>> b''.join(encoder.encode(x) for x in '\u52ff\u65bd\u65bc\u4eba\u3002 Bye.')
b'~{NpJ)l6HK!#~} Bye.'
```
This example gives `b'~{Np~}~{J)~}~{l6~}~{HK~}~{!#~} Bye.'` with older Python versions.
([bpo-12100](https://bugs.python.org/issue12100) \[https://bugs.python.org/issue12100\])
The `unicode_internal` codec has been deprecated.
### collections
Addition of a new [`ChainMap`](../library/collections.xhtml#collections.ChainMap "collections.ChainMap") class to allow treating a number of mappings as a single unit. (Written by Raymond Hettinger for [bpo-11089](https://bugs.python.org/issue11089) \[https://bugs.python.org/issue11089\], made public in [bpo-11297](https://bugs.python.org/issue11297) \[https://bugs.python.org/issue11297\].)
The abstract base classes have been moved in a new [`collections.abc`](../library/collections.abc.xhtml#module-collections.abc "collections.abc: Abstract base classes for containers")module, to better differentiate between the abstract and the concrete collections classes. Aliases for ABCs are still present in the [`collections`](../library/collections.xhtml#module-collections "collections: Container datatypes") module to preserve existing imports. ([bpo-11085](https://bugs.python.org/issue11085) \[https://bugs.python.org/issue11085\])
The [`Counter`](../library/collections.xhtml#collections.Counter "collections.Counter") class now supports the unary `+` and `-`operators, as well as the in-place operators `+=`, `-=`, `|=`, and `&=`. (Contributed by Raymond Hettinger in [bpo-13121](https://bugs.python.org/issue13121) \[https://bugs.python.org/issue13121\].)
### contextlib
[`ExitStack`](../library/contextlib.xhtml#contextlib.ExitStack "contextlib.ExitStack") now provides a solid foundation for programmatic manipulation of context managers and similar cleanup functionality. Unlike the previous `contextlib.nested` API (which was deprecated and removed), the new API is designed to work correctly regardless of whether context managers acquire their resources in their `__init__` method (for example, file objects) or in their `__enter__` method (for example, synchronisation objects from the [`threading`](../library/threading.xhtml#module-threading "threading: Thread-based parallelism.") module).
([bpo-13585](https://bugs.python.org/issue13585) \[https://bugs.python.org/issue13585\])
### crypt
Addition of salt and modular crypt format (hashing method) and the [`mksalt()`](../library/crypt.xhtml#crypt.mksalt "crypt.mksalt")function to the [`crypt`](../library/crypt.xhtml#module-crypt "crypt: The crypt() function used to check Unix passwords. (Unix)") module.
([bpo-10924](https://bugs.python.org/issue10924) \[https://bugs.python.org/issue10924\])
### curses
> - If the [`curses`](../library/curses.xhtml#module-curses "curses: An interface to the curses library, providing portable terminal handling. (Unix)") module is linked to the ncursesw library, use Unicode functions when Unicode strings or characters are passed (e.g. `waddwstr()`), and bytes functions otherwise (e.g. `waddstr()`).
> - Use the locale encoding instead of `utf-8` to encode Unicode strings.
> - `curses.window` has a new [`curses.window.encoding`](../library/curses.xhtml#curses.window.encoding "curses.window.encoding") attribute.
> - The `curses.window` class has a new [`get_wch()`](../library/curses.xhtml#curses.window.get_wch "curses.window.get_wch")method to get a wide character
> - The [`curses`](../library/curses.xhtml#module-curses "curses: An interface to the curses library, providing portable terminal handling. (Unix)") module has a new [`unget_wch()`](../library/curses.xhtml#curses.unget_wch "curses.unget_wch") function to push a wide character so the next [`get_wch()`](../library/curses.xhtml#curses.window.get_wch "curses.window.get_wch") will return it
(Contributed by Iñigo Serna in [bpo-6755](https://bugs.python.org/issue6755) \[https://bugs.python.org/issue6755\].)
### datetime
> - Equality comparisons between naive and aware [`datetime`](../library/datetime.xhtml#datetime.datetime "datetime.datetime")instances now return [`False`](../library/constants.xhtml#False "False") instead of raising [`TypeError`](../library/exceptions.xhtml#TypeError "TypeError")([bpo-15006](https://bugs.python.org/issue15006) \[https://bugs.python.org/issue15006\]).
> - New [`datetime.datetime.timestamp()`](../library/datetime.xhtml#datetime.datetime.timestamp "datetime.datetime.timestamp") method: Return POSIX timestamp corresponding to the [`datetime`](../library/datetime.xhtml#datetime.datetime "datetime.datetime") instance.
> - The [`datetime.datetime.strftime()`](../library/datetime.xhtml#datetime.datetime.strftime "datetime.datetime.strftime") method supports formatting years older than 1000.
> - The [`datetime.datetime.astimezone()`](../library/datetime.xhtml#datetime.datetime.astimezone "datetime.datetime.astimezone") method can now be called without arguments to convert datetime instance to the system timezone.
### decimal
[bpo-7652](https://bugs.python.org/issue7652) \[https://bugs.python.org/issue7652\] - integrate fast native decimal arithmetic.C-module and libmpdec written by Stefan Krah.
The new C version of the decimal module integrates the high speed libmpdec library for arbitrary precision correctly-rounded decimal floating point arithmetic. libmpdec conforms to IBM's General Decimal Arithmetic Specification.
Performance gains range from 10x for database applications to 100x for numerically intensive applications. These numbers are expected gains for standard precisions used in decimal floating point arithmetic. Since the precision is user configurable, the exact figures may vary. For example, in integer bignum arithmetic the differences can be significantly higher.
The following table is meant as an illustration. Benchmarks are available at <http://www.bytereef.org/mpdecimal/quickstart.html>.
> decimal.py
>
> \_decimal
>
> speedup
>
> pi
>
> 42\.02s
>
> 0\.345s
>
> 120x
>
> telco
>
> 172\.19s
>
> 5\.68s
>
> 30x
>
> psycopg
>
> 3\.57s
>
> 0\.29s
>
> 12x
#### 相关特性
- The [`FloatOperation`](../library/decimal.xhtml#decimal.FloatOperation "decimal.FloatOperation") signal optionally enables stricter semantics for mixing floats and Decimals.
- If Python is compiled without threads, the C version automatically disables the expensive thread local context machinery. In this case, the variable [`HAVE_THREADS`](../library/decimal.xhtml#decimal.HAVE_THREADS "decimal.HAVE_THREADS") is set to `False`.
#### API changes
- The C module has the following context limits, depending on the machine architecture:
> 32-bit
>
> 64-bit
>
> `MAX_PREC`
>
> `425000000`
>
> `999999999999999999`
>
> `MAX_EMAX`
>
> `425000000`
>
> `999999999999999999`
>
> `MIN_EMIN`
>
> `-425000000`
>
> `-999999999999999999`
- In the context templates ([`DefaultContext`](../library/decimal.xhtml#decimal.DefaultContext "decimal.DefaultContext"), [`BasicContext`](../library/decimal.xhtml#decimal.BasicContext "decimal.BasicContext") and [`ExtendedContext`](../library/decimal.xhtml#decimal.ExtendedContext "decimal.ExtendedContext")) the magnitude of `Emax` and `Emin` has changed to `999999`.
- The [`Decimal`](../library/decimal.xhtml#decimal.Decimal "decimal.Decimal") constructor in decimal.py does not observe the context limits and converts values with arbitrary exponents or precision exactly. Since the C version has internal limits, the following scheme is used: If possible, values are converted exactly, otherwise [`InvalidOperation`](../library/decimal.xhtml#decimal.InvalidOperation "decimal.InvalidOperation") is raised and the result is NaN. In the latter case it is always possible to use [`create_decimal()`](../library/decimal.xhtml#decimal.Context.create_decimal "decimal.Context.create_decimal")in order to obtain a rounded or inexact value.
- The power function in decimal.py is always correctly-rounded. In the C version, it is defined in terms of the correctly-rounded [`exp()`](../library/decimal.xhtml#decimal.Decimal.exp "decimal.Decimal.exp") and [`ln()`](../library/decimal.xhtml#decimal.Decimal.ln "decimal.Decimal.ln") functions, but the final result is only "almost always correctly rounded".
- In the C version, the context dictionary containing the signals is a [`MutableMapping`](../library/collections.abc.xhtml#collections.abc.MutableMapping "collections.abc.MutableMapping"). For speed reasons, `flags` and `traps` always refer to the same [`MutableMapping`](../library/collections.abc.xhtml#collections.abc.MutableMapping "collections.abc.MutableMapping") that the context was initialized with. If a new signal dictionary is assigned, `flags` and `traps`are updated with the new values, but they do not reference the RHS dictionary.
- Pickling a [`Context`](../library/decimal.xhtml#decimal.Context "decimal.Context") produces a different output in order to have a common interchange format for the Python and C versions.
- The order of arguments in the [`Context`](../library/decimal.xhtml#decimal.Context "decimal.Context") constructor has been changed to match the order displayed by [`repr()`](../library/functions.xhtml#repr "repr").
- The `watchexp` parameter in the [`quantize()`](../library/decimal.xhtml#decimal.Decimal.quantize "decimal.Decimal.quantize") method is deprecated.
### email
#### Policy Framework
The email package now has a [`policy`](../library/email.policy.xhtml#module-email.policy "email.policy: Controlling the parsing and generating of messages") framework. A [`Policy`](../library/email.policy.xhtml#email.policy.Policy "email.policy.Policy") is an object with several methods and properties that control how the email package behaves. The primary policy for Python 3.3 is the [`Compat32`](../library/email.policy.xhtml#email.policy.Compat32 "email.policy.Compat32") policy, which provides backward compatibility with the email package in Python 3.2. A `policy` can be specified when an email message is parsed by a [`parser`](../library/email.parser.xhtml#module-email.parser "email.parser: Parse flat text email messages to produce a message object structure."), or when a [`Message`](../library/email.compat32-message.xhtml#email.message.Message "email.message.Message") object is created, or when an email is serialized using a [`generator`](../library/email.generator.xhtml#module-email.generator "email.generator: Generate flat text email messages from a message structure."). Unless overridden, a policy passed to a `parser` is inherited by all the `Message` object and sub-objects created by the `parser`. By default a `generator` will use the policy of the `Message` object it is serializing. The default policy is [`compat32`](../library/email.policy.xhtml#email.policy.compat32 "email.policy.compat32").
The minimum set of controls implemented by all `policy` objects are:
> max\_line\_length
>
> The maximum length, excluding the linesep character(s), individual lines may have when a `Message` is serialized. Defaults to 78.
>
> linesep
>
> The character used to separate individual lines when a `Message` is serialized. Defaults to `\n`.
>
> cte\_type
>
> `7bit` or `8bit`. `8bit` applies only to a `Bytes``generator`, and means that non-ASCII may be used where allowed by the protocol (or where it exists in the original input).
>
> raise\_on\_defect
>
> Causes a `parser` to raise error when defects are encountered instead of adding them to the `Message`object's `defects` list.
A new policy instance, with new settings, is created using the [`clone()`](../library/email.policy.xhtml#email.policy.Policy.clone "email.policy.Policy.clone") method of policy objects. `clone` takes any of the above controls as keyword arguments. Any control not specified in the call retains its default value. Thus you can create a policy that uses `\r\n` linesep characters like this:
```
mypolicy = compat32.clone(linesep='\r\n')
```
Policies can be used to make the generation of messages in the format needed by your application simpler. Instead of having to remember to specify `linesep='\r\n'` in all the places you call a `generator`, you can specify it once, when you set the policy used by the `parser` or the `Message`, whichever your program uses to create `Message` objects. On the other hand, if you need to generate messages in multiple forms, you can still specify the parameters in the appropriate `generator` call. Or you can have custom policy instances for your different cases, and pass those in when you create the `generator`.
#### Provisional Policy with New Header API
While the policy framework is worthwhile all by itself, the main motivation for introducing it is to allow the creation of new policies that implement new features for the email package in a way that maintains backward compatibility for those who do not use the new policies. Because the new policies introduce a new API, we are releasing them in Python 3.3 as a [provisional policy](../glossary.xhtml#term-provisional-package). Backwards incompatible changes (up to and including removal of the code) may occur if deemed necessary by the core developers.
The new policies are instances of [`EmailPolicy`](../library/email.policy.xhtml#email.policy.EmailPolicy "email.policy.EmailPolicy"), and add the following additional controls:
> refold\_source
>
> Controls whether or not headers parsed by a [`parser`](../library/email.parser.xhtml#module-email.parser "email.parser: Parse flat text email messages to produce a message object structure.") are refolded by the [`generator`](../library/email.generator.xhtml#module-email.generator "email.generator: Generate flat text email messages from a message structure."). It can be `none`, `long`, or `all`. The default is `long`, which means that source headers with a line longer than `max_line_length` get refolded. `none` means no line get refolded, and `all` means that all lines get refolded.
>
> header\_factory
>
> A callable that take a `name` and `value` and produces a custom header object.
The `header_factory` is the key to the new features provided by the new policies. When one of the new policies is used, any header retrieved from a `Message` object is an object produced by the `header_factory`, and any time you set a header on a `Message` it becomes an object produced by `header_factory`. All such header objects have a `name` attribute equal to the header name. Address and Date headers have additional attributes that give you access to the parsed data of the header. This means you can now do things like this:
```
>>> m = Message(policy=SMTP)
>>> m['To'] = 'Éric <foo@example.com>'
>>> m['to']
'Éric <foo@example.com>'
>>> m['to'].addresses
(Address(display_name='Éric', username='foo', domain='example.com'),)
>>> m['to'].addresses[0].username
'foo'
>>> m['to'].addresses[0].display_name
'Éric'
>>> m['Date'] = email.utils.localtime()
>>> m['Date'].datetime
datetime.datetime(2012, 5, 25, 21, 39, 24, 465484, tzinfo=datetime.timezone(datetime.timedelta(-1, 72000), 'EDT'))
>>> m['Date']
'Fri, 25 May 2012 21:44:27 -0400'
>>> print(m)
To: =?utf-8?q?=C3=89ric?= <foo@example.com>
Date: Fri, 25 May 2012 21:44:27 -0400
```
You will note that the unicode display name is automatically encoded as `utf-8` when the message is serialized, but that when the header is accessed directly, you get the unicode version. This eliminates any need to deal with the [`email.header`](../library/email.header.xhtml#module-email.header "email.header: Representing non-ASCII headers") [`decode_header()`](../library/email.header.xhtml#email.header.decode_header "email.header.decode_header") or [`make_header()`](../library/email.header.xhtml#email.header.make_header "email.header.make_header") functions.
You can also create addresses from parts:
```
>>> m['cc'] = [Group('pals', [Address('Bob', 'bob', 'example.com'),
... Address('Sally', 'sally', 'example.com')]),
... Address('Bonzo', addr_spec='bonz@laugh.com')]
>>> print(m)
To: =?utf-8?q?=C3=89ric?= <foo@example.com>
Date: Fri, 25 May 2012 21:44:27 -0400
cc: pals: Bob <bob@example.com>, Sally <sally@example.com>;, Bonzo <bonz@laugh.com>
```
Decoding to unicode is done automatically:
```
>>> m2 = message_from_string(str(m))
>>> m2['to']
'Éric <foo@example.com>'
```
When you parse a message, you can use the `addresses` and `groups`attributes of the header objects to access the groups and individual addresses:
```
>>> m2['cc'].addresses
(Address(display_name='Bob', username='bob', domain='example.com'), Address(display_name='Sally', username='sally', domain='example.com'), Address(display_name='Bonzo', username='bonz', domain='laugh.com'))
>>> m2['cc'].groups
(Group(display_name='pals', addresses=(Address(display_name='Bob', username='bob', domain='example.com'), Address(display_name='Sally', username='sally', domain='example.com')), Group(display_name=None, addresses=(Address(display_name='Bonzo', username='bonz', domain='laugh.com'),))
```
In summary, if you use one of the new policies, header manipulation works the way it ought to: your application works with unicode strings, and the email package transparently encodes and decodes the unicode to and from the RFC standard Content Transfer Encodings.
#### Other API Changes
New [`BytesHeaderParser`](../library/email.parser.xhtml#email.parser.BytesHeaderParser "email.parser.BytesHeaderParser"), added to the [`parser`](../library/email.parser.xhtml#module-email.parser "email.parser: Parse flat text email messages to produce a message object structure.")module to complement [`HeaderParser`](../library/email.parser.xhtml#email.parser.HeaderParser "email.parser.HeaderParser") and complete the Bytes API.
New utility functions:
> - [`format_datetime()`](../library/email.utils.xhtml#email.utils.format_datetime "email.utils.format_datetime"): given a [`datetime`](../library/datetime.xhtml#datetime.datetime "datetime.datetime"), produce a string formatted for use in an email header.
> - [`parsedate_to_datetime()`](../library/email.utils.xhtml#email.utils.parsedate_to_datetime "email.utils.parsedate_to_datetime"): given a date string from an email header, convert it into an aware [`datetime`](../library/datetime.xhtml#datetime.datetime "datetime.datetime"), or a naive [`datetime`](../library/datetime.xhtml#datetime.datetime "datetime.datetime") if the offset is `-0000`.
> - [`localtime()`](../library/email.utils.xhtml#email.utils.localtime "email.utils.localtime"): With no argument, returns the current local time as an aware [`datetime`](../library/datetime.xhtml#datetime.datetime "datetime.datetime") using the local [`timezone`](../library/datetime.xhtml#datetime.timezone "datetime.timezone"). Given an aware [`datetime`](../library/datetime.xhtml#datetime.datetime "datetime.datetime"), converts it into an aware [`datetime`](../library/datetime.xhtml#datetime.datetime "datetime.datetime") using the local [`timezone`](../library/datetime.xhtml#datetime.timezone "datetime.timezone").
### ftplib
- [`ftplib.FTP`](../library/ftplib.xhtml#ftplib.FTP "ftplib.FTP") now accepts a `source_address` keyword argument to specify the `(host, port)` to use as the source address in the bind call when creating the outgoing socket. (Contributed by Giampaolo Rodolà in [bpo-8594](https://bugs.python.org/issue8594) \[https://bugs.python.org/issue8594\].)
- The [`FTP_TLS`](../library/ftplib.xhtml#ftplib.FTP_TLS "ftplib.FTP_TLS") class now provides a new [`ccc()`](../library/ftplib.xhtml#ftplib.FTP_TLS.ccc "ftplib.FTP_TLS.ccc") function to revert control channel back to plaintext. This can be useful to take advantage of firewalls that know how to handle NAT with non-secure FTP without opening fixed ports. (Contributed by Giampaolo Rodolà in [bpo-12139](https://bugs.python.org/issue12139) \[https://bugs.python.org/issue12139\].)
- Added [`ftplib.FTP.mlsd()`](../library/ftplib.xhtml#ftplib.FTP.mlsd "ftplib.FTP.mlsd") method which provides a parsable directory listing format and deprecates [`ftplib.FTP.nlst()`](../library/ftplib.xhtml#ftplib.FTP.nlst "ftplib.FTP.nlst") and [`ftplib.FTP.dir()`](../library/ftplib.xhtml#ftplib.FTP.dir "ftplib.FTP.dir"). (Contributed by Giampaolo Rodolà in [bpo-11072](https://bugs.python.org/issue11072) \[https://bugs.python.org/issue11072\].)
### functools
The [`functools.lru_cache()`](../library/functools.xhtml#functools.lru_cache "functools.lru_cache") decorator now accepts a `typed` keyword argument (that defaults to `False` to ensure that it caches values of different types that compare equal in separate cache slots. (Contributed by Raymond Hettinger in [bpo-13227](https://bugs.python.org/issue13227) \[https://bugs.python.org/issue13227\].)
### gc
It is now possible to register callbacks invoked by the garbage collector before and after collection using the new [`callbacks`](../library/gc.xhtml#gc.callbacks "gc.callbacks") list.
### hmac
A new [`compare_digest()`](../library/hmac.xhtml#hmac.compare_digest "hmac.compare_digest") function has been added to prevent side channel attacks on digests through timing analysis. (Contributed by Nick Coghlan and Christian Heimes in [bpo-15061](https://bugs.python.org/issue15061) \[https://bugs.python.org/issue15061\].)
### http
[`http.server.BaseHTTPRequestHandler`](../library/http.server.xhtml#http.server.BaseHTTPRequestHandler "http.server.BaseHTTPRequestHandler") now buffers the headers and writes them all at once when [`end_headers()`](../library/http.server.xhtml#http.server.BaseHTTPRequestHandler.end_headers "http.server.BaseHTTPRequestHandler.end_headers") is called. A new method [`flush_headers()`](../library/http.server.xhtml#http.server.BaseHTTPRequestHandler.flush_headers "http.server.BaseHTTPRequestHandler.flush_headers")can be used to directly manage when the accumulated headers are sent. (Contributed by Andrew Schaaf in [bpo-3709](https://bugs.python.org/issue3709) \[https://bugs.python.org/issue3709\].)
[`http.server`](../library/http.server.xhtml#module-http.server "http.server: HTTP server and request handlers.") now produces valid `HTML 4.01 strict` output. (Contributed by Ezio Melotti in [bpo-13295](https://bugs.python.org/issue13295) \[https://bugs.python.org/issue13295\].)
[`http.client.HTTPResponse`](../library/http.client.xhtml#http.client.HTTPResponse "http.client.HTTPResponse") now has a [`readinto()`](../library/http.client.xhtml#http.client.HTTPResponse.readinto "http.client.HTTPResponse.readinto") method, which means it can be used as an [`io.RawIOBase`](../library/io.xhtml#io.RawIOBase "io.RawIOBase") class. (Contributed by John Kuhn in [bpo-13464](https://bugs.python.org/issue13464) \[https://bugs.python.org/issue13464\].)
### html
[`html.parser.HTMLParser`](../library/html.parser.xhtml#html.parser.HTMLParser "html.parser.HTMLParser") is now able to parse broken markup without raising errors, therefore the *strict* argument of the constructor and the `HTMLParseError` exception are now deprecated. The ability to parse broken markup is the result of a number of bug fixes that are also available on the latest bug fix releases of Python 2.7/3.2. (Contributed by Ezio Melotti in [bpo-15114](https://bugs.python.org/issue15114) \[https://bugs.python.org/issue15114\], and [bpo-14538](https://bugs.python.org/issue14538) \[https://bugs.python.org/issue14538\], [bpo-13993](https://bugs.python.org/issue13993) \[https://bugs.python.org/issue13993\], [bpo-13960](https://bugs.python.org/issue13960) \[https://bugs.python.org/issue13960\], [bpo-13358](https://bugs.python.org/issue13358) \[https://bugs.python.org/issue13358\], [bpo-1745761](https://bugs.python.org/issue1745761) \[https://bugs.python.org/issue1745761\], [bpo-755670](https://bugs.python.org/issue755670) \[https://bugs.python.org/issue755670\], [bpo-13357](https://bugs.python.org/issue13357) \[https://bugs.python.org/issue13357\], [bpo-12629](https://bugs.python.org/issue12629) \[https://bugs.python.org/issue12629\], [bpo-1200313](https://bugs.python.org/issue1200313) \[https://bugs.python.org/issue1200313\], [bpo-670664](https://bugs.python.org/issue670664) \[https://bugs.python.org/issue670664\], [bpo-13273](https://bugs.python.org/issue13273) \[https://bugs.python.org/issue13273\], [bpo-12888](https://bugs.python.org/issue12888) \[https://bugs.python.org/issue12888\], [bpo-7311](https://bugs.python.org/issue7311) \[https://bugs.python.org/issue7311\].)
A new [`html5`](../library/html.entities.xhtml#html.entities.html5 "html.entities.html5") dictionary that maps HTML5 named character references to the equivalent Unicode character(s) (e.g.
```
html5['gt;'] ==
'>'
```
) has been added to the [`html.entities`](../library/html.entities.xhtml#module-html.entities "html.entities: Definitions of HTML general entities.") module. The dictionary is now also used by [`HTMLParser`](../library/html.parser.xhtml#html.parser.HTMLParser "html.parser.HTMLParser"). (Contributed by Ezio Melotti in [bpo-11113](https://bugs.python.org/issue11113) \[https://bugs.python.org/issue11113\] and [bpo-15156](https://bugs.python.org/issue15156) \[https://bugs.python.org/issue15156\].)
### imaplib
The [`IMAP4_SSL`](../library/imaplib.xhtml#imaplib.IMAP4_SSL "imaplib.IMAP4_SSL") constructor now accepts an SSLContext parameter to control parameters of the secure channel.
(Contributed by Sijin Joseph in [bpo-8808](https://bugs.python.org/issue8808) \[https://bugs.python.org/issue8808\].)
### inspect
A new [`getclosurevars()`](../library/inspect.xhtml#inspect.getclosurevars "inspect.getclosurevars") function has been added. This function reports the current binding of all names referenced from the function body and where those names were resolved, making it easier to verify correct internal state when testing code that relies on stateful closures.
(Contributed by Meador Inge and Nick Coghlan in [bpo-13062](https://bugs.python.org/issue13062) \[https://bugs.python.org/issue13062\].)
A new [`getgeneratorlocals()`](../library/inspect.xhtml#inspect.getgeneratorlocals "inspect.getgeneratorlocals") function has been added. This function reports the current binding of local variables in the generator's stack frame, making it easier to verify correct internal state when testing generators.
(Contributed by Meador Inge in [bpo-15153](https://bugs.python.org/issue15153) \[https://bugs.python.org/issue15153\].)
### io
The [`open()`](../library/io.xhtml#io.open "io.open") function has a new `'x'` mode that can be used to exclusively create a new file, and raise a [`FileExistsError`](../library/exceptions.xhtml#FileExistsError "FileExistsError") if the file already exists. It is based on the C11 'x' mode to fopen().
(Contributed by David Townshend in [bpo-12760](https://bugs.python.org/issue12760) \[https://bugs.python.org/issue12760\].)
The constructor of the [`TextIOWrapper`](../library/io.xhtml#io.TextIOWrapper "io.TextIOWrapper") class has a new *write\_through* optional argument. If *write\_through* is `True`, calls to `write()` are guaranteed not to be buffered: any data written on the [`TextIOWrapper`](../library/io.xhtml#io.TextIOWrapper "io.TextIOWrapper") object is immediately handled to its underlying binary buffer.
### itertools
[`accumulate()`](../library/itertools.xhtml#itertools.accumulate "itertools.accumulate") now takes an optional `func` argument for providing a user-supplied binary function.
### logging
The [`basicConfig()`](../library/logging.xhtml#logging.basicConfig "logging.basicConfig") function now supports an optional `handlers`argument taking an iterable of handlers to be added to the root logger.
A class level attribute `append_nul` has been added to [`SysLogHandler`](../library/logging.handlers.xhtml#logging.handlers.SysLogHandler "logging.handlers.SysLogHandler") to allow control of the appending of the `NUL` (`\000`) byte to syslog records, since for some daemons it is required while for others it is passed through to the log.
### math
The [`math`](../library/math.xhtml#module-math "math: Mathematical functions (sin() etc.).") module has a new function, [`log2()`](../library/math.xhtml#math.log2 "math.log2"), which returns the base-2 logarithm of *x*.
(Written by Mark Dickinson in [bpo-11888](https://bugs.python.org/issue11888) \[https://bugs.python.org/issue11888\].)
### mmap
The [`read()`](../library/mmap.xhtml#mmap.mmap.read "mmap.mmap.read") method is now more compatible with other file-like objects: if the argument is omitted or specified as `None`, it returns the bytes from the current file position to the end of the mapping. (Contributed by Petri Lehtinen in [bpo-12021](https://bugs.python.org/issue12021) \[https://bugs.python.org/issue12021\].)
### multiprocessing
The new [`multiprocessing.connection.wait()`](../library/multiprocessing.xhtml#multiprocessing.connection.wait "multiprocessing.connection.wait") function allows polling multiple objects (such as connections, sockets and pipes) with a timeout. (Contributed by Richard Oudkerk in [bpo-12328](https://bugs.python.org/issue12328) \[https://bugs.python.org/issue12328\].)
`multiprocessing.Connection` objects can now be transferred over multiprocessing connections. (Contributed by Richard Oudkerk in [bpo-4892](https://bugs.python.org/issue4892) \[https://bugs.python.org/issue4892\].)
[`multiprocessing.Process`](../library/multiprocessing.xhtml#multiprocessing.Process "multiprocessing.Process") now accepts a `daemon` keyword argument to override the default behavior of inheriting the `daemon` flag from the parent process ([bpo-6064](https://bugs.python.org/issue6064) \[https://bugs.python.org/issue6064\]).
New attribute [`multiprocessing.Process.sentinel`](../library/multiprocessing.xhtml#multiprocessing.Process.sentinel "multiprocessing.Process.sentinel") allows a program to wait on multiple [`Process`](../library/multiprocessing.xhtml#multiprocessing.Process "multiprocessing.Process") objects at one time using the appropriate OS primitives (for example, [`select`](../library/select.xhtml#module-select "select: Wait for I/O completion on multiple streams.") on posix systems).
New methods [`multiprocessing.pool.Pool.starmap()`](../library/multiprocessing.xhtml#multiprocessing.pool.Pool.starmap "multiprocessing.pool.Pool.starmap") and [`starmap_async()`](../library/multiprocessing.xhtml#multiprocessing.pool.Pool.starmap_async "multiprocessing.pool.Pool.starmap_async") provide [`itertools.starmap()`](../library/itertools.xhtml#itertools.starmap "itertools.starmap") equivalents to the existing [`multiprocessing.pool.Pool.map()`](../library/multiprocessing.xhtml#multiprocessing.pool.Pool.map "multiprocessing.pool.Pool.map") and [`map_async()`](../library/multiprocessing.xhtml#multiprocessing.pool.Pool.map_async "multiprocessing.pool.Pool.map_async") functions. (Contributed by Hynek Schlawack in [bpo-12708](https://bugs.python.org/issue12708) \[https://bugs.python.org/issue12708\].)
### nntplib
The [`nntplib.NNTP`](../library/nntplib.xhtml#nntplib.NNTP "nntplib.NNTP") class now supports the context management protocol to unconditionally consume [`socket.error`](../library/socket.xhtml#socket.error "socket.error") exceptions and to close the NNTP connection when done:
```
>>> from nntplib import NNTP
>>> with NNTP('news.gmane.org') as n:
... n.group('gmane.comp.python.committers')
...
('211 1755 1 1755 gmane.comp.python.committers', 1755, 1, 1755, 'gmane.comp.python.committers')
>>>
```
(Contributed by Giampaolo Rodolà in [bpo-9795](https://bugs.python.org/issue9795) \[https://bugs.python.org/issue9795\].)
### os
- The [`os`](../library/os.xhtml#module-os "os: Miscellaneous operating system interfaces.") module has a new [`pipe2()`](../library/os.xhtml#os.pipe2 "os.pipe2") function that makes it possible to create a pipe with [`O_CLOEXEC`](../library/os.xhtml#os.O_CLOEXEC "os.O_CLOEXEC") or [`O_NONBLOCK`](../library/os.xhtml#os.O_NONBLOCK "os.O_NONBLOCK") flags set atomically. This is especially useful to avoid race conditions in multi-threaded programs.
- The [`os`](../library/os.xhtml#module-os "os: Miscellaneous operating system interfaces.") module has a new [`sendfile()`](../library/os.xhtml#os.sendfile "os.sendfile") function which provides an efficient "zero-copy" way for copying data from one file (or socket) descriptor to another. The phrase "zero-copy" refers to the fact that all of the copying of data between the two descriptors is done entirely by the kernel, with no copying of data into userspace buffers. [`sendfile()`](../library/os.xhtml#os.sendfile "os.sendfile")can be used to efficiently copy data from a file on disk to a network socket, e.g. for downloading a file.
(Patch submitted by Ross Lagerwall and Giampaolo Rodolà in [bpo-10882](https://bugs.python.org/issue10882) \[https://bugs.python.org/issue10882\].)
- To avoid race conditions like symlink attacks and issues with temporary files and directories, it is more reliable (and also faster) to manipulate file descriptors instead of file names. Python 3.3 enhances existing functions and introduces new functions to work on file descriptors ([bpo-4761](https://bugs.python.org/issue4761) \[https://bugs.python.org/issue4761\], [bpo-10755](https://bugs.python.org/issue10755) \[https://bugs.python.org/issue10755\] and [bpo-14626](https://bugs.python.org/issue14626) \[https://bugs.python.org/issue14626\]).
- The [`os`](../library/os.xhtml#module-os "os: Miscellaneous operating system interfaces.") module has a new [`fwalk()`](../library/os.xhtml#os.fwalk "os.fwalk") function similar to [`walk()`](../library/os.xhtml#os.walk "os.walk") except that it also yields file descriptors referring to the directories visited. This is especially useful to avoid symlink races.
- The following functions get new optional *dir\_fd* ([paths relative to directory descriptors](../library/os.xhtml#dir-fd)) and/or *follow\_symlinks* ([not following symlinks](../library/os.xhtml#follow-symlinks)): [`access()`](../library/os.xhtml#os.access "os.access"), [`chflags()`](../library/os.xhtml#os.chflags "os.chflags"), [`chmod()`](../library/os.xhtml#os.chmod "os.chmod"), [`chown()`](../library/os.xhtml#os.chown "os.chown"), [`link()`](../library/os.xhtml#os.link "os.link"), [`lstat()`](../library/os.xhtml#os.lstat "os.lstat"), [`mkdir()`](../library/os.xhtml#os.mkdir "os.mkdir"), [`mkfifo()`](../library/os.xhtml#os.mkfifo "os.mkfifo"), [`mknod()`](../library/os.xhtml#os.mknod "os.mknod"), [`open()`](../library/os.xhtml#os.open "os.open"), [`readlink()`](../library/os.xhtml#os.readlink "os.readlink"), [`remove()`](../library/os.xhtml#os.remove "os.remove"), [`rename()`](../library/os.xhtml#os.rename "os.rename"), [`replace()`](../library/os.xhtml#os.replace "os.replace"), [`rmdir()`](../library/os.xhtml#os.rmdir "os.rmdir"), [`stat()`](../library/os.xhtml#os.stat "os.stat"), [`symlink()`](../library/os.xhtml#os.symlink "os.symlink"), [`unlink()`](../library/os.xhtml#os.unlink "os.unlink"), [`utime()`](../library/os.xhtml#os.utime "os.utime"). Platform support for using these parameters can be checked via the sets [`os.supports_dir_fd`](../library/os.xhtml#os.supports_dir_fd "os.supports_dir_fd") and `os.supports_follows_symlinks`.
- The following functions now support a file descriptor for their path argument: [`chdir()`](../library/os.xhtml#os.chdir "os.chdir"), [`chmod()`](../library/os.xhtml#os.chmod "os.chmod"), [`chown()`](../library/os.xhtml#os.chown "os.chown"), [`execve()`](../library/os.xhtml#os.execve "os.execve"), [`listdir()`](../library/os.xhtml#os.listdir "os.listdir"), [`pathconf()`](../library/os.xhtml#os.pathconf "os.pathconf"), [`exists()`](../library/os.path.xhtml#os.path.exists "os.path.exists"), [`stat()`](../library/os.xhtml#os.stat "os.stat"), [`statvfs()`](../library/os.xhtml#os.statvfs "os.statvfs"), [`utime()`](../library/os.xhtml#os.utime "os.utime"). Platform support for this can be checked via the [`os.supports_fd`](../library/os.xhtml#os.supports_fd "os.supports_fd") set.
- [`access()`](../library/os.xhtml#os.access "os.access") accepts an `effective_ids` keyword argument to turn on using the effective uid/gid rather than the real uid/gid in the access check. Platform support for this can be checked via the [`supports_effective_ids`](../library/os.xhtml#os.supports_effective_ids "os.supports_effective_ids") set.
- The [`os`](../library/os.xhtml#module-os "os: Miscellaneous operating system interfaces.") module has two new functions: [`getpriority()`](../library/os.xhtml#os.getpriority "os.getpriority") and [`setpriority()`](../library/os.xhtml#os.setpriority "os.setpriority"). They can be used to get or set process niceness/priority in a fashion similar to [`os.nice()`](../library/os.xhtml#os.nice "os.nice") but extended to all processes instead of just the current one.
(Patch submitted by Giampaolo Rodolà in [bpo-10784](https://bugs.python.org/issue10784) \[https://bugs.python.org/issue10784\].)
- The new [`os.replace()`](../library/os.xhtml#os.replace "os.replace") function allows cross-platform renaming of a file with overwriting the destination. With [`os.rename()`](../library/os.xhtml#os.rename "os.rename"), an existing destination file is overwritten under POSIX, but raises an error under Windows. (Contributed by Antoine Pitrou in [bpo-8828](https://bugs.python.org/issue8828) \[https://bugs.python.org/issue8828\].)
- The stat family of functions ([`stat()`](../library/os.xhtml#os.stat "os.stat"), [`fstat()`](../library/os.xhtml#os.fstat "os.fstat"), and [`lstat()`](../library/os.xhtml#os.lstat "os.lstat")) now support reading a file's timestamps with nanosecond precision. Symmetrically, [`utime()`](../library/os.xhtml#os.utime "os.utime")can now write file timestamps with nanosecond precision. (Contributed by Larry Hastings in [bpo-14127](https://bugs.python.org/issue14127) \[https://bugs.python.org/issue14127\].)
- The new [`os.get_terminal_size()`](../library/os.xhtml#os.get_terminal_size "os.get_terminal_size") function queries the size of the terminal attached to a file descriptor. See also [`shutil.get_terminal_size()`](../library/shutil.xhtml#shutil.get_terminal_size "shutil.get_terminal_size"). (Contributed by Zbigniew Jędrzejewski-Szmek in [bpo-13609](https://bugs.python.org/issue13609) \[https://bugs.python.org/issue13609\].)
- New functions to support Linux extended attributes ([bpo-12720](https://bugs.python.org/issue12720) \[https://bugs.python.org/issue12720\]): [`getxattr()`](../library/os.xhtml#os.getxattr "os.getxattr"), [`listxattr()`](../library/os.xhtml#os.listxattr "os.listxattr"), [`removexattr()`](../library/os.xhtml#os.removexattr "os.removexattr"), [`setxattr()`](../library/os.xhtml#os.setxattr "os.setxattr").
- New interface to the scheduler. These functions control how a process is allocated CPU time by the operating system. New functions: [`sched_get_priority_max()`](../library/os.xhtml#os.sched_get_priority_max "os.sched_get_priority_max"), [`sched_get_priority_min()`](../library/os.xhtml#os.sched_get_priority_min "os.sched_get_priority_min"), [`sched_getaffinity()`](../library/os.xhtml#os.sched_getaffinity "os.sched_getaffinity"), [`sched_getparam()`](../library/os.xhtml#os.sched_getparam "os.sched_getparam"), [`sched_getscheduler()`](../library/os.xhtml#os.sched_getscheduler "os.sched_getscheduler"), [`sched_rr_get_interval()`](../library/os.xhtml#os.sched_rr_get_interval "os.sched_rr_get_interval"), [`sched_setaffinity()`](../library/os.xhtml#os.sched_setaffinity "os.sched_setaffinity"), [`sched_setparam()`](../library/os.xhtml#os.sched_setparam "os.sched_setparam"), [`sched_setscheduler()`](../library/os.xhtml#os.sched_setscheduler "os.sched_setscheduler"), [`sched_yield()`](../library/os.xhtml#os.sched_yield "os.sched_yield"),
- New functions to control the file system:
- [`posix_fadvise()`](../library/os.xhtml#os.posix_fadvise "os.posix_fadvise"): Announces an intention to access data in a specific pattern thus allowing the kernel to make optimizations.
- [`posix_fallocate()`](../library/os.xhtml#os.posix_fallocate "os.posix_fallocate"): Ensures that enough disk space is allocated for a file.
- [`sync()`](../library/os.xhtml#os.sync "os.sync"): Force write of everything to disk.
- Additional new posix functions:
- [`lockf()`](../library/os.xhtml#os.lockf "os.lockf"): Apply, test or remove a POSIX lock on an open file descriptor.
- [`pread()`](../library/os.xhtml#os.pread "os.pread"): Read from a file descriptor at an offset, the file offset remains unchanged.
- [`pwrite()`](../library/os.xhtml#os.pwrite "os.pwrite"): Write to a file descriptor from an offset, leaving the file offset unchanged.
- [`readv()`](../library/os.xhtml#os.readv "os.readv"): Read from a file descriptor into a number of writable buffers.
- [`truncate()`](../library/os.xhtml#os.truncate "os.truncate"): Truncate the file corresponding to *path*, so that it is at most *length* bytes in size.
- [`waitid()`](../library/os.xhtml#os.waitid "os.waitid"): Wait for the completion of one or more child processes.
- [`writev()`](../library/os.xhtml#os.writev "os.writev"): Write the contents of *buffers* to a file descriptor, where *buffers* is an arbitrary sequence of buffers.
- [`getgrouplist()`](../library/os.xhtml#os.getgrouplist "os.getgrouplist") ([bpo-9344](https://bugs.python.org/issue9344) \[https://bugs.python.org/issue9344\]): Return list of group ids that specified user belongs to.
- [`times()`](../library/os.xhtml#os.times "os.times") and [`uname()`](../library/os.xhtml#os.uname "os.uname"): Return type changed from a tuple to a tuple-like object with named attributes.
- Some platforms now support additional constants for the [`lseek()`](../library/os.xhtml#os.lseek "os.lseek")function, such as `os.SEEK_HOLE` and `os.SEEK_DATA`.
- New constants [`RTLD_LAZY`](../library/os.xhtml#os.RTLD_LAZY "os.RTLD_LAZY"), [`RTLD_NOW`](../library/os.xhtml#os.RTLD_NOW "os.RTLD_NOW"), [`RTLD_GLOBAL`](../library/os.xhtml#os.RTLD_GLOBAL "os.RTLD_GLOBAL"), [`RTLD_LOCAL`](../library/os.xhtml#os.RTLD_LOCAL "os.RTLD_LOCAL"), [`RTLD_NODELETE`](../library/os.xhtml#os.RTLD_NODELETE "os.RTLD_NODELETE"), [`RTLD_NOLOAD`](../library/os.xhtml#os.RTLD_NOLOAD "os.RTLD_NOLOAD"), and [`RTLD_DEEPBIND`](../library/os.xhtml#os.RTLD_DEEPBIND "os.RTLD_DEEPBIND") are available on platforms that support them. These are for use with the [`sys.setdlopenflags()`](../library/sys.xhtml#sys.setdlopenflags "sys.setdlopenflags") function, and supersede the similar constants defined in [`ctypes`](../library/ctypes.xhtml#module-ctypes "ctypes: A foreign function library for Python.") and `DLFCN`. (Contributed by Victor Stinner in [bpo-13226](https://bugs.python.org/issue13226) \[https://bugs.python.org/issue13226\].)
- [`os.symlink()`](../library/os.xhtml#os.symlink "os.symlink") now accepts (and ignores) the `target_is_directory`keyword argument on non-Windows platforms, to ease cross-platform support.
### pdb
Tab-completion is now available not only for command names, but also their arguments. For example, for the `break` command, function and file names are completed.
(Contributed by Georg Brandl in [bpo-14210](https://bugs.python.org/issue14210) \[https://bugs.python.org/issue14210\])
### pickle
[`pickle.Pickler`](../library/pickle.xhtml#pickle.Pickler "pickle.Pickler") objects now have an optional [`dispatch_table`](../library/pickle.xhtml#pickle.Pickler.dispatch_table "pickle.Pickler.dispatch_table") attribute allowing per-pickler reduction functions to be set.
(Contributed by Richard Oudkerk in [bpo-14166](https://bugs.python.org/issue14166) \[https://bugs.python.org/issue14166\].)
### pydoc
The Tk GUI and the `serve()` function have been removed from the [`pydoc`](../library/pydoc.xhtml#module-pydoc "pydoc: Documentation generator and online help system.") module: `pydoc -g` and `serve()` have been deprecated in Python 3.2.
### re
[`str`](../library/stdtypes.xhtml#str "str") regular expressions now support `\u` and `\U` escapes.
(Contributed by Serhiy Storchaka in [bpo-3665](https://bugs.python.org/issue3665) \[https://bugs.python.org/issue3665\].)
### sched
- [`run()`](../library/sched.xhtml#sched.scheduler.run "sched.scheduler.run") now accepts a *blocking* parameter which when set to false makes the method execute the scheduled events due to expire soonest (if any) and then return immediately. This is useful in case you want to use the [`scheduler`](../library/sched.xhtml#sched.scheduler "sched.scheduler") in non-blocking applications. (Contributed by Giampaolo Rodolà in [bpo-13449](https://bugs.python.org/issue13449) \[https://bugs.python.org/issue13449\].)
- [`scheduler`](../library/sched.xhtml#sched.scheduler "sched.scheduler") class can now be safely used in multi-threaded environments. (Contributed by Josiah Carlson and Giampaolo Rodolà in [bpo-8684](https://bugs.python.org/issue8684) \[https://bugs.python.org/issue8684\].)
- *timefunc* and *delayfunct* parameters of [`scheduler`](../library/sched.xhtml#sched.scheduler "sched.scheduler") class constructor are now optional and defaults to [`time.time()`](../library/time.xhtml#time.time "time.time") and [`time.sleep()`](../library/time.xhtml#time.sleep "time.sleep") respectively. (Contributed by Chris Clark in [bpo-13245](https://bugs.python.org/issue13245) \[https://bugs.python.org/issue13245\].)
- [`enter()`](../library/sched.xhtml#sched.scheduler.enter "sched.scheduler.enter") and [`enterabs()`](../library/sched.xhtml#sched.scheduler.enterabs "sched.scheduler.enterabs")*argument* parameter is now optional. (Contributed by Chris Clark in [bpo-13245](https://bugs.python.org/issue13245) \[https://bugs.python.org/issue13245\].)
- [`enter()`](../library/sched.xhtml#sched.scheduler.enter "sched.scheduler.enter") and [`enterabs()`](../library/sched.xhtml#sched.scheduler.enterabs "sched.scheduler.enterabs")now accept a *kwargs* parameter. (Contributed by Chris Clark in [bpo-13245](https://bugs.python.org/issue13245) \[https://bugs.python.org/issue13245\].)
### select
Solaris and derivative platforms have a new class [`select.devpoll`](../library/select.xhtml#select.devpoll "select.devpoll")for high performance asynchronous sockets via `/dev/poll`. (Contributed by Jesús Cea Avión in [bpo-6397](https://bugs.python.org/issue6397) \[https://bugs.python.org/issue6397\].)
### shlex
The previously undocumented helper function `quote` from the [`pipes`](../library/pipes.xhtml#module-pipes "pipes: A Python interface to Unix shell pipelines. (Unix)") modules has been moved to the [`shlex`](../library/shlex.xhtml#module-shlex "shlex: Simple lexical analysis for Unix shell-like languages.") module and documented. [`quote()`](../library/shlex.xhtml#shlex.quote "shlex.quote") properly escapes all characters in a string that might be otherwise given special meaning by the shell.
### shutil
- New functions:
- [`disk_usage()`](../library/shutil.xhtml#shutil.disk_usage "shutil.disk_usage"): provides total, used and free disk space statistics. (Contributed by Giampaolo Rodolà in [bpo-12442](https://bugs.python.org/issue12442) \[https://bugs.python.org/issue12442\].)
- [`chown()`](../library/shutil.xhtml#shutil.chown "shutil.chown"): allows one to change user and/or group of the given path also specifying the user/group names and not only their numeric ids. (Contributed by Sandro Tosi in [bpo-12191](https://bugs.python.org/issue12191) \[https://bugs.python.org/issue12191\].)
- [`shutil.get_terminal_size()`](../library/shutil.xhtml#shutil.get_terminal_size "shutil.get_terminal_size"): returns the size of the terminal window to which the interpreter is attached. (Contributed by Zbigniew Jędrzejewski-Szmek in [bpo-13609](https://bugs.python.org/issue13609) \[https://bugs.python.org/issue13609\].)
- [`copy2()`](../library/shutil.xhtml#shutil.copy2 "shutil.copy2") and [`copystat()`](../library/shutil.xhtml#shutil.copystat "shutil.copystat") now preserve file timestamps with nanosecond precision on platforms that support it. They also preserve file "extended attributes" on Linux. (Contributed by Larry Hastings in [bpo-14127](https://bugs.python.org/issue14127) \[https://bugs.python.org/issue14127\] and [bpo-15238](https://bugs.python.org/issue15238) \[https://bugs.python.org/issue15238\].)
- Several functions now take an optional `symlinks` argument: when that parameter is true, symlinks aren't dereferenced and the operation instead acts on the symlink itself (or creates one, if relevant). (Contributed by Hynek Schlawack in [bpo-12715](https://bugs.python.org/issue12715) \[https://bugs.python.org/issue12715\].)
- When copying files to a different file system, [`move()`](../library/shutil.xhtml#shutil.move "shutil.move") now handles symlinks the way the posix `mv` command does, recreating the symlink rather than copying the target file contents. (Contributed by Jonathan Niehof in [bpo-9993](https://bugs.python.org/issue9993) \[https://bugs.python.org/issue9993\].) [`move()`](../library/shutil.xhtml#shutil.move "shutil.move") now also returns the `dst` argument as its result.
- [`rmtree()`](../library/shutil.xhtml#shutil.rmtree "shutil.rmtree") is now resistant to symlink attacks on platforms which support the new `dir_fd` parameter in [`os.open()`](../library/os.xhtml#os.open "os.open") and [`os.unlink()`](../library/os.xhtml#os.unlink "os.unlink"). (Contributed by Martin von Löwis and Hynek Schlawack in [bpo-4489](https://bugs.python.org/issue4489) \[https://bugs.python.org/issue4489\].)
### signal
- The [`signal`](../library/signal.xhtml#module-signal "signal: Set handlers for asynchronous events.") module has new functions:
- [`pthread_sigmask()`](../library/signal.xhtml#signal.pthread_sigmask "signal.pthread_sigmask"): fetch and/or change the signal mask of the calling thread (Contributed by Jean-Paul Calderone in [bpo-8407](https://bugs.python.org/issue8407) \[https://bugs.python.org/issue8407\]);
- [`pthread_kill()`](../library/signal.xhtml#signal.pthread_kill "signal.pthread_kill"): send a signal to a thread;
- [`sigpending()`](../library/signal.xhtml#signal.sigpending "signal.sigpending"): examine pending functions;
- [`sigwait()`](../library/signal.xhtml#signal.sigwait "signal.sigwait"): wait a signal;
- [`sigwaitinfo()`](../library/signal.xhtml#signal.sigwaitinfo "signal.sigwaitinfo"): wait for a signal, returning detailed information about it;
- [`sigtimedwait()`](../library/signal.xhtml#signal.sigtimedwait "signal.sigtimedwait"): like [`sigwaitinfo()`](../library/signal.xhtml#signal.sigwaitinfo "signal.sigwaitinfo") but with a timeout.
- The signal handler writes the signal number as a single byte instead of a nul byte into the wakeup file descriptor. So it is possible to wait more than one signal and know which signals were raised.
- [`signal.signal()`](../library/signal.xhtml#signal.signal "signal.signal") and [`signal.siginterrupt()`](../library/signal.xhtml#signal.siginterrupt "signal.siginterrupt") raise an OSError, instead of a RuntimeError: OSError has an errno attribute.
### smtpd
The [`smtpd`](../library/smtpd.xhtml#module-smtpd "smtpd: A SMTP server implementation in Python.") module now supports [**RFC 5321**](https://tools.ietf.org/html/rfc5321.html) \[https://tools.ietf.org/html/rfc5321.html\] (extended SMTP) and [**RFC 1870**](https://tools.ietf.org/html/rfc1870.html) \[https://tools.ietf.org/html/rfc1870.html\](size extension). Per the standard, these extensions are enabled if and only if the client initiates the session with an `EHLO` command.
(Initial `ELHO` support by Alberto Trevino. Size extension by Juhana Jauhiainen. Substantial additional work on the patch contributed by Michele Orrù and Dan Boswell. [bpo-8739](https://bugs.python.org/issue8739) \[https://bugs.python.org/issue8739\])
### smtplib
The [`SMTP`](../library/smtplib.xhtml#smtplib.SMTP "smtplib.SMTP"), [`SMTP_SSL`](../library/smtplib.xhtml#smtplib.SMTP_SSL "smtplib.SMTP_SSL"), and [`LMTP`](../library/smtplib.xhtml#smtplib.LMTP "smtplib.LMTP") classes now accept a `source_address` keyword argument to specify the `(host, port)` to use as the source address in the bind call when creating the outgoing socket. (Contributed by Paulo Scardine in [bpo-11281](https://bugs.python.org/issue11281) \[https://bugs.python.org/issue11281\].)
[`SMTP`](../library/smtplib.xhtml#smtplib.SMTP "smtplib.SMTP") now supports the context management protocol, allowing an `SMTP` instance to be used in a `with` statement. (Contributed by Giampaolo Rodolà in [bpo-11289](https://bugs.python.org/issue11289) \[https://bugs.python.org/issue11289\].)
The [`SMTP_SSL`](../library/smtplib.xhtml#smtplib.SMTP_SSL "smtplib.SMTP_SSL") constructor and the [`starttls()`](../library/smtplib.xhtml#smtplib.SMTP.starttls "smtplib.SMTP.starttls")method now accept an SSLContext parameter to control parameters of the secure channel. (Contributed by Kasun Herath in [bpo-8809](https://bugs.python.org/issue8809) \[https://bugs.python.org/issue8809\].)
### socket
- The [`socket`](../library/socket.xhtml#socket.socket "socket.socket") class now exposes additional methods to process ancillary data when supported by the underlying platform:
- [`sendmsg()`](../library/socket.xhtml#socket.socket.sendmsg "socket.socket.sendmsg")
- [`recvmsg()`](../library/socket.xhtml#socket.socket.recvmsg "socket.socket.recvmsg")
- [`recvmsg_into()`](../library/socket.xhtml#socket.socket.recvmsg_into "socket.socket.recvmsg_into")
(Contributed by David Watson in [bpo-6560](https://bugs.python.org/issue6560) \[https://bugs.python.org/issue6560\], based on an earlier patch by Heiko Wundram)
- The [`socket`](../library/socket.xhtml#socket.socket "socket.socket") class now supports the PF\_CAN protocol family (<https://en.wikipedia.org/wiki/Socketcan>), on Linux (<https://lwn.net/Articles/253425>).
(Contributed by Matthias Fuchs, updated by Tiago Gonçalves in [bpo-10141](https://bugs.python.org/issue10141) \[https://bugs.python.org/issue10141\].)
- The [`socket`](../library/socket.xhtml#socket.socket "socket.socket") class now supports the PF\_RDS protocol family ([https://en.wikipedia.org/wiki/Reliable\_Datagram\_Sockets](https://en.wikipedia.org/wiki/Reliable_Datagram_Sockets) and <https://oss.oracle.com/projects/rds/>).
- The [`socket`](../library/socket.xhtml#socket.socket "socket.socket") class now supports the `PF_SYSTEM` protocol family on OS X. (Contributed by Michael Goderbauer in [bpo-13777](https://bugs.python.org/issue13777) \[https://bugs.python.org/issue13777\].)
- New function [`sethostname()`](../library/socket.xhtml#socket.sethostname "socket.sethostname") allows the hostname to be set on unix systems if the calling process has sufficient privileges. (Contributed by Ross Lagerwall in [bpo-10866](https://bugs.python.org/issue10866) \[https://bugs.python.org/issue10866\].)
### socketserver
[`BaseServer`](../library/socketserver.xhtml#socketserver.BaseServer "socketserver.BaseServer") now has an overridable method [`service_actions()`](../library/socketserver.xhtml#socketserver.BaseServer.service_actions "socketserver.BaseServer.service_actions") that is called by the [`serve_forever()`](../library/socketserver.xhtml#socketserver.BaseServer.serve_forever "socketserver.BaseServer.serve_forever") method in the service loop. [`ForkingMixIn`](../library/socketserver.xhtml#socketserver.ForkingMixIn "socketserver.ForkingMixIn") now uses this to clean up zombie child processes. (Contributed by Justin Warkentin in [bpo-11109](https://bugs.python.org/issue11109) \[https://bugs.python.org/issue11109\].)
### sqlite3
New [`sqlite3.Connection`](../library/sqlite3.xhtml#sqlite3.Connection "sqlite3.Connection") method [`set_trace_callback()`](../library/sqlite3.xhtml#sqlite3.Connection.set_trace_callback "sqlite3.Connection.set_trace_callback") can be used to capture a trace of all sql commands processed by sqlite. (Contributed by Torsten Landschoff in [bpo-11688](https://bugs.python.org/issue11688) \[https://bugs.python.org/issue11688\].)
### ssl
- The [`ssl`](../library/ssl.xhtml#module-ssl "ssl: TLS/SSL wrapper for socket objects") module has two new random generation functions:
- [`RAND_bytes()`](../library/ssl.xhtml#ssl.RAND_bytes "ssl.RAND_bytes"): generate cryptographically strong pseudo-random bytes.
- [`RAND_pseudo_bytes()`](../library/ssl.xhtml#ssl.RAND_pseudo_bytes "ssl.RAND_pseudo_bytes"): generate pseudo-random bytes.
(Contributed by Victor Stinner in [bpo-12049](https://bugs.python.org/issue12049) \[https://bugs.python.org/issue12049\].)
- The [`ssl`](../library/ssl.xhtml#module-ssl "ssl: TLS/SSL wrapper for socket objects") module now exposes a finer-grained exception hierarchy in order to make it easier to inspect the various kinds of errors. (Contributed by Antoine Pitrou in [bpo-11183](https://bugs.python.org/issue11183) \[https://bugs.python.org/issue11183\].)
- [`load_cert_chain()`](../library/ssl.xhtml#ssl.SSLContext.load_cert_chain "ssl.SSLContext.load_cert_chain") now accepts a *password* argument to be used if the private key is encrypted. (Contributed by Adam Simpkins in [bpo-12803](https://bugs.python.org/issue12803) \[https://bugs.python.org/issue12803\].)
- Diffie-Hellman key exchange, both regular and Elliptic Curve-based, is now supported through the [`load_dh_params()`](../library/ssl.xhtml#ssl.SSLContext.load_dh_params "ssl.SSLContext.load_dh_params") and [`set_ecdh_curve()`](../library/ssl.xhtml#ssl.SSLContext.set_ecdh_curve "ssl.SSLContext.set_ecdh_curve") methods. (Contributed by Antoine Pitrou in [bpo-13626](https://bugs.python.org/issue13626) \[https://bugs.python.org/issue13626\] and [bpo-13627](https://bugs.python.org/issue13627) \[https://bugs.python.org/issue13627\].)
- SSL sockets have a new [`get_channel_binding()`](../library/ssl.xhtml#ssl.SSLSocket.get_channel_binding "ssl.SSLSocket.get_channel_binding") method allowing the implementation of certain authentication mechanisms such as SCRAM-SHA-1-PLUS. (Contributed by Jacek Konieczny in [bpo-12551](https://bugs.python.org/issue12551) \[https://bugs.python.org/issue12551\].)
- You can query the SSL compression algorithm used by an SSL socket, thanks to its new [`compression()`](../library/ssl.xhtml#ssl.SSLSocket.compression "ssl.SSLSocket.compression") method. The new attribute [`OP_NO_COMPRESSION`](../library/ssl.xhtml#ssl.OP_NO_COMPRESSION "ssl.OP_NO_COMPRESSION") can be used to disable compression. (Contributed by Antoine Pitrou in [bpo-13634](https://bugs.python.org/issue13634) \[https://bugs.python.org/issue13634\].)
- Support has been added for the Next Protocol Negotiation extension using the [`ssl.SSLContext.set_npn_protocols()`](../library/ssl.xhtml#ssl.SSLContext.set_npn_protocols "ssl.SSLContext.set_npn_protocols") method. (Contributed by Colin Marc in [bpo-14204](https://bugs.python.org/issue14204) \[https://bugs.python.org/issue14204\].)
- SSL errors can now be introspected more easily thanks to [`library`](../library/ssl.xhtml#ssl.SSLError.library "ssl.SSLError.library") and [`reason`](../library/ssl.xhtml#ssl.SSLError.reason "ssl.SSLError.reason") attributes. (Contributed by Antoine Pitrou in [bpo-14837](https://bugs.python.org/issue14837) \[https://bugs.python.org/issue14837\].)
- The [`get_server_certificate()`](../library/ssl.xhtml#ssl.get_server_certificate "ssl.get_server_certificate") function now supports IPv6. (Contributed by Charles-François Natali in [bpo-11811](https://bugs.python.org/issue11811) \[https://bugs.python.org/issue11811\].)
- New attribute [`OP_CIPHER_SERVER_PREFERENCE`](../library/ssl.xhtml#ssl.OP_CIPHER_SERVER_PREFERENCE "ssl.OP_CIPHER_SERVER_PREFERENCE") allows setting SSLv3 server sockets to use the server's cipher ordering preference rather than the client's ([bpo-13635](https://bugs.python.org/issue13635) \[https://bugs.python.org/issue13635\]).
### stat
The undocumented tarfile.filemode function has been moved to [`stat.filemode()`](../library/stat.xhtml#stat.filemode "stat.filemode"). It can be used to convert a file's mode to a string of the form '-rwxrwxrwx'.
(Contributed by Giampaolo Rodolà in [bpo-14807](https://bugs.python.org/issue14807) \[https://bugs.python.org/issue14807\].)
### struct
The [`struct`](../library/struct.xhtml#module-struct "struct: Interpret bytes as packed binary data.") module now supports `ssize_t` and `size_t` via the new codes `n` and `N`, respectively. (Contributed by Antoine Pitrou in [bpo-3163](https://bugs.python.org/issue3163) \[https://bugs.python.org/issue3163\].)
### subprocess
Command strings can now be bytes objects on posix platforms. (Contributed by Victor Stinner in [bpo-8513](https://bugs.python.org/issue8513) \[https://bugs.python.org/issue8513\].)
A new constant [`DEVNULL`](../library/subprocess.xhtml#subprocess.DEVNULL "subprocess.DEVNULL") allows suppressing output in a platform-independent fashion. (Contributed by Ross Lagerwall in [bpo-5870](https://bugs.python.org/issue5870) \[https://bugs.python.org/issue5870\].)
### sys
The [`sys`](../library/sys.xhtml#module-sys "sys: Access system-specific parameters and functions.") module has a new [`thread_info`](../library/sys.xhtml#sys.thread_info "sys.thread_info") [struct sequence](../glossary.xhtml#term-struct-sequence) holding information about the thread implementation ([bpo-11223](https://bugs.python.org/issue11223) \[https://bugs.python.org/issue11223\]).
### tarfile
[`tarfile`](../library/tarfile.xhtml#module-tarfile "tarfile: Read and write tar-format archive files.") now supports `lzma` encoding via the [`lzma`](../library/lzma.xhtml#module-lzma "lzma: A Python wrapper for the liblzma compression library.") module. (Contributed by Lars Gustäbel in [bpo-5689](https://bugs.python.org/issue5689) \[https://bugs.python.org/issue5689\].)
### tempfile
[`tempfile.SpooledTemporaryFile`](../library/tempfile.xhtml#tempfile.SpooledTemporaryFile "tempfile.SpooledTemporaryFile")'s `truncate()` method now accepts a `size` parameter. (Contributed by Ryan Kelly in [bpo-9957](https://bugs.python.org/issue9957) \[https://bugs.python.org/issue9957\].)
### textwrap
The [`textwrap`](../library/textwrap.xhtml#module-textwrap "textwrap: Text wrapping and filling") module has a new [`indent()`](../library/textwrap.xhtml#textwrap.indent "textwrap.indent") that makes it straightforward to add a common prefix to selected lines in a block of text ([bpo-13857](https://bugs.python.org/issue13857) \[https://bugs.python.org/issue13857\]).
### threading
[`threading.Condition`](../library/threading.xhtml#threading.Condition "threading.Condition"), [`threading.Semaphore`](../library/threading.xhtml#threading.Semaphore "threading.Semaphore"), [`threading.BoundedSemaphore`](../library/threading.xhtml#threading.BoundedSemaphore "threading.BoundedSemaphore"), [`threading.Event`](../library/threading.xhtml#threading.Event "threading.Event"), and [`threading.Timer`](../library/threading.xhtml#threading.Timer "threading.Timer"), all of which used to be factory functions returning a class instance, are now classes and may be subclassed. (Contributed by Éric Araujo in [bpo-10968](https://bugs.python.org/issue10968) \[https://bugs.python.org/issue10968\].)
The [`threading.Thread`](../library/threading.xhtml#threading.Thread "threading.Thread") constructor now accepts a `daemon` keyword argument to override the default behavior of inheriting the `daemon` flag value from the parent thread ([bpo-6064](https://bugs.python.org/issue6064) \[https://bugs.python.org/issue6064\]).
The formerly private function `_thread.get_ident` is now available as the public function [`threading.get_ident()`](../library/threading.xhtml#threading.get_ident "threading.get_ident"). This eliminates several cases of direct access to the `_thread` module in the stdlib. Third party code that used `_thread.get_ident` should likewise be changed to use the new public interface.
### time
The [**PEP 418**](https://www.python.org/dev/peps/pep-0418) \[https://www.python.org/dev/peps/pep-0418\] added new functions to the [`time`](../library/time.xhtml#module-time "time: Time access and conversions.") module:
- [`get_clock_info()`](../library/time.xhtml#time.get_clock_info "time.get_clock_info"): Get information on a clock.
- [`monotonic()`](../library/time.xhtml#time.monotonic "time.monotonic"): Monotonic clock (cannot go backward), not affected by system clock updates.
- [`perf_counter()`](../library/time.xhtml#time.perf_counter "time.perf_counter"): Performance counter with the highest available resolution to measure a short duration.
- [`process_time()`](../library/time.xhtml#time.process_time "time.process_time"): Sum of the system and user CPU time of the current process.
Other new functions:
- [`clock_getres()`](../library/time.xhtml#time.clock_getres "time.clock_getres"), [`clock_gettime()`](../library/time.xhtml#time.clock_gettime "time.clock_gettime") and [`clock_settime()`](../library/time.xhtml#time.clock_settime "time.clock_settime") functions with `CLOCK_xxx` constants. (Contributed by Victor Stinner in [bpo-10278](https://bugs.python.org/issue10278) \[https://bugs.python.org/issue10278\].)
To improve cross platform consistency, [`sleep()`](../library/time.xhtml#time.sleep "time.sleep") now raises a [`ValueError`](../library/exceptions.xhtml#ValueError "ValueError") when passed a negative sleep value. Previously this was an error on posix, but produced an infinite sleep on Windows.
### types
Add a new [`types.MappingProxyType`](../library/types.xhtml#types.MappingProxyType "types.MappingProxyType") class: Read-only proxy of a mapping. ([bpo-14386](https://bugs.python.org/issue14386) \[https://bugs.python.org/issue14386\])
The new functions [`types.new_class()`](../library/types.xhtml#types.new_class "types.new_class") and [`types.prepare_class()`](../library/types.xhtml#types.prepare_class "types.prepare_class") provide support for PEP 3115 compliant dynamic type creation. ([bpo-14588](https://bugs.python.org/issue14588) \[https://bugs.python.org/issue14588\])
### unittest
[`assertRaises()`](../library/unittest.xhtml#unittest.TestCase.assertRaises "unittest.TestCase.assertRaises"), [`assertRaisesRegex()`](../library/unittest.xhtml#unittest.TestCase.assertRaisesRegex "unittest.TestCase.assertRaisesRegex"), [`assertWarns()`](../library/unittest.xhtml#unittest.TestCase.assertWarns "unittest.TestCase.assertWarns"), and [`assertWarnsRegex()`](../library/unittest.xhtml#unittest.TestCase.assertWarnsRegex "unittest.TestCase.assertWarnsRegex") now accept a keyword argument *msg* when used as context managers. (Contributed by Ezio Melotti and Winston Ewert in [bpo-10775](https://bugs.python.org/issue10775) \[https://bugs.python.org/issue10775\].)
[`unittest.TestCase.run()`](../library/unittest.xhtml#unittest.TestCase.run "unittest.TestCase.run") now returns the [`TestResult`](../library/unittest.xhtml#unittest.TestResult "unittest.TestResult")object.
### urllib
The [`Request`](../library/urllib.request.xhtml#urllib.request.Request "urllib.request.Request") class, now accepts a *method* argument used by [`get_method()`](../library/urllib.request.xhtml#urllib.request.Request.get_method "urllib.request.Request.get_method") to determine what HTTP method should be used. For example, this will send a `'HEAD'` request:
```
>>> urlopen(Request('https://www.python.org', method='HEAD'))
```
([bpo-1673007](https://bugs.python.org/issue1673007) \[https://bugs.python.org/issue1673007\])
### webbrowser
The [`webbrowser`](../library/webbrowser.xhtml#module-webbrowser "webbrowser: Easy-to-use controller for Web browsers.") module supports more "browsers": Google Chrome (named **chrome**, **chromium**, **chrome-browser** or **chromium-browser** depending on the version and operating system), and the generic launchers **xdg-open**, from the FreeDesktop.org project, and **gvfs-open**, which is the default URI handler for GNOME 3. (The former contributed by Arnaud Calmettes in [bpo-13620](https://bugs.python.org/issue13620) \[https://bugs.python.org/issue13620\], the latter by Matthias Klose in [bpo-14493](https://bugs.python.org/issue14493) \[https://bugs.python.org/issue14493\].)
### xml.etree.ElementTree
The [`xml.etree.ElementTree`](../library/xml.etree.elementtree.xhtml#module-xml.etree.ElementTree "xml.etree.ElementTree: Implementation of the ElementTree API.") module now imports its C accelerator by default; there is no longer a need to explicitly import `xml.etree.cElementTree` (this module stays for backwards compatibility, but is now deprecated). In addition, the `iter` family of methods of [`Element`](../library/xml.etree.elementtree.xhtml#xml.etree.ElementTree.Element "xml.etree.ElementTree.Element") has been optimized (rewritten in C). The module's documentation has also been greatly improved with added examples and a more detailed reference.
### zlib
New attribute [`zlib.Decompress.eof`](../library/zlib.xhtml#zlib.Decompress.eof "zlib.Decompress.eof") makes it possible to distinguish between a properly-formed compressed stream and an incomplete or truncated one. (Contributed by Nadeem Vawda in [bpo-12646](https://bugs.python.org/issue12646) \[https://bugs.python.org/issue12646\].)
New attribute [`zlib.ZLIB_RUNTIME_VERSION`](../library/zlib.xhtml#zlib.ZLIB_RUNTIME_VERSION "zlib.ZLIB_RUNTIME_VERSION") reports the version string of the underlying `zlib` library that is loaded at runtime. (Contributed by Torsten Landschoff in [bpo-12306](https://bugs.python.org/issue12306) \[https://bugs.python.org/issue12306\].)
## 性能优化
Major performance enhancements have been added:
- Thanks to [**PEP 393**](https://www.python.org/dev/peps/pep-0393) \[https://www.python.org/dev/peps/pep-0393\], some operations on Unicode strings have been optimized:
- the memory footprint is divided by 2 to 4 depending on the text
- encode an ASCII string to UTF-8 doesn't need to encode characters anymore, the UTF-8 representation is shared with the ASCII representation
- the UTF-8 encoder has been optimized
- repeating a single ASCII letter and getting a substring of an ASCII string is 4 times faster
- UTF-8 is now 2x to 4x faster. UTF-16 encoding is now up to 10x faster.
(Contributed by Serhiy Storchaka, [bpo-14624](https://bugs.python.org/issue14624) \[https://bugs.python.org/issue14624\], [bpo-14738](https://bugs.python.org/issue14738) \[https://bugs.python.org/issue14738\] and [bpo-15026](https://bugs.python.org/issue15026) \[https://bugs.python.org/issue15026\].)
## Build and C API Changes
Changes to Python's build process and to the C API include:
- New [**PEP 3118**](https://www.python.org/dev/peps/pep-3118) \[https://www.python.org/dev/peps/pep-3118\] related function:
- [`PyMemoryView_FromMemory()`](../c-api/memoryview.xhtml#c.PyMemoryView_FromMemory "PyMemoryView_FromMemory")
- [**PEP 393**](https://www.python.org/dev/peps/pep-0393) \[https://www.python.org/dev/peps/pep-0393\] added new Unicode types, macros and functions:
- High-level API:
- [`PyUnicode_CopyCharacters()`](../c-api/unicode.xhtml#c.PyUnicode_CopyCharacters "PyUnicode_CopyCharacters")
- [`PyUnicode_FindChar()`](../c-api/unicode.xhtml#c.PyUnicode_FindChar "PyUnicode_FindChar")
- [`PyUnicode_GetLength()`](../c-api/unicode.xhtml#c.PyUnicode_GetLength "PyUnicode_GetLength"), [`PyUnicode_GET_LENGTH`](../c-api/unicode.xhtml#c.PyUnicode_GET_LENGTH "PyUnicode_GET_LENGTH")
- [`PyUnicode_New()`](../c-api/unicode.xhtml#c.PyUnicode_New "PyUnicode_New")
- [`PyUnicode_Substring()`](../c-api/unicode.xhtml#c.PyUnicode_Substring "PyUnicode_Substring")
- [`PyUnicode_ReadChar()`](../c-api/unicode.xhtml#c.PyUnicode_ReadChar "PyUnicode_ReadChar"), [`PyUnicode_WriteChar()`](../c-api/unicode.xhtml#c.PyUnicode_WriteChar "PyUnicode_WriteChar")
- Low-level API:
- [`Py_UCS1`](../c-api/unicode.xhtml#c.Py_UCS1 "Py_UCS1"), [`Py_UCS2`](../c-api/unicode.xhtml#c.Py_UCS2 "Py_UCS2"), [`Py_UCS4`](../c-api/unicode.xhtml#c.Py_UCS4 "Py_UCS4") types
- [`PyASCIIObject`](../c-api/unicode.xhtml#c.PyASCIIObject "PyASCIIObject") and [`PyCompactUnicodeObject`](../c-api/unicode.xhtml#c.PyCompactUnicodeObject "PyCompactUnicodeObject") structures
- [`PyUnicode_READY`](../c-api/unicode.xhtml#c.PyUnicode_READY "PyUnicode_READY")
- [`PyUnicode_FromKindAndData()`](../c-api/unicode.xhtml#c.PyUnicode_FromKindAndData "PyUnicode_FromKindAndData")
- [`PyUnicode_AsUCS4()`](../c-api/unicode.xhtml#c.PyUnicode_AsUCS4 "PyUnicode_AsUCS4"), [`PyUnicode_AsUCS4Copy()`](../c-api/unicode.xhtml#c.PyUnicode_AsUCS4Copy "PyUnicode_AsUCS4Copy")
- [`PyUnicode_DATA`](../c-api/unicode.xhtml#c.PyUnicode_DATA "PyUnicode_DATA"), [`PyUnicode_1BYTE_DATA`](../c-api/unicode.xhtml#c.PyUnicode_1BYTE_DATA "PyUnicode_1BYTE_DATA"), [`PyUnicode_2BYTE_DATA`](../c-api/unicode.xhtml#c.PyUnicode_2BYTE_DATA "PyUnicode_2BYTE_DATA"), [`PyUnicode_4BYTE_DATA`](../c-api/unicode.xhtml#c.PyUnicode_4BYTE_DATA "PyUnicode_4BYTE_DATA")
- [`PyUnicode_KIND`](../c-api/unicode.xhtml#c.PyUnicode_KIND "PyUnicode_KIND") with `PyUnicode_Kind` enum: [`PyUnicode_WCHAR_KIND`](../c-api/unicode.xhtml#c.PyUnicode_WCHAR_KIND "PyUnicode_WCHAR_KIND"), [`PyUnicode_1BYTE_KIND`](../c-api/unicode.xhtml#c.PyUnicode_1BYTE_KIND "PyUnicode_1BYTE_KIND"), [`PyUnicode_2BYTE_KIND`](../c-api/unicode.xhtml#c.PyUnicode_2BYTE_KIND "PyUnicode_2BYTE_KIND"), [`PyUnicode_4BYTE_KIND`](../c-api/unicode.xhtml#c.PyUnicode_4BYTE_KIND "PyUnicode_4BYTE_KIND")
- [`PyUnicode_READ`](../c-api/unicode.xhtml#c.PyUnicode_READ "PyUnicode_READ"), [`PyUnicode_READ_CHAR`](../c-api/unicode.xhtml#c.PyUnicode_READ_CHAR "PyUnicode_READ_CHAR"), [`PyUnicode_WRITE`](../c-api/unicode.xhtml#c.PyUnicode_WRITE "PyUnicode_WRITE")
- [`PyUnicode_MAX_CHAR_VALUE`](../c-api/unicode.xhtml#c.PyUnicode_MAX_CHAR_VALUE "PyUnicode_MAX_CHAR_VALUE")
- [`PyArg_ParseTuple`](../c-api/arg.xhtml#c.PyArg_ParseTuple "PyArg_ParseTuple") now accepts a [`bytearray`](../library/stdtypes.xhtml#bytearray "bytearray") for the `c`format ([bpo-12380](https://bugs.python.org/issue12380) \[https://bugs.python.org/issue12380\]).
## 弃用
### Unsupported Operating Systems
OS/2 and VMS are no longer supported due to the lack of a maintainer.
Windows 2000 and Windows platforms which set `COMSPEC` to `command.com`are no longer supported due to maintenance burden.
OSF support, which was deprecated in 3.2, has been completely removed.
### 已弃用的 Python 模块、函数和方法
- Passing a non-empty string to `object.__format__()` is deprecated, and will produce a [`TypeError`](../library/exceptions.xhtml#TypeError "TypeError") in Python 3.4 ([bpo-9856](https://bugs.python.org/issue9856) \[https://bugs.python.org/issue9856\]).
- The `unicode_internal` codec has been deprecated because of the [**PEP 393**](https://www.python.org/dev/peps/pep-0393) \[https://www.python.org/dev/peps/pep-0393\], use UTF-8, UTF-16 (`utf-16-le` or `utf-16-be`), or UTF-32 (`utf-32-le` or `utf-32-be`)
- [`ftplib.FTP.nlst()`](../library/ftplib.xhtml#ftplib.FTP.nlst "ftplib.FTP.nlst") and [`ftplib.FTP.dir()`](../library/ftplib.xhtml#ftplib.FTP.dir "ftplib.FTP.dir"): use [`ftplib.FTP.mlsd()`](../library/ftplib.xhtml#ftplib.FTP.mlsd "ftplib.FTP.mlsd")
- [`platform.popen()`](../library/platform.xhtml#platform.popen "platform.popen"): use the [`subprocess`](../library/subprocess.xhtml#module-subprocess "subprocess: Subprocess management.") module. Check especially the [Replacing Older Functions with the subprocess Module](../library/subprocess.xhtml#subprocess-replacements) section ([bpo-11377](https://bugs.python.org/issue11377) \[https://bugs.python.org/issue11377\]).
- [bpo-13374](https://bugs.python.org/issue13374) \[https://bugs.python.org/issue13374\]: The Windows bytes API has been deprecated in the [`os`](../library/os.xhtml#module-os "os: Miscellaneous operating system interfaces.")module. Use Unicode filenames, instead of bytes filenames, to not depend on the ANSI code page anymore and to support any filename.
- [bpo-13988](https://bugs.python.org/issue13988) \[https://bugs.python.org/issue13988\]: The `xml.etree.cElementTree` module is deprecated. The accelerator is used automatically whenever available.
- The behaviour of [`time.clock()`](../library/time.xhtml#time.clock "time.clock") depends on the platform: use the new [`time.perf_counter()`](../library/time.xhtml#time.perf_counter "time.perf_counter") or [`time.process_time()`](../library/time.xhtml#time.process_time "time.process_time") function instead, depending on your requirements, to have a well defined behaviour.
- The `os.stat_float_times()` function is deprecated.
- [`abc`](../library/abc.xhtml#module-abc "abc: Abstract base classes according to PEP 3119.") module:
- [`abc.abstractproperty`](../library/abc.xhtml#abc.abstractproperty "abc.abstractproperty") has been deprecated, use [`property`](../library/functions.xhtml#property "property")with [`abc.abstractmethod()`](../library/abc.xhtml#abc.abstractmethod "abc.abstractmethod") instead.
- [`abc.abstractclassmethod`](../library/abc.xhtml#abc.abstractclassmethod "abc.abstractclassmethod") has been deprecated, use [`classmethod`](../library/functions.xhtml#classmethod "classmethod") with [`abc.abstractmethod()`](../library/abc.xhtml#abc.abstractmethod "abc.abstractmethod") instead.
- [`abc.abstractstaticmethod`](../library/abc.xhtml#abc.abstractstaticmethod "abc.abstractstaticmethod") has been deprecated, use [`staticmethod`](../library/functions.xhtml#staticmethod "staticmethod") with [`abc.abstractmethod()`](../library/abc.xhtml#abc.abstractmethod "abc.abstractmethod") instead.
- [`importlib`](../library/importlib.xhtml#module-importlib "importlib: The implementation of the import machinery.") package:
- [`importlib.abc.SourceLoader.path_mtime()`](../library/importlib.xhtml#importlib.abc.SourceLoader.path_mtime "importlib.abc.SourceLoader.path_mtime") is now deprecated in favour of [`importlib.abc.SourceLoader.path_stats()`](../library/importlib.xhtml#importlib.abc.SourceLoader.path_stats "importlib.abc.SourceLoader.path_stats") as bytecode files now store both the modification time and size of the source file the bytecode file was compiled from.
### 已弃用的 C API 函数和类型
The [`Py_UNICODE`](../c-api/unicode.xhtml#c.Py_UNICODE "Py_UNICODE") has been deprecated by [**PEP 393**](https://www.python.org/dev/peps/pep-0393) \[https://www.python.org/dev/peps/pep-0393\] and will be removed in Python 4. All functions using this type are deprecated:
Unicode functions and methods using [`Py_UNICODE`](../c-api/unicode.xhtml#c.Py_UNICODE "Py_UNICODE") and [`Py_UNICODE*`](../c-api/unicode.xhtml#c.Py_UNICODE "Py_UNICODE") types:
- [`PyUnicode_FromUnicode`](../c-api/unicode.xhtml#c.PyUnicode_FromUnicode "PyUnicode_FromUnicode"): use [`PyUnicode_FromWideChar()`](../c-api/unicode.xhtml#c.PyUnicode_FromWideChar "PyUnicode_FromWideChar") or [`PyUnicode_FromKindAndData()`](../c-api/unicode.xhtml#c.PyUnicode_FromKindAndData "PyUnicode_FromKindAndData")
- [`PyUnicode_AS_UNICODE`](../c-api/unicode.xhtml#c.PyUnicode_AS_UNICODE "PyUnicode_AS_UNICODE"), [`PyUnicode_AsUnicode()`](../c-api/unicode.xhtml#c.PyUnicode_AsUnicode "PyUnicode_AsUnicode"), [`PyUnicode_AsUnicodeAndSize()`](../c-api/unicode.xhtml#c.PyUnicode_AsUnicodeAndSize "PyUnicode_AsUnicodeAndSize"): use [`PyUnicode_AsWideCharString()`](../c-api/unicode.xhtml#c.PyUnicode_AsWideCharString "PyUnicode_AsWideCharString")
- [`PyUnicode_AS_DATA`](../c-api/unicode.xhtml#c.PyUnicode_AS_DATA "PyUnicode_AS_DATA"): use [`PyUnicode_DATA`](../c-api/unicode.xhtml#c.PyUnicode_DATA "PyUnicode_DATA") with [`PyUnicode_READ`](../c-api/unicode.xhtml#c.PyUnicode_READ "PyUnicode_READ") and [`PyUnicode_WRITE`](../c-api/unicode.xhtml#c.PyUnicode_WRITE "PyUnicode_WRITE")
- [`PyUnicode_GET_SIZE`](../c-api/unicode.xhtml#c.PyUnicode_GET_SIZE "PyUnicode_GET_SIZE"), [`PyUnicode_GetSize()`](../c-api/unicode.xhtml#c.PyUnicode_GetSize "PyUnicode_GetSize"): use [`PyUnicode_GET_LENGTH`](../c-api/unicode.xhtml#c.PyUnicode_GET_LENGTH "PyUnicode_GET_LENGTH") or [`PyUnicode_GetLength()`](../c-api/unicode.xhtml#c.PyUnicode_GetLength "PyUnicode_GetLength")
- [`PyUnicode_GET_DATA_SIZE`](../c-api/unicode.xhtml#c.PyUnicode_GET_DATA_SIZE "PyUnicode_GET_DATA_SIZE"): use `PyUnicode_GET_LENGTH(str) * PyUnicode_KIND(str)` (only work on ready strings)
- [`PyUnicode_AsUnicodeCopy()`](../c-api/unicode.xhtml#c.PyUnicode_AsUnicodeCopy "PyUnicode_AsUnicodeCopy"): use [`PyUnicode_AsUCS4Copy()`](../c-api/unicode.xhtml#c.PyUnicode_AsUCS4Copy "PyUnicode_AsUCS4Copy") or [`PyUnicode_AsWideCharString()`](../c-api/unicode.xhtml#c.PyUnicode_AsWideCharString "PyUnicode_AsWideCharString")
- `PyUnicode_GetMax()`
Functions and macros manipulating Py\_UNICODE\* strings:
- `Py_UNICODE_strlen`: use [`PyUnicode_GetLength()`](../c-api/unicode.xhtml#c.PyUnicode_GetLength "PyUnicode_GetLength") or [`PyUnicode_GET_LENGTH`](../c-api/unicode.xhtml#c.PyUnicode_GET_LENGTH "PyUnicode_GET_LENGTH")
- `Py_UNICODE_strcat`: use [`PyUnicode_CopyCharacters()`](../c-api/unicode.xhtml#c.PyUnicode_CopyCharacters "PyUnicode_CopyCharacters") or [`PyUnicode_FromFormat()`](../c-api/unicode.xhtml#c.PyUnicode_FromFormat "PyUnicode_FromFormat")
- `Py_UNICODE_strcpy`, `Py_UNICODE_strncpy`, `Py_UNICODE_COPY`: use [`PyUnicode_CopyCharacters()`](../c-api/unicode.xhtml#c.PyUnicode_CopyCharacters "PyUnicode_CopyCharacters") or [`PyUnicode_Substring()`](../c-api/unicode.xhtml#c.PyUnicode_Substring "PyUnicode_Substring")
- `Py_UNICODE_strcmp`: use [`PyUnicode_Compare()`](../c-api/unicode.xhtml#c.PyUnicode_Compare "PyUnicode_Compare")
- `Py_UNICODE_strncmp`: use [`PyUnicode_Tailmatch()`](../c-api/unicode.xhtml#c.PyUnicode_Tailmatch "PyUnicode_Tailmatch")
- `Py_UNICODE_strchr`, `Py_UNICODE_strrchr`: use [`PyUnicode_FindChar()`](../c-api/unicode.xhtml#c.PyUnicode_FindChar "PyUnicode_FindChar")
- `Py_UNICODE_FILL`: use [`PyUnicode_Fill()`](../c-api/unicode.xhtml#c.PyUnicode_Fill "PyUnicode_Fill")
- `Py_UNICODE_MATCH`
Encoders:
- [`PyUnicode_Encode()`](../c-api/unicode.xhtml#c.PyUnicode_Encode "PyUnicode_Encode"): use `PyUnicode_AsEncodedObject()`
- [`PyUnicode_EncodeUTF7()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeUTF7 "PyUnicode_EncodeUTF7")
- [`PyUnicode_EncodeUTF8()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeUTF8 "PyUnicode_EncodeUTF8"): use [`PyUnicode_AsUTF8()`](../c-api/unicode.xhtml#c.PyUnicode_AsUTF8 "PyUnicode_AsUTF8") or [`PyUnicode_AsUTF8String()`](../c-api/unicode.xhtml#c.PyUnicode_AsUTF8String "PyUnicode_AsUTF8String")
- [`PyUnicode_EncodeUTF32()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeUTF32 "PyUnicode_EncodeUTF32")
- [`PyUnicode_EncodeUTF16()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeUTF16 "PyUnicode_EncodeUTF16")
- `PyUnicode_EncodeUnicodeEscape:()` use [`PyUnicode_AsUnicodeEscapeString()`](../c-api/unicode.xhtml#c.PyUnicode_AsUnicodeEscapeString "PyUnicode_AsUnicodeEscapeString")
- `PyUnicode_EncodeRawUnicodeEscape:()` use [`PyUnicode_AsRawUnicodeEscapeString()`](../c-api/unicode.xhtml#c.PyUnicode_AsRawUnicodeEscapeString "PyUnicode_AsRawUnicodeEscapeString")
- [`PyUnicode_EncodeLatin1()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeLatin1 "PyUnicode_EncodeLatin1"): use [`PyUnicode_AsLatin1String()`](../c-api/unicode.xhtml#c.PyUnicode_AsLatin1String "PyUnicode_AsLatin1String")
- [`PyUnicode_EncodeASCII()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeASCII "PyUnicode_EncodeASCII"): use [`PyUnicode_AsASCIIString()`](../c-api/unicode.xhtml#c.PyUnicode_AsASCIIString "PyUnicode_AsASCIIString")
- [`PyUnicode_EncodeCharmap()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeCharmap "PyUnicode_EncodeCharmap")
- [`PyUnicode_TranslateCharmap()`](../c-api/unicode.xhtml#c.PyUnicode_TranslateCharmap "PyUnicode_TranslateCharmap")
- [`PyUnicode_EncodeMBCS()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeMBCS "PyUnicode_EncodeMBCS"): use [`PyUnicode_AsMBCSString()`](../c-api/unicode.xhtml#c.PyUnicode_AsMBCSString "PyUnicode_AsMBCSString") or [`PyUnicode_EncodeCodePage()`](../c-api/unicode.xhtml#c.PyUnicode_EncodeCodePage "PyUnicode_EncodeCodePage") (with `CP_ACP` code\_page)
- `PyUnicode_EncodeDecimal()`, [`PyUnicode_TransformDecimalToASCII()`](../c-api/unicode.xhtml#c.PyUnicode_TransformDecimalToASCII "PyUnicode_TransformDecimalToASCII")
### Deprecated features
The [`array`](../library/array.xhtml#module-array "array: Space efficient arrays of uniformly typed numeric values.") module's `'u'` format code is now deprecated and will be removed in Python 4 together with the rest of the ([`Py_UNICODE`](../c-api/unicode.xhtml#c.Py_UNICODE "Py_UNICODE")) API.
## Porting to Python 3.3
本节列出了先前描述的更改以及可能需要更改代码的其他错误修正.
### Porting Python code
- Hash randomization is enabled by default. Set the [`PYTHONHASHSEED`](../using/cmdline.xhtml#envvar-PYTHONHASHSEED)environment variable to `0` to disable hash randomization. See also the [`object.__hash__()`](../reference/datamodel.xhtml#object.__hash__ "object.__hash__") method.
- [bpo-12326](https://bugs.python.org/issue12326) \[https://bugs.python.org/issue12326\]: On Linux, sys.platform doesn't contain the major version anymore. It is now always 'linux', instead of 'linux2' or 'linux3' depending on the Linux version used to build Python. Replace sys.platform == 'linux2' with sys.platform.startswith('linux'), or directly sys.platform == 'linux' if you don't need to support older Python versions.
- [bpo-13847](https://bugs.python.org/issue13847) \[https://bugs.python.org/issue13847\], [bpo-14180](https://bugs.python.org/issue14180) \[https://bugs.python.org/issue14180\]: [`time`](../library/time.xhtml#module-time "time: Time access and conversions.") and [`datetime`](../library/datetime.xhtml#module-datetime "datetime: Basic date and time types."): [`OverflowError`](../library/exceptions.xhtml#OverflowError "OverflowError") is now raised instead of [`ValueError`](../library/exceptions.xhtml#ValueError "ValueError") if a timestamp is out of range. [`OSError`](../library/exceptions.xhtml#OSError "OSError") is now raised if C functions `gmtime()` or `localtime()` failed.
- The default finders used by import now utilize a cache of what is contained within a specific directory. If you create a Python source file or sourceless bytecode file, make sure to call [`importlib.invalidate_caches()`](../library/importlib.xhtml#importlib.invalidate_caches "importlib.invalidate_caches") to clear out the cache for the finders to notice the new file.
- [`ImportError`](../library/exceptions.xhtml#ImportError "ImportError") now uses the full name of the module that was attempted to be imported. Doctests that check ImportErrors' message will need to be updated to use the full name of the module instead of just the tail of the name.
- The *index* argument to [`__import__()`](../library/functions.xhtml#__import__ "__import__") now defaults to 0 instead of -1 and no longer support negative values. It was an oversight when [**PEP 328**](https://www.python.org/dev/peps/pep-0328) \[https://www.python.org/dev/peps/pep-0328\] was implemented that the default value remained -1. If you need to continue to perform a relative import followed by an absolute import, then perform the relative import using an index of 1, followed by another import using an index of 0. It is preferred, though, that you use [`importlib.import_module()`](../library/importlib.xhtml#importlib.import_module "importlib.import_module") rather than call [`__import__()`](../library/functions.xhtml#__import__ "__import__") directly.
- [`__import__()`](../library/functions.xhtml#__import__ "__import__") no longer allows one to use an index value other than 0 for top-level modules. E.g. `__import__('sys', level=1)` is now an error.
- Because [`sys.meta_path`](../library/sys.xhtml#sys.meta_path "sys.meta_path") and [`sys.path_hooks`](../library/sys.xhtml#sys.path_hooks "sys.path_hooks") now have finders on them by default, you will most likely want to use `list.insert()` instead of `list.append()` to add to those lists.
- Because `None` is now inserted into [`sys.path_importer_cache`](../library/sys.xhtml#sys.path_importer_cache "sys.path_importer_cache"), if you are clearing out entries in the dictionary of paths that do not have a finder, you will need to remove keys paired with values of `None` **and**[`imp.NullImporter`](../library/imp.xhtml#imp.NullImporter "imp.NullImporter") to be backwards-compatible. This will lead to extra overhead on older versions of Python that re-insert `None` into [`sys.path_importer_cache`](../library/sys.xhtml#sys.path_importer_cache "sys.path_importer_cache") where it represents the use of implicit finders, but semantically it should not change anything.
- [`importlib.abc.Finder`](../library/importlib.xhtml#importlib.abc.Finder "importlib.abc.Finder") no longer specifies a find\_module() abstract method that must be implemented. If you were relying on subclasses to implement that method, make sure to check for the method's existence first. You will probably want to check for find\_loader() first, though, in the case of working with [path entry finders](../glossary.xhtml#term-path-entry-finder).
- [`pkgutil`](../library/pkgutil.xhtml#module-pkgutil "pkgutil: Utilities for the import system.") has been converted to use [`importlib`](../library/importlib.xhtml#module-importlib "importlib: The implementation of the import machinery.") internally. This eliminates many edge cases where the old behaviour of the PEP 302 import emulation failed to match the behaviour of the real import system. The import emulation itself is still present, but is now deprecated. The [`pkgutil.iter_importers()`](../library/pkgutil.xhtml#pkgutil.iter_importers "pkgutil.iter_importers") and [`pkgutil.walk_packages()`](../library/pkgutil.xhtml#pkgutil.walk_packages "pkgutil.walk_packages") functions special case the standard import hooks so they are still supported even though they do not provide the non-standard `iter_modules()` method.
- A longstanding RFC-compliance bug ([bpo-1079](https://bugs.python.org/issue1079) \[https://bugs.python.org/issue1079\]) in the parsing done by [`email.header.decode_header()`](../library/email.header.xhtml#email.header.decode_header "email.header.decode_header") has been fixed. Code that uses the standard idiom to convert encoded headers into unicode (`str(make_header(decode_header(h))`) will see no change, but code that looks at the individual tuples returned by decode\_header will see that whitespace that precedes or follows `ASCII` sections is now included in the `ASCII` section. Code that builds headers using `make_header` should also continue to work without change, since `make_header` continues to add whitespace between `ASCII` and non-`ASCII` sections if it is not already present in the input strings.
- [`email.utils.formataddr()`](../library/email.utils.xhtml#email.utils.formataddr "email.utils.formataddr") now does the correct content transfer encoding when passed non-`ASCII` display names. Any code that depended on the previous buggy behavior that preserved the non-`ASCII` unicode in the formatted output string will need to be changed ([bpo-1690608](https://bugs.python.org/issue1690608) \[https://bugs.python.org/issue1690608\]).
- [`poplib.POP3.quit()`](../library/poplib.xhtml#poplib.POP3.quit "poplib.POP3.quit") may now raise protocol errors like all other `poplib` methods. Code that assumes `quit` does not raise [`poplib.error_proto`](../library/poplib.xhtml#poplib.error_proto "poplib.error_proto") errors may need to be changed if errors on `quit`are encountered by a particular application ([bpo-11291](https://bugs.python.org/issue11291) \[https://bugs.python.org/issue11291\]).
- The `strict` argument to [`email.parser.Parser`](../library/email.parser.xhtml#email.parser.Parser "email.parser.Parser"), deprecated since Python 2.4, has finally been removed.
- The deprecated method `unittest.TestCase.assertSameElements` has been removed.
- The deprecated variable `time.accept2dyear` has been removed.
- The deprecated `Context._clamp` attribute has been removed from the [`decimal`](../library/decimal.xhtml#module-decimal "decimal: Implementation of the General Decimal Arithmetic Specification.") module. It was previously replaced by the public attribute `clamp`. (See [bpo-8540](https://bugs.python.org/issue8540) \[https://bugs.python.org/issue8540\].)
- The undocumented internal helper class `SSLFakeFile` has been removed from [`smtplib`](../library/smtplib.xhtml#module-smtplib "smtplib: SMTP protocol client (requires sockets)."), since its functionality has long been provided directly by [`socket.socket.makefile()`](../library/socket.xhtml#socket.socket.makefile "socket.socket.makefile").
- Passing a negative value to [`time.sleep()`](../library/time.xhtml#time.sleep "time.sleep") on Windows now raises an error instead of sleeping forever. It has always raised an error on posix.
- The `ast.__version__` constant has been removed. If you need to make decisions affected by the AST version, use [`sys.version_info`](../library/sys.xhtml#sys.version_info "sys.version_info")to make the decision.
- Code that used to work around the fact that the [`threading`](../library/threading.xhtml#module-threading "threading: Thread-based parallelism.") module used factory functions by subclassing the private classes will need to change to subclass the now-public classes.
- The undocumented debugging machinery in the threading module has been removed, simplifying the code. This should have no effect on production code, but is mentioned here in case any application debug frameworks were interacting with it ([bpo-13550](https://bugs.python.org/issue13550) \[https://bugs.python.org/issue13550\]).
### Porting C code
- In the course of changes to the buffer API the undocumented `smalltable` member of the [`Py_buffer`](../c-api/buffer.xhtml#c.Py_buffer "Py_buffer") structure has been removed and the layout of the `PyMemoryViewObject` has changed.
All extensions relying on the relevant parts in `memoryobject.h`or `object.h` must be rebuilt.
- Due to [PEP 393](#pep-393), the [`Py_UNICODE`](../c-api/unicode.xhtml#c.Py_UNICODE "Py_UNICODE") type and all functions using this type are deprecated (but will stay available for at least five years). If you were using low-level Unicode APIs to construct and access unicode objects and you want to benefit of the memory footprint reduction provided by PEP 393, you have to convert your code to the new [Unicode API](../c-api/unicode.xhtml).
However, if you only have been using high-level functions such as [`PyUnicode_Concat()`](../c-api/unicode.xhtml#c.PyUnicode_Concat "PyUnicode_Concat"), [`PyUnicode_Join()`](../c-api/unicode.xhtml#c.PyUnicode_Join "PyUnicode_Join") or [`PyUnicode_FromFormat()`](../c-api/unicode.xhtml#c.PyUnicode_FromFormat "PyUnicode_FromFormat"), your code will automatically take advantage of the new unicode representations.
- [`PyImport_GetMagicNumber()`](../c-api/import.xhtml#c.PyImport_GetMagicNumber "PyImport_GetMagicNumber") now returns `-1` upon failure.
- As a negative value for the *level* argument to [`__import__()`](../library/functions.xhtml#__import__ "__import__") is no longer valid, the same now holds for [`PyImport_ImportModuleLevel()`](../c-api/import.xhtml#c.PyImport_ImportModuleLevel "PyImport_ImportModuleLevel"). This also means that the value of *level* used by [`PyImport_ImportModuleEx()`](../c-api/import.xhtml#c.PyImport_ImportModuleEx "PyImport_ImportModuleEx") is now `0` instead of `-1`.
### Building C extensions
- The range of possible file names for C extensions has been narrowed. Very rarely used spellings have been suppressed: under POSIX, files named `xxxmodule.so`, `xxxmodule.abi3.so` and `xxxmodule.cpython-*.so` are no longer recognized as implementing the `xxx` module. If you had been generating such files, you have to switch to the other spellings (i.e., remove the `module` string from the file names).
(implemented in [bpo-14040](https://bugs.python.org/issue14040) \[https://bugs.python.org/issue14040\].)
### Command Line Switch Changes
- The -Q command-line flag and related artifacts have been removed. Code checking sys.flags.division\_warning will need updating.
([bpo-10998](https://bugs.python.org/issue10998) \[https://bugs.python.org/issue10998\], contributed by Éric Araujo.)
- When **python** is started with [`-S`](../using/cmdline.xhtml#id3), `import site`will no longer add site-specific paths to the module search paths. In previous versions, it did.
([bpo-11591](https://bugs.python.org/issue11591) \[https://bugs.python.org/issue11591\], contributed by Carl Meyer with editions by Éric Araujo.)
### 导航
- [索引](../genindex.xhtml "总目录")
- [模块](../py-modindex.xhtml "Python 模块索引") |
- [下一页](3.2.xhtml "What's New In Python 3.2") |
- [上一页](3.4.xhtml "What's New In Python 3.4") |
- ![](https://box.kancloud.cn/a721fc7ec672275e257bbbfde49a4d4e_16x16.png)
- [Python](https://www.python.org/) »
- zh\_CN 3.7.3 [文档](../index.xhtml) »
- [Python 有什么新变化?](index.xhtml) »
- $('.inline-search').show(0); |
© [版权所有](../copyright.xhtml) 2001-2019, Python Software Foundation.
Python 软件基金会是一个非盈利组织。 [请捐助。](https://www.python.org/psf/donations/)
最后更新于 5月 21, 2019. [发现了问题](../bugs.xhtml)?
使用[Sphinx](http://sphinx.pocoo.org/)1.8.4 创建。
- Python文档内容
- Python 有什么新变化?
- Python 3.7 有什么新变化
- 摘要 - 发布重点
- 新的特性
- 其他语言特性修改
- 新增模块
- 改进的模块
- C API 的改变
- 构建的改变
- 性能优化
- 其他 CPython 实现的改变
- 已弃用的 Python 行为
- 已弃用的 Python 模块、函数和方法
- 已弃用的 C API 函数和类型
- 平台支持的移除
- API 与特性的移除
- 移除的模块
- Windows 专属的改变
- 移植到 Python 3.7
- Python 3.7.1 中的重要变化
- Python 3.7.2 中的重要变化
- Python 3.6 有什么新变化A
- 摘要 - 发布重点
- 新的特性
- 其他语言特性修改
- 新增模块
- 改进的模块
- 性能优化
- Build and C API Changes
- 其他改进
- 弃用
- 移除
- 移植到Python 3.6
- Python 3.6.2 中的重要变化
- Python 3.6.4 中的重要变化
- Python 3.6.5 中的重要变化
- Python 3.6.7 中的重要变化
- Python 3.5 有什么新变化
- 摘要 - 发布重点
- 新的特性
- 其他语言特性修改
- 新增模块
- 改进的模块
- Other module-level changes
- 性能优化
- Build and C API Changes
- 弃用
- 移除
- Porting to Python 3.5
- Notable changes in Python 3.5.4
- What's New In Python 3.4
- 摘要 - 发布重点
- 新的特性
- 新增模块
- 改进的模块
- CPython Implementation Changes
- 弃用
- 移除
- Porting to Python 3.4
- Changed in 3.4.3
- What's New In Python 3.3
- 摘要 - 发布重点
- PEP 405: Virtual Environments
- PEP 420: Implicit Namespace Packages
- PEP 3118: New memoryview implementation and buffer protocol documentation
- PEP 393: Flexible String Representation
- PEP 397: Python Launcher for Windows
- PEP 3151: Reworking the OS and IO exception hierarchy
- PEP 380: Syntax for Delegating to a Subgenerator
- PEP 409: Suppressing exception context
- PEP 414: Explicit Unicode literals
- PEP 3155: Qualified name for classes and functions
- PEP 412: Key-Sharing Dictionary
- PEP 362: Function Signature Object
- PEP 421: Adding sys.implementation
- Using importlib as the Implementation of Import
- 其他语言特性修改
- A Finer-Grained Import Lock
- Builtin functions and types
- 新增模块
- 改进的模块
- 性能优化
- Build and C API Changes
- 弃用
- Porting to Python 3.3
- What's New In Python 3.2
- PEP 384: Defining a Stable ABI
- PEP 389: Argparse Command Line Parsing Module
- PEP 391: Dictionary Based Configuration for Logging
- PEP 3148: The concurrent.futures module
- PEP 3147: PYC Repository Directories
- PEP 3149: ABI Version Tagged .so Files
- PEP 3333: Python Web Server Gateway Interface v1.0.1
- 其他语言特性修改
- New, Improved, and Deprecated Modules
- 多线程
- 性能优化
- Unicode
- Codecs
- 文档
- IDLE
- Code Repository
- Build and C API Changes
- Porting to Python 3.2
- What's New In Python 3.1
- PEP 372: Ordered Dictionaries
- PEP 378: Format Specifier for Thousands Separator
- 其他语言特性修改
- New, Improved, and Deprecated Modules
- 性能优化
- IDLE
- Build and C API Changes
- Porting to Python 3.1
- What's New In Python 3.0
- Common Stumbling Blocks
- Overview Of Syntax Changes
- Changes Already Present In Python 2.6
- Library Changes
- PEP 3101: A New Approach To String Formatting
- Changes To Exceptions
- Miscellaneous Other Changes
- Build and C API Changes
- 性能
- Porting To Python 3.0
- What's New in Python 2.7
- The Future for Python 2.x
- Changes to the Handling of Deprecation Warnings
- Python 3.1 Features
- PEP 372: Adding an Ordered Dictionary to collections
- PEP 378: Format Specifier for Thousands Separator
- PEP 389: The argparse Module for Parsing Command Lines
- PEP 391: Dictionary-Based Configuration For Logging
- PEP 3106: Dictionary Views
- PEP 3137: The memoryview Object
- 其他语言特性修改
- New and Improved Modules
- Build and C API Changes
- Other Changes and Fixes
- Porting to Python 2.7
- New Features Added to Python 2.7 Maintenance Releases
- Acknowledgements
- Python 2.6 有什么新变化
- Python 3.0
- Changes to the Development Process
- PEP 343: The 'with' statement
- PEP 366: Explicit Relative Imports From a Main Module
- PEP 370: Per-user site-packages Directory
- PEP 371: The multiprocessing Package
- PEP 3101: Advanced String Formatting
- PEP 3105: print As a Function
- PEP 3110: Exception-Handling Changes
- PEP 3112: Byte Literals
- PEP 3116: New I/O Library
- PEP 3118: Revised Buffer Protocol
- PEP 3119: Abstract Base Classes
- PEP 3127: Integer Literal Support and Syntax
- PEP 3129: Class Decorators
- PEP 3141: A Type Hierarchy for Numbers
- 其他语言特性修改
- New and Improved Modules
- Deprecations and Removals
- Build and C API Changes
- Porting to Python 2.6
- Acknowledgements
- What's New in Python 2.5
- PEP 308: Conditional Expressions
- PEP 309: Partial Function Application
- PEP 314: Metadata for Python Software Packages v1.1
- PEP 328: Absolute and Relative Imports
- PEP 338: Executing Modules as Scripts
- PEP 341: Unified try/except/finally
- PEP 342: New Generator Features
- PEP 343: The 'with' statement
- PEP 352: Exceptions as New-Style Classes
- PEP 353: Using ssize_t as the index type
- PEP 357: The 'index' method
- 其他语言特性修改
- New, Improved, and Removed Modules
- Build and C API Changes
- Porting to Python 2.5
- Acknowledgements
- What's New in Python 2.4
- PEP 218: Built-In Set Objects
- PEP 237: Unifying Long Integers and Integers
- PEP 289: Generator Expressions
- PEP 292: Simpler String Substitutions
- PEP 318: Decorators for Functions and Methods
- PEP 322: Reverse Iteration
- PEP 324: New subprocess Module
- PEP 327: Decimal Data Type
- PEP 328: Multi-line Imports
- PEP 331: Locale-Independent Float/String Conversions
- 其他语言特性修改
- New, Improved, and Deprecated Modules
- Build and C API Changes
- Porting to Python 2.4
- Acknowledgements
- What's New in Python 2.3
- PEP 218: A Standard Set Datatype
- PEP 255: Simple Generators
- PEP 263: Source Code Encodings
- PEP 273: Importing Modules from ZIP Archives
- PEP 277: Unicode file name support for Windows NT
- PEP 278: Universal Newline Support
- PEP 279: enumerate()
- PEP 282: The logging Package
- PEP 285: A Boolean Type
- PEP 293: Codec Error Handling Callbacks
- PEP 301: Package Index and Metadata for Distutils
- PEP 302: New Import Hooks
- PEP 305: Comma-separated Files
- PEP 307: Pickle Enhancements
- Extended Slices
- 其他语言特性修改
- New, Improved, and Deprecated Modules
- Pymalloc: A Specialized Object Allocator
- Build and C API Changes
- Other Changes and Fixes
- Porting to Python 2.3
- Acknowledgements
- What's New in Python 2.2
- 概述
- PEPs 252 and 253: Type and Class Changes
- PEP 234: Iterators
- PEP 255: Simple Generators
- PEP 237: Unifying Long Integers and Integers
- PEP 238: Changing the Division Operator
- Unicode Changes
- PEP 227: Nested Scopes
- New and Improved Modules
- Interpreter Changes and Fixes
- Other Changes and Fixes
- Acknowledgements
- What's New in Python 2.1
- 概述
- PEP 227: Nested Scopes
- PEP 236: future Directives
- PEP 207: Rich Comparisons
- PEP 230: Warning Framework
- PEP 229: New Build System
- PEP 205: Weak References
- PEP 232: Function Attributes
- PEP 235: Importing Modules on Case-Insensitive Platforms
- PEP 217: Interactive Display Hook
- PEP 208: New Coercion Model
- PEP 241: Metadata in Python Packages
- New and Improved Modules
- Other Changes and Fixes
- Acknowledgements
- What's New in Python 2.0
- 概述
- What About Python 1.6?
- New Development Process
- Unicode
- 列表推导式
- Augmented Assignment
- 字符串的方法
- Garbage Collection of Cycles
- Other Core Changes
- Porting to 2.0
- Extending/Embedding Changes
- Distutils: Making Modules Easy to Install
- XML Modules
- Module changes
- New modules
- IDLE Improvements
- Deleted and Deprecated Modules
- Acknowledgements
- 更新日志
- Python 下一版
- Python 3.7.3 最终版
- Python 3.7.3 发布候选版 1
- Python 3.7.2 最终版
- Python 3.7.2 发布候选版 1
- Python 3.7.1 最终版
- Python 3.7.1 RC 2版本
- Python 3.7.1 发布候选版 1
- Python 3.7.0 正式版
- Python 3.7.0 release candidate 1
- Python 3.7.0 beta 5
- Python 3.7.0 beta 4
- Python 3.7.0 beta 3
- Python 3.7.0 beta 2
- Python 3.7.0 beta 1
- Python 3.7.0 alpha 4
- Python 3.7.0 alpha 3
- Python 3.7.0 alpha 2
- Python 3.7.0 alpha 1
- Python 3.6.6 final
- Python 3.6.6 RC 1
- Python 3.6.5 final
- Python 3.6.5 release candidate 1
- Python 3.6.4 final
- Python 3.6.4 release candidate 1
- Python 3.6.3 final
- Python 3.6.3 release candidate 1
- Python 3.6.2 final
- Python 3.6.2 release candidate 2
- Python 3.6.2 release candidate 1
- Python 3.6.1 final
- Python 3.6.1 release candidate 1
- Python 3.6.0 final
- Python 3.6.0 release candidate 2
- Python 3.6.0 release candidate 1
- Python 3.6.0 beta 4
- Python 3.6.0 beta 3
- Python 3.6.0 beta 2
- Python 3.6.0 beta 1
- Python 3.6.0 alpha 4
- Python 3.6.0 alpha 3
- Python 3.6.0 alpha 2
- Python 3.6.0 alpha 1
- Python 3.5.5 final
- Python 3.5.5 release candidate 1
- Python 3.5.4 final
- Python 3.5.4 release candidate 1
- Python 3.5.3 final
- Python 3.5.3 release candidate 1
- Python 3.5.2 final
- Python 3.5.2 release candidate 1
- Python 3.5.1 final
- Python 3.5.1 release candidate 1
- Python 3.5.0 final
- Python 3.5.0 release candidate 4
- Python 3.5.0 release candidate 3
- Python 3.5.0 release candidate 2
- Python 3.5.0 release candidate 1
- Python 3.5.0 beta 4
- Python 3.5.0 beta 3
- Python 3.5.0 beta 2
- Python 3.5.0 beta 1
- Python 3.5.0 alpha 4
- Python 3.5.0 alpha 3
- Python 3.5.0 alpha 2
- Python 3.5.0 alpha 1
- Python 教程
- 课前甜点
- 使用 Python 解释器
- 调用解释器
- 解释器的运行环境
- Python 的非正式介绍
- Python 作为计算器使用
- 走向编程的第一步
- 其他流程控制工具
- if 语句
- for 语句
- range() 函数
- break 和 continue 语句,以及循环中的 else 子句
- pass 语句
- 定义函数
- 函数定义的更多形式
- 小插曲:编码风格
- 数据结构
- 列表的更多特性
- del 语句
- 元组和序列
- 集合
- 字典
- 循环的技巧
- 深入条件控制
- 序列和其它类型的比较
- 模块
- 有关模块的更多信息
- 标准模块
- dir() 函数
- 包
- 输入输出
- 更漂亮的输出格式
- 读写文件
- 错误和异常
- 语法错误
- 异常
- 处理异常
- 抛出异常
- 用户自定义异常
- 定义清理操作
- 预定义的清理操作
- 类
- 名称和对象
- Python 作用域和命名空间
- 初探类
- 补充说明
- 继承
- 私有变量
- 杂项说明
- 迭代器
- 生成器
- 生成器表达式
- 标准库简介
- 操作系统接口
- 文件通配符
- 命令行参数
- 错误输出重定向和程序终止
- 字符串模式匹配
- 数学
- 互联网访问
- 日期和时间
- 数据压缩
- 性能测量
- 质量控制
- 自带电池
- 标准库简介 —— 第二部分
- 格式化输出
- 模板
- 使用二进制数据记录格式
- 多线程
- 日志
- 弱引用
- 用于操作列表的工具
- 十进制浮点运算
- 虚拟环境和包
- 概述
- 创建虚拟环境
- 使用pip管理包
- 接下来?
- 交互式编辑和编辑历史
- Tab 补全和编辑历史
- 默认交互式解释器的替代品
- 浮点算术:争议和限制
- 表示性错误
- 附录
- 交互模式
- 安装和使用 Python
- 命令行与环境
- 命令行
- 环境变量
- 在Unix平台中使用Python
- 获取最新版本的Python
- 构建Python
- 与Python相关的路径和文件
- 杂项
- 编辑器和集成开发环境
- 在Windows上使用 Python
- 完整安装程序
- Microsoft Store包
- nuget.org 安装包
- 可嵌入的包
- 替代捆绑包
- 配置Python
- 适用于Windows的Python启动器
- 查找模块
- 附加模块
- 在Windows上编译Python
- 其他平台
- 在苹果系统上使用 Python
- 获取和安装 MacPython
- IDE
- 安装额外的 Python 包
- Mac 上的图形界面编程
- 在 Mac 上分发 Python 应用程序
- 其他资源
- Python 语言参考
- 概述
- 其他实现
- 标注
- 词法分析
- 行结构
- 其他形符
- 标识符和关键字
- 字面值
- 运算符
- 分隔符
- 数据模型
- 对象、值与类型
- 标准类型层级结构
- 特殊方法名称
- 协程
- 执行模型
- 程序的结构
- 命名与绑定
- 异常
- 导入系统
- importlib
- 包
- 搜索
- 加载
- 基于路径的查找器
- 替换标准导入系统
- Package Relative Imports
- 有关 main 的特殊事项
- 开放问题项
- 参考文献
- 表达式
- 算术转换
- 原子
- 原型
- await 表达式
- 幂运算符
- 一元算术和位运算
- 二元算术运算符
- 移位运算
- 二元位运算
- 比较运算
- 布尔运算
- 条件表达式
- lambda 表达式
- 表达式列表
- 求值顺序
- 运算符优先级
- 简单语句
- 表达式语句
- 赋值语句
- assert 语句
- pass 语句
- del 语句
- return 语句
- yield 语句
- raise 语句
- break 语句
- continue 语句
- import 语句
- global 语句
- nonlocal 语句
- 复合语句
- if 语句
- while 语句
- for 语句
- try 语句
- with 语句
- 函数定义
- 类定义
- 协程
- 最高层级组件
- 完整的 Python 程序
- 文件输入
- 交互式输入
- 表达式输入
- 完整的语法规范
- Python 标准库
- 概述
- 可用性注释
- 内置函数
- 内置常量
- 由 site 模块添加的常量
- 内置类型
- 逻辑值检测
- 布尔运算 — and, or, not
- 比较
- 数字类型 — int, float, complex
- 迭代器类型
- 序列类型 — list, tuple, range
- 文本序列类型 — str
- 二进制序列类型 — bytes, bytearray, memoryview
- 集合类型 — set, frozenset
- 映射类型 — dict
- 上下文管理器类型
- 其他内置类型
- 特殊属性
- 内置异常
- 基类
- 具体异常
- 警告
- 异常层次结构
- 文本处理服务
- string — 常见的字符串操作
- re — 正则表达式操作
- 模块 difflib 是一个计算差异的助手
- textwrap — Text wrapping and filling
- unicodedata — Unicode 数据库
- stringprep — Internet String Preparation
- readline — GNU readline interface
- rlcompleter — GNU readline的完成函数
- 二进制数据服务
- struct — Interpret bytes as packed binary data
- codecs — Codec registry and base classes
- 数据类型
- datetime — 基础日期/时间数据类型
- calendar — General calendar-related functions
- collections — 容器数据类型
- collections.abc — 容器的抽象基类
- heapq — 堆队列算法
- bisect — Array bisection algorithm
- array — Efficient arrays of numeric values
- weakref — 弱引用
- types — Dynamic type creation and names for built-in types
- copy — 浅层 (shallow) 和深层 (deep) 复制操作
- pprint — 数据美化输出
- reprlib — Alternate repr() implementation
- enum — Support for enumerations
- 数字和数学模块
- numbers — 数字的抽象基类
- math — 数学函数
- cmath — Mathematical functions for complex numbers
- decimal — 十进制定点和浮点运算
- fractions — 分数
- random — 生成伪随机数
- statistics — Mathematical statistics functions
- 函数式编程模块
- itertools — 为高效循环而创建迭代器的函数
- functools — 高阶函数和可调用对象上的操作
- operator — 标准运算符替代函数
- 文件和目录访问
- pathlib — 面向对象的文件系统路径
- os.path — 常见路径操作
- fileinput — Iterate over lines from multiple input streams
- stat — Interpreting stat() results
- filecmp — File and Directory Comparisons
- tempfile — Generate temporary files and directories
- glob — Unix style pathname pattern expansion
- fnmatch — Unix filename pattern matching
- linecache — Random access to text lines
- shutil — High-level file operations
- macpath — Mac OS 9 路径操作函数
- 数据持久化
- pickle —— Python 对象序列化
- copyreg — Register pickle support functions
- shelve — Python object persistence
- marshal — Internal Python object serialization
- dbm — Interfaces to Unix “databases”
- sqlite3 — SQLite 数据库 DB-API 2.0 接口模块
- 数据压缩和存档
- zlib — 与 gzip 兼容的压缩
- gzip — 对 gzip 格式的支持
- bz2 — 对 bzip2 压缩算法的支持
- lzma — 用 LZMA 算法压缩
- zipfile — 在 ZIP 归档中工作
- tarfile — Read and write tar archive files
- 文件格式
- csv — CSV 文件读写
- configparser — Configuration file parser
- netrc — netrc file processing
- xdrlib — Encode and decode XDR data
- plistlib — Generate and parse Mac OS X .plist files
- 加密服务
- hashlib — 安全哈希与消息摘要
- hmac — 基于密钥的消息验证
- secrets — Generate secure random numbers for managing secrets
- 通用操作系统服务
- os — 操作系统接口模块
- io — 处理流的核心工具
- time — 时间的访问和转换
- argparse — 命令行选项、参数和子命令解析器
- getopt — C-style parser for command line options
- 模块 logging — Python 的日志记录工具
- logging.config — 日志记录配置
- logging.handlers — Logging handlers
- getpass — 便携式密码输入工具
- curses — 终端字符单元显示的处理
- curses.textpad — Text input widget for curses programs
- curses.ascii — Utilities for ASCII characters
- curses.panel — A panel stack extension for curses
- platform — Access to underlying platform's identifying data
- errno — Standard errno system symbols
- ctypes — Python 的外部函数库
- 并发执行
- threading — 基于线程的并行
- multiprocessing — 基于进程的并行
- concurrent 包
- concurrent.futures — 启动并行任务
- subprocess — 子进程管理
- sched — 事件调度器
- queue — 一个同步的队列类
- _thread — 底层多线程 API
- _dummy_thread — _thread 的替代模块
- dummy_threading — 可直接替代 threading 模块。
- contextvars — Context Variables
- Context Variables
- Manual Context Management
- asyncio support
- 网络和进程间通信
- asyncio — 异步 I/O
- socket — 底层网络接口
- ssl — TLS/SSL wrapper for socket objects
- select — Waiting for I/O completion
- selectors — 高级 I/O 复用库
- asyncore — 异步socket处理器
- asynchat — 异步 socket 指令/响应 处理器
- signal — Set handlers for asynchronous events
- mmap — Memory-mapped file support
- 互联网数据处理
- email — 电子邮件与 MIME 处理包
- json — JSON 编码和解码器
- mailcap — Mailcap file handling
- mailbox — Manipulate mailboxes in various formats
- mimetypes — Map filenames to MIME types
- base64 — Base16, Base32, Base64, Base85 数据编码
- binhex — 对binhex4文件进行编码和解码
- binascii — 二进制和 ASCII 码互转
- quopri — Encode and decode MIME quoted-printable data
- uu — Encode and decode uuencode files
- 结构化标记处理工具
- html — 超文本标记语言支持
- html.parser — 简单的 HTML 和 XHTML 解析器
- html.entities — HTML 一般实体的定义
- XML处理模块
- xml.etree.ElementTree — The ElementTree XML API
- xml.dom — The Document Object Model API
- xml.dom.minidom — Minimal DOM implementation
- xml.dom.pulldom — Support for building partial DOM trees
- xml.sax — Support for SAX2 parsers
- xml.sax.handler — Base classes for SAX handlers
- xml.sax.saxutils — SAX Utilities
- xml.sax.xmlreader — Interface for XML parsers
- xml.parsers.expat — Fast XML parsing using Expat
- 互联网协议和支持
- webbrowser — 方便的Web浏览器控制器
- cgi — Common Gateway Interface support
- cgitb — Traceback manager for CGI scripts
- wsgiref — WSGI Utilities and Reference Implementation
- urllib — URL 处理模块
- urllib.request — 用于打开 URL 的可扩展库
- urllib.response — Response classes used by urllib
- urllib.parse — Parse URLs into components
- urllib.error — Exception classes raised by urllib.request
- urllib.robotparser — Parser for robots.txt
- http — HTTP 模块
- http.client — HTTP协议客户端
- ftplib — FTP protocol client
- poplib — POP3 protocol client
- imaplib — IMAP4 protocol client
- nntplib — NNTP protocol client
- smtplib —SMTP协议客户端
- smtpd — SMTP Server
- telnetlib — Telnet client
- uuid — UUID objects according to RFC 4122
- socketserver — A framework for network servers
- http.server — HTTP 服务器
- http.cookies — HTTP state management
- http.cookiejar — Cookie handling for HTTP clients
- xmlrpc — XMLRPC 服务端与客户端模块
- xmlrpc.client — XML-RPC client access
- xmlrpc.server — Basic XML-RPC servers
- ipaddress — IPv4/IPv6 manipulation library
- 多媒体服务
- audioop — Manipulate raw audio data
- aifc — Read and write AIFF and AIFC files
- sunau — 读写 Sun AU 文件
- wave — 读写WAV格式文件
- chunk — Read IFF chunked data
- colorsys — Conversions between color systems
- imghdr — 推测图像类型
- sndhdr — 推测声音文件的类型
- ossaudiodev — Access to OSS-compatible audio devices
- 国际化
- gettext — 多语种国际化服务
- locale — 国际化服务
- 程序框架
- turtle — 海龟绘图
- cmd — 支持面向行的命令解释器
- shlex — Simple lexical analysis
- Tk图形用户界面(GUI)
- tkinter — Tcl/Tk的Python接口
- tkinter.ttk — Tk themed widgets
- tkinter.tix — Extension widgets for Tk
- tkinter.scrolledtext — 滚动文字控件
- IDLE
- 其他图形用户界面(GUI)包
- 开发工具
- typing — 类型标注支持
- pydoc — Documentation generator and online help system
- doctest — Test interactive Python examples
- unittest — 单元测试框架
- unittest.mock — mock object library
- unittest.mock 上手指南
- 2to3 - 自动将 Python 2 代码转为 Python 3 代码
- test — Regression tests package for Python
- test.support — Utilities for the Python test suite
- test.support.script_helper — Utilities for the Python execution tests
- 调试和分析
- bdb — Debugger framework
- faulthandler — Dump the Python traceback
- pdb — The Python Debugger
- The Python Profilers
- timeit — 测量小代码片段的执行时间
- trace — Trace or track Python statement execution
- tracemalloc — Trace memory allocations
- 软件打包和分发
- distutils — 构建和安装 Python 模块
- ensurepip — Bootstrapping the pip installer
- venv — 创建虚拟环境
- zipapp — Manage executable Python zip archives
- Python运行时服务
- sys — 系统相关的参数和函数
- sysconfig — Provide access to Python's configuration information
- builtins — 内建对象
- main — 顶层脚本环境
- warnings — Warning control
- dataclasses — 数据类
- contextlib — Utilities for with-statement contexts
- abc — 抽象基类
- atexit — 退出处理器
- traceback — Print or retrieve a stack traceback
- future — Future 语句定义
- gc — 垃圾回收器接口
- inspect — 检查对象
- site — Site-specific configuration hook
- 自定义 Python 解释器
- code — Interpreter base classes
- codeop — Compile Python code
- 导入模块
- zipimport — Import modules from Zip archives
- pkgutil — Package extension utility
- modulefinder — 查找脚本使用的模块
- runpy — Locating and executing Python modules
- importlib — The implementation of import
- Python 语言服务
- parser — Access Python parse trees
- ast — 抽象语法树
- symtable — Access to the compiler's symbol tables
- symbol — 与 Python 解析树一起使用的常量
- token — 与Python解析树一起使用的常量
- keyword — 检验Python关键字
- tokenize — Tokenizer for Python source
- tabnanny — 模糊缩进检测
- pyclbr — Python class browser support
- py_compile — Compile Python source files
- compileall — Byte-compile Python libraries
- dis — Python 字节码反汇编器
- pickletools — Tools for pickle developers
- 杂项服务
- formatter — Generic output formatting
- Windows系统相关模块
- msilib — Read and write Microsoft Installer files
- msvcrt — Useful routines from the MS VC++ runtime
- winreg — Windows 注册表访问
- winsound — Sound-playing interface for Windows
- Unix 专有服务
- posix — The most common POSIX system calls
- pwd — 用户密码数据库
- spwd — The shadow password database
- grp — The group database
- crypt — Function to check Unix passwords
- termios — POSIX style tty control
- tty — 终端控制功能
- pty — Pseudo-terminal utilities
- fcntl — The fcntl and ioctl system calls
- pipes — Interface to shell pipelines
- resource — Resource usage information
- nis — Interface to Sun's NIS (Yellow Pages)
- Unix syslog 库例程
- 被取代的模块
- optparse — Parser for command line options
- imp — Access the import internals
- 未创建文档的模块
- 平台特定模块
- 扩展和嵌入 Python 解释器
- 推荐的第三方工具
- 不使用第三方工具创建扩展
- 使用 C 或 C++ 扩展 Python
- 自定义扩展类型:教程
- 定义扩展类型:已分类主题
- 构建C/C++扩展
- 在Windows平台编译C和C++扩展
- 在更大的应用程序中嵌入 CPython 运行时
- Embedding Python in Another Application
- Python/C API 参考手册
- 概述
- 代码标准
- 包含文件
- 有用的宏
- 对象、类型和引用计数
- 异常
- 嵌入Python
- 调试构建
- 稳定的应用程序二进制接口
- The Very High Level Layer
- Reference Counting
- 异常处理
- Printing and clearing
- 抛出异常
- Issuing warnings
- Querying the error indicator
- Signal Handling
- Exception Classes
- Exception Objects
- Unicode Exception Objects
- Recursion Control
- 标准异常
- 标准警告类别
- 工具
- 操作系统实用程序
- 系统功能
- 过程控制
- 导入模块
- Data marshalling support
- 语句解释及变量编译
- 字符串转换与格式化
- 反射
- 编解码器注册与支持功能
- 抽象对象层
- Object Protocol
- 数字协议
- Sequence Protocol
- Mapping Protocol
- 迭代器协议
- 缓冲协议
- Old Buffer Protocol
- 具体的对象层
- 基本对象
- 数值对象
- 序列对象
- 容器对象
- 函数对象
- 其他对象
- Initialization, Finalization, and Threads
- 在Python初始化之前
- 全局配置变量
- Initializing and finalizing the interpreter
- Process-wide parameters
- Thread State and the Global Interpreter Lock
- Sub-interpreter support
- Asynchronous Notifications
- Profiling and Tracing
- Advanced Debugger Support
- Thread Local Storage Support
- 内存管理
- 概述
- 原始内存接口
- Memory Interface
- 对象分配器
- 默认内存分配器
- Customize Memory Allocators
- The pymalloc allocator
- tracemalloc C API
- 示例
- 对象实现支持
- 在堆中分配对象
- Common Object Structures
- Type 对象
- Number Object Structures
- Mapping Object Structures
- Sequence Object Structures
- Buffer Object Structures
- Async Object Structures
- 使对象类型支持循环垃圾回收
- API 和 ABI 版本管理
- 分发 Python 模块
- 关键术语
- 开源许可与协作
- 安装工具
- 阅读指南
- 我该如何...?
- ...为我的项目选择一个名字?
- ...创建和分发二进制扩展?
- 安装 Python 模块
- 关键术语
- 基本使用
- 我应如何 ...?
- ... 在 Python 3.4 之前的 Python 版本中安装 pip ?
- ... 只为当前用户安装软件包?
- ... 安装科学计算类 Python 软件包?
- ... 使用并行安装的多个 Python 版本?
- 常见的安装问题
- 在 Linux 的系统 Python 版本上安装
- 未安装 pip
- 安装二进制编译扩展
- Python 常用指引
- 将 Python 2 代码迁移到 Python 3
- 简要说明
- 详情
- 将扩展模块移植到 Python 3
- 条件编译
- 对象API的更改
- 模块初始化和状态
- CObject 替换为 Capsule
- 其他选项
- Curses Programming with Python
- What is curses?
- Starting and ending a curses application
- Windows and Pads
- Displaying Text
- User Input
- For More Information
- 实现描述器
- 摘要
- 定义和简介
- 描述器协议
- 发起调用描述符
- 描述符示例
- Properties
- 函数和方法
- Static Methods and Class Methods
- 函数式编程指引
- 概述
- 迭代器
- 生成器表达式和列表推导式
- 生成器
- 内置函数
- itertools 模块
- The functools module
- Small functions and the lambda expression
- Revision History and Acknowledgements
- 引用文献
- 日志 HOWTO
- 日志基础教程
- 进阶日志教程
- 日志级别
- 有用的处理程序
- 记录日志中引发的异常
- 使用任意对象作为消息
- 优化
- 日志操作手册
- 在多个模块中使用日志
- 在多线程中使用日志
- 使用多个日志处理器和多种格式化
- 在多个地方记录日志
- 日志服务器配置示例
- 处理日志处理器的阻塞
- Sending and receiving logging events across a network
- Adding contextual information to your logging output
- Logging to a single file from multiple processes
- Using file rotation
- Use of alternative formatting styles
- Customizing LogRecord
- Subclassing QueueHandler - a ZeroMQ example
- Subclassing QueueListener - a ZeroMQ example
- An example dictionary-based configuration
- Using a rotator and namer to customize log rotation processing
- A more elaborate multiprocessing example
- Inserting a BOM into messages sent to a SysLogHandler
- Implementing structured logging
- Customizing handlers with dictConfig()
- Using particular formatting styles throughout your application
- Configuring filters with dictConfig()
- Customized exception formatting
- Speaking logging messages
- Buffering logging messages and outputting them conditionally
- Formatting times using UTC (GMT) via configuration
- Using a context manager for selective logging
- 正则表达式HOWTO
- 概述
- 简单模式
- 使用正则表达式
- 更多模式能力
- 修改字符串
- 常见问题
- 反馈
- 套接字编程指南
- 套接字
- 创建套接字
- 使用一个套接字
- 断开连接
- 非阻塞的套接字
- 排序指南
- 基本排序
- 关键函数
- Operator 模块函数
- 升序和降序
- 排序稳定性和排序复杂度
- 使用装饰-排序-去装饰的旧方法
- 使用 cmp 参数的旧方法
- 其它
- Unicode 指南
- Unicode 概述
- Python's Unicode Support
- Reading and Writing Unicode Data
- Acknowledgements
- 如何使用urllib包获取网络资源
- 概述
- Fetching URLs
- 处理异常
- info and geturl
- Openers and Handlers
- Basic Authentication
- Proxies
- Sockets and Layers
- 脚注
- Argparse 教程
- 概念
- 基础
- 位置参数介绍
- Introducing Optional arguments
- Combining Positional and Optional arguments
- Getting a little more advanced
- Conclusion
- ipaddress模块介绍
- 创建 Address/Network/Interface 对象
- 审查 Address/Network/Interface 对象
- Network 作为 Address 列表
- 比较
- 将IP地址与其他模块一起使用
- 实例创建失败时获取更多详细信息
- Argument Clinic How-To
- The Goals Of Argument Clinic
- Basic Concepts And Usage
- Converting Your First Function
- Advanced Topics
- 使用 DTrace 和 SystemTap 检测CPython
- Enabling the static markers
- Static DTrace probes
- Static SystemTap markers
- Available static markers
- SystemTap Tapsets
- 示例
- Python 常见问题
- Python常见问题
- 一般信息
- 现实世界中的 Python
- 编程常见问题
- 一般问题
- 核心语言
- 数字和字符串
- 性能
- 序列(元组/列表)
- 对象
- 模块
- 设计和历史常见问题
- 为什么Python使用缩进来分组语句?
- 为什么简单的算术运算得到奇怪的结果?
- 为什么浮点计算不准确?
- 为什么Python字符串是不可变的?
- 为什么必须在方法定义和调用中显式使用“self”?
- 为什么不能在表达式中赋值?
- 为什么Python对某些功能(例如list.index())使用方法来实现,而其他功能(例如len(List))使用函数实现?
- 为什么 join()是一个字符串方法而不是列表或元组方法?
- 异常有多快?
- 为什么Python中没有switch或case语句?
- 难道不能在解释器中模拟线程,而非得依赖特定于操作系统的线程实现吗?
- 为什么lambda表达式不能包含语句?
- 可以将Python编译为机器代码,C或其他语言吗?
- Python如何管理内存?
- 为什么CPython不使用更传统的垃圾回收方案?
- CPython退出时为什么不释放所有内存?
- 为什么有单独的元组和列表数据类型?
- 列表是如何在CPython中实现的?
- 字典是如何在CPython中实现的?
- 为什么字典key必须是不可变的?
- 为什么 list.sort() 没有返回排序列表?
- 如何在Python中指定和实施接口规范?
- 为什么没有goto?
- 为什么原始字符串(r-strings)不能以反斜杠结尾?
- 为什么Python没有属性赋值的“with”语句?
- 为什么 if/while/def/class语句需要冒号?
- 为什么Python在列表和元组的末尾允许使用逗号?
- 代码库和插件 FAQ
- 通用的代码库问题
- 通用任务
- 线程相关
- 输入输出
- 网络 / Internet 编程
- 数据库
- 数学和数字
- 扩展/嵌入常见问题
- 可以使用C语言中创建自己的函数吗?
- 可以使用C++语言中创建自己的函数吗?
- C很难写,有没有其他选择?
- 如何从C执行任意Python语句?
- 如何从C中评估任意Python表达式?
- 如何从Python对象中提取C的值?
- 如何使用Py_BuildValue()创建任意长度的元组?
- 如何从C调用对象的方法?
- 如何捕获PyErr_Print()(或打印到stdout / stderr的任何内容)的输出?
- 如何从C访问用Python编写的模块?
- 如何从Python接口到C ++对象?
- 我使用Setup文件添加了一个模块,为什么make失败了?
- 如何调试扩展?
- 我想在Linux系统上编译一个Python模块,但是缺少一些文件。为什么?
- 如何区分“输入不完整”和“输入无效”?
- 如何找到未定义的g++符号__builtin_new或__pure_virtual?
- 能否创建一个对象类,其中部分方法在C中实现,而其他方法在Python中实现(例如通过继承)?
- Python在Windows上的常见问题
- 我怎样在Windows下运行一个Python程序?
- 我怎么让 Python 脚本可执行?
- 为什么有时候 Python 程序会启动缓慢?
- 我怎样使用Python脚本制作可执行文件?
- *.pyd 文件和DLL文件相同吗?
- 我怎样将Python嵌入一个Windows程序?
- 如何让编辑器不要在我的 Python 源代码中插入 tab ?
- 如何在不阻塞的情况下检查按键?
- 图形用户界面(GUI)常见问题
- 图形界面常见问题
- Python 是否有平台无关的图形界面工具包?
- 有哪些Python的GUI工具是某个平台专用的?
- 有关Tkinter的问题
- “为什么我的电脑上安装了 Python ?”
- 什么是Python?
- 为什么我的电脑上安装了 Python ?
- 我能删除 Python 吗?
- 术语对照表
- 文档说明
- Python 文档贡献者
- 解决 Bug
- 文档错误
- 使用 Python 的错误追踪系统
- 开始为 Python 贡献您的知识
- 版权
- 历史和许可证
- 软件历史
- 访问Python或以其他方式使用Python的条款和条件
- Python 3.7.3 的 PSF 许可协议
- Python 2.0 的 BeOpen.com 许可协议
- Python 1.6.1 的 CNRI 许可协议
- Python 0.9.0 至 1.2 的 CWI 许可协议
- 集成软件的许可和认可
- Mersenne Twister
- 套接字
- Asynchronous socket services
- Cookie management
- Execution tracing
- UUencode and UUdecode functions
- XML Remote Procedure Calls
- test_epoll
- Select kqueue
- SipHash24
- strtod and dtoa
- OpenSSL
- expat
- libffi
- zlib
- cfuhash
- libmpdec