Skip to content
Projects
Groups
Snippets
Help
Loading...
Help
Support
Keyboard shortcuts
?
Submit feedback
Contribute to GitLab
Sign in / Register
Toggle navigation
C
cpython
Project overview
Project overview
Details
Activity
Releases
Repository
Repository
Files
Commits
Branches
Tags
Contributors
Graph
Compare
Issues
0
Issues
0
List
Boards
Labels
Milestones
Merge Requests
0
Merge Requests
0
Analytics
Analytics
Repository
Value Stream
Wiki
Wiki
Members
Members
Collapse sidebar
Close sidebar
Activity
Graph
Create a new issue
Commits
Issue Boards
Open sidebar
Kirill Smelkov
cpython
Commits
99e93d2d
Commit
99e93d2d
authored
Oct 24, 2011
by
Petri Lehtinen
Browse files
Options
Browse Files
Download
Plain Diff
merge heads
parents
8ffbab8d
46f990e5
Changes
6
Expand all
Hide whitespace changes
Inline
Side-by-side
Showing
6 changed files
with
220 additions
and
118 deletions
+220
-118
Doc/library/2to3.rst
Doc/library/2to3.rst
+3
-1
Doc/library/socketserver.rst
Doc/library/socketserver.rst
+27
-21
Doc/library/subprocess.rst
Doc/library/subprocess.rst
+160
-95
Lib/multiprocessing/pool.py
Lib/multiprocessing/pool.py
+5
-1
Lib/test/test_multiprocessing.py
Lib/test/test_multiprocessing.py
+14
-0
Misc/NEWS
Misc/NEWS
+11
-0
No files found.
Doc/library/2to3.rst
View file @
99e93d2d
...
...
@@ -123,7 +123,9 @@ and off individually. They are described here in more detail.
.. 2to3fixer:: callable
Converts ``callable(x)`` to ``isinstance(x, collections.Callable)``, adding
an import to :mod:`collections` if needed.
an import to :mod:`collections` if needed. Note ``callable(x)`` has returned
in Python 3.2, so if you do not intend to support Python 3.1, you can disable
this fixer.
.. 2to3fixer:: dict
...
...
Doc/library/socketserver.rst
View file @
99e93d2d
...
...
@@ -225,6 +225,7 @@ The server classes support the following class variables:
desired. If :meth:`handle_request` receives no incoming requests within the
timeout period, the :meth:`handle_timeout` method is called.
There are various server methods that can be overridden by subclasses of base
server classes like :class:`TCPServer`; these methods aren't useful to external
users of the server object.
...
...
@@ -355,7 +356,7 @@ This is the server side::
def handle(self):
# self.request is the TCP socket connected to the client
self.data = self.request.recv(1024).strip()
print "
%s wrote:" % self.client_address[0]
print "
{} wrote:".format(self.client_address[0])
print self.data
# just send back the same data, but upper-cased
self.request.send(self.data.upper())
...
...
@@ -379,7 +380,7 @@ objects that simplify communication by providing the standard file interface)::
# self.rfile is a file-like object created by the handler;
# we can now use e.g. readline() instead of raw recv() calls
self.data = self.rfile.readline().strip()
print "
%s wrote:" % self.client_address[0]
print "
{} wrote:".format(self.client_address[0])
print self.data
# Likewise, self.wfile is a file-like object used to write back
# to the client
...
...
@@ -402,16 +403,18 @@ This is the client side::
# Create a socket (SOCK_STREAM means a TCP socket)
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
# Connect to server and send data
sock.connect((HOST, PORT))
sock.send(data + "\n")
try:
# Connect to server and send data
sock.connect((HOST, PORT))
sock.send(data + "\n")
# Receive data from the server and shut down
received = sock.recv(1024)
sock.close()
# Receive data from the server and shut down
received = sock.recv(1024)
finally:
sock.close()
print "Sent:
%s" % data
print "Received:
%s" % received
print "Sent:
{}".format(data)
print "Received:
{}".format(received)
The output of the example should look something like this:
...
...
@@ -452,7 +455,7 @@ This is the server side::
def handle(self):
data = self.request[0].strip()
socket = self.request[1]
print "
%s wrote:" % self.client_address[0]
print "
{} wrote:".format(self.client_address[0])
print data
socket.sendto(data.upper(), self.client_address)
...
...
@@ -477,8 +480,8 @@ This is the client side::
sock.sendto(data + "\n", (HOST, PORT))
received = sock.recv(1024)
print "Sent:
%s" % data
print "Received:
%s" % received
print "Sent:
{}".format(data)
print "Received:
{}".format(received)
The output of the example should look exactly like for the TCP server example.
...
...
@@ -499,8 +502,8 @@ An example for the :class:`ThreadingMixIn` class::
def handle(self):
data = self.request.recv(1024)
cur_thread = threading.current
T
hread()
response = "
%s: %s" % (cur_thread.getName()
, data)
cur_thread = threading.current
_t
hread()
response = "
{}: {}".format(cur_thread.name
, data)
self.request.send(response)
class ThreadedTCPServer(SocketServer.ThreadingMixIn, SocketServer.TCPServer):
...
...
@@ -509,10 +512,12 @@ An example for the :class:`ThreadingMixIn` class::
def client(ip, port, message):
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
sock.connect((ip, port))
sock.send(message)
response = sock.recv(1024)
print "Received: %s" % response
sock.close()
try:
sock.send(message)
response = sock.recv(1024)
print "Received: {}".format(response)
finally:
sock.close()
if __name__ == "__main__":
# Port 0 means to select an arbitrary unused port
...
...
@@ -525,9 +530,9 @@ An example for the :class:`ThreadingMixIn` class::
# more thread for each request
server_thread = threading.Thread(target=server.serve_forever)
# Exit the server thread when the main thread terminates
server_thread.
setDaemon(True)
server_thread.
daemon = True
server_thread.start()
print "Server loop running in thread:", server_thread.
getName()
print "Server loop running in thread:", server_thread.
name
client(ip, port, "Hello World 1")
client(ip, port, "Hello World 2")
...
...
@@ -535,6 +540,7 @@ An example for the :class:`ThreadingMixIn` class::
server.shutdown()
The output of the example should look something like this::
$ python ThreadedTCPServer.py
...
...
Doc/library/subprocess.rst
View file @
99e93d2d
This diff is collapsed.
Click to expand it.
Lib/multiprocessing/pool.py
View file @
99e93d2d
...
...
@@ -294,7 +294,11 @@ class Pool(object):
@
staticmethod
def
_handle_workers
(
pool
):
while
pool
.
_worker_handler
.
_state
==
RUN
and
pool
.
_state
==
RUN
:
thread
=
threading
.
current_thread
()
# Keep maintaining workers until the cache gets drained, unless the pool
# is terminated.
while
thread
.
_state
==
RUN
or
(
pool
.
_cache
and
thread
.
_state
!=
TERMINATE
):
pool
.
_maintain_pool
()
time
.
sleep
(
0.1
)
# send sentinel to stop workers
...
...
Lib/test/test_multiprocessing.py
View file @
99e93d2d
...
...
@@ -1168,6 +1168,20 @@ class _TestPoolWorkerLifetime(BaseTestCase):
p
.
close
()
p
.
join
()
def
test_pool_worker_lifetime_early_close
(
self
):
# Issue #10332: closing a pool whose workers have limited lifetimes
# before all the tasks completed would make join() hang.
p
=
multiprocessing
.
Pool
(
3
,
maxtasksperchild
=
1
)
results
=
[]
for
i
in
range
(
6
):
results
.
append
(
p
.
apply_async
(
sqr
,
(
i
,
0.3
)))
p
.
close
()
p
.
join
()
# check the results
for
(
j
,
res
)
in
enumerate
(
results
):
self
.
assertEqual
(
res
.
get
(),
sqr
(
j
))
#
# Test that manager has expected number of shared objects left
#
...
...
Misc/NEWS
View file @
99e93d2d
...
...
@@ -69,6 +69,9 @@ Core and Builtins
Library
-------
-
Issue
#
10332
:
multiprocessing
:
fix
a
race
condition
when
a
Pool
is
closed
before
all
tasks
have
completed
.
-
Issue
#
1548891
:
The
cStringIO
.
StringIO
()
constructor
now
encodes
unicode
arguments
with
the
system
default
encoding
just
like
the
write
()
method
does
,
instead
of
converting
it
to
a
raw
buffer
.
This
also
fixes
handling
of
...
...
@@ -345,6 +348,14 @@ Tests
- Issue #12057: Add tests for ISO 2022 codecs (iso2022_jp, iso2022_jp_2,
iso2022_kr).
Documentation
-------------
- Issue #13237: Reorganise subprocess documentation to emphasise convenience
functions and the most commonly needed arguments to Popen.
- Issue #13141: Demonstrate recommended style for SocketServer examples.
What'
s
New
in
Python
2.7.2
?
===========================
...
...
Write
Preview
Markdown
is supported
0%
Try again
or
attach a new file
Attach a file
Cancel
You are about to add
0
people
to the discussion. Proceed with caution.
Finish editing this message first!
Cancel
Please
register
or
sign in
to comment