Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Run Python HTTPServer in Background and Continue Script Execution

I am trying to figure out how to run my overloaded customized BaseHTTPServer instance in the background after running the "".serve_forever() method.

Normally when you run the method execution will hang until you execute a keyboard interrupt, but I would like it to serve requests in the background while continuing script execution. Please help!

like image 219
Michael Scott Avatar asked Oct 09 '15 01:10

Michael Scott


People also ask

How do I run a Python script as a background process?

How To Run Python Script In Background In Windows. If you want to run any Python script in Background in Windows operating System then all you are required to do is to rename the extension of your existing Python script that you want to run in background to '. pyw'.

What does Python HTTP server do?

Python HTTP server is a kind of web server that is used to access the files over the request. Users can request any data or file over the webserver using request, and the server returns the data or file in the form of a response.


2 Answers

You can start the server in a different thread: https://docs.python.org/3/library/_thread.html#thread.start_new_thread

So something like:

def start_server():
    # Setup stuff here...
    server.serve_forever()
    
# start the server in a background thread
thread.start_new_thread(start_server)
    
print('The server is running but my script is still executing!')
like image 172
Oliver Dain Avatar answered Oct 05 '22 04:10

Oliver Dain


I was trying to do some long-term animation using async and thought I'd have to rewrite server to use aiohttp (https://docs.aiohttp.org/en/v0.12.0/web.html), but Olivers technique of using seperate thread saved me all that pain. My code looks like this, where MyHTTPServer is simply my custom sublass of HTTPServer

import threading
import asyncio
from http.server import BaseHTTPRequestHandler, HTTPServer
import socketserver
import io
import threading

async def tick_async(server):        
    while True:
        server.animate_something()
        await asyncio.sleep(1.0)

def start_server():
    httpd.serve_forever()
    
try:
    print('Server listening on port 8082...')

    httpd = MyHTTPServer(('', 8082), MyHttpHandler)
    asyncio.ensure_future(tick_async(httpd))
    loop = asyncio.get_event_loop()
    t = threading.Thread(target=start_server)
    t.start()
    loop.run_forever()
like image 31
andrew pate Avatar answered Oct 05 '22 04:10

andrew pate