HTTPServer
を別のスレッドで実行しています(スレッドを停止する方法のないスレッドモジュールを使用しています...)。メインスレッドもシャットダウンしたときにリクエストの処理を停止します。
Pythonのドキュメントでは、BaseHTTPServer.HTTPServer
はSocketServer.TCPServer
のサブクラスであり、shutdown
メソッドをサポートしていますが、HTTPServer
にはありません。
BaseHTTPServer
モジュール全体にはほとんどドキュメントがありません:(
「おそらく自分でこれを行うことはないでしょうが、過去に持っています」と言うことから始めなければなりません。 serve_forever(SocketServer.pyから)メソッドは次のようになります。
def serve_forever(self):
"""Handle one request at a time until doomsday."""
while 1:
self.handle_request()
(サブクラスで)while 1
with while self.should_be_running
、および別のスレッドからその値を変更します。何かのようなもの:
def stop_serving_forever(self):
"""Stop handling requests"""
self.should_be_running = 0
# Make a fake request to the server, to really force it to stop.
# Otherwise it will just stop on the next request.
# (Exercise for the reader.)
self.make_a_fake_request_to_myself()
編集:私はその時に使用した実際のコードを掘りました:
class StoppableRPCServer(SimpleXMLRPCServer.SimpleXMLRPCServer):
stopped = False
allow_reuse_address = True
def __init__(self, *args, **kw):
SimpleXMLRPCServer.SimpleXMLRPCServer.__init__(self, *args, **kw)
self.register_function(lambda: 'OK', 'ping')
def serve_forever(self):
while not self.stopped:
self.handle_request()
def force_stop(self):
self.server_close()
self.stopped = True
self.create_dummy_request()
def create_dummy_request(self):
server = xmlrpclib.Server('http://%s:%s' % self.server_address)
server.ping()
私のpython 2.6インストールでは、基盤となるTCPServerで呼び出すことができます-HTTPServer
の中にあります:
TCPServer.shutdown
>>> import BaseHTTPServer
>>> h=BaseHTTPServer.HTTPServer(('',5555), BaseHTTPServer.BaseHTTPRequestHandler)
>>> h.shutdown
<bound method HTTPServer.shutdown of <BaseHTTPServer.HTTPServer instance at 0x0100D800>>
>>>
[serverName].socket.close()
を使用できると思います
http://docs.python.org/2/library/basehttpserver.html#more-examples に基づく別の方法は:serve_forever()の代わりに、条件が満たされ、サーバーは各リクエストの前後に条件をチェックします。例えば:
import CGIHTTPServer
import BaseHTTPServer
KEEP_RUNNING = True
def keep_running():
return KEEP_RUNNING
class Handler(CGIHTTPServer.CGIHTTPRequestHandler):
cgi_directories = ["/cgi-bin"]
httpd = BaseHTTPServer.HTTPServer(("", 8000), Handler)
while keep_running():
httpd.handle_request()
イベントループはSIGTERMで終了し、 Ctrl+C またはshutdown()
が呼び出されたとき。
リスニングソケットを閉じるには、server_close()
の後にserver_forever()
を呼び出す必要があります。
import http.server
class StoppableHTTPServer(http.server.HTTPServer):
def run(self):
try:
self.serve_forever()
except KeyboardInterrupt:
pass
finally:
# Clean-up server (close socket, etc.)
self.server_close()
ユーザーアクション(SIGTERM、 Ctrl+C、...):
server = StoppableHTTPServer(("127.0.0.1", 8080),
http.server.BaseHTTPRequestHandler)
server.run()
スレッドで実行されているサーバー:
import threading
server = StoppableHTTPServer(("127.0.0.1", 8080),
http.server.BaseHTTPRequestHandler)
# Start processing requests
thread = threading.Thread(None, server.run)
thread.start()
# ... do things ...
# Shutdown server
server.shutdown()
thread.join()
python 2.7)では、shutdown()の呼び出しは機能しますが、非同期選択とポーリングループを使用しているため、serve_foreverを介してサービスを提供している場合に限ります。それは愚かなブロッキング呼び出しを意味します。
SocketServer.pyのBaseServerから:
def serve_forever(self, poll_interval=0.5):
"""Handle one request at a time until shutdown.
Polls for shutdown every poll_interval seconds. Ignores
self.timeout. If you need to do periodic tasks, do them in
another thread.
"""
self.__is_shut_down.clear()
try:
while not self.__shutdown_request:
# XXX: Consider using another file descriptor or
# connecting to the socket to wake this up instead of
# polling. Polling reduces our responsiveness to a
# shutdown request and wastes cpu at all other times.
r, w, e = select.select([self], [], [], poll_interval)
if self in r:
self._handle_request_noblock()
finally:
self.__shutdown_request = False
self.__is_shut_down.set()
完了を待つイベントを使用して、別のスレッドからブロッキングシャットダウンを行うためのコードの一部を次に示します。
class MockWebServerFixture(object):
def start_webserver(self):
"""
start the web server on a new thread
"""
self._webserver_died = threading.Event()
self._webserver_thread = threading.Thread(
target=self._run_webserver_thread)
self._webserver_thread.start()
def _run_webserver_thread(self):
self.webserver.serve_forever()
self._webserver_died.set()
def _kill_webserver(self):
if not self._webserver_thread:
return
self.webserver.shutdown()
# wait for thread to die for a bit, then give up raising an exception.
if not self._webserver_died.wait(5):
raise ValueError("couldn't kill webserver")
私が正常に使用するこのメソッド(Python 3)は、Webアプリケーション自体(Webページ)からサーバーを停止します。
import http.server
import os
import re
class PatientHTTPRequestHandler(http.server.SimpleHTTPRequestHandler):
stop_server = False
base_directory = "/static/"
# A file to use as an "server stopped user information" page.
stop_command = "/control/stop.html"
def send_head(self):
self.path = os.path.normpath(self.path)
if self.path == PatientHTTPRequestHandler.stop_command and self.address_string() == "127.0.0.1":
# I wanted that only the local machine could stop the server.
PatientHTTPRequestHandler.stop_server = True
# Allow the stop page to be displayed.
return http.server.SimpleHTTPRequestHandler.send_head(self)
if self.path.startswith(PatientHTTPRequestHandler.base_directory):
return http.server.SimpleHTTPRequestHandler.send_head(self)
else:
return self.send_error(404, "Not allowed", "The path you requested is forbidden.")
if __== "__main__":
httpd = http.server.HTTPServer(("127.0.0.1", 8080), PatientHTTPRequestHandler)
# A timeout is needed for server to check periodically for KeyboardInterrupt
httpd.timeout = 1
while not PatientHTTPRequestHandler.stop_server:
httpd.handle_request()
この方法では、ベースアドレスhttp://localhost:8080/static/
(例http://localhost:8080/static/styles/common.css
)を介して提供されるページはデフォルトハンドラーによって提供され、サーバーのコンピューターからhttp://localhost:8080/control/stop.html
へのアクセスはstop.html
を表示してから停止しますサーバー、その他のオプションは禁止されます。
上記のすべての可能な解決策を試してみたところ、「いつか」問題が発生しました-どういうわけか実際には実行されませんでした-だから、私にとって常に機能する汚い解決策を作成しました:
上記のすべてが失敗した場合、ブルートフォースは次のような方法でスレッドを強制終了します。
import subprocess
cmdkill = "kill $(ps aux|grep '<name of your thread> true'|grep -v 'grep'|awk '{print $2}') 2> /dev/null"
subprocess.Popen(cmdkill, stdout=subprocess.PIPE, Shell=True)