Python 3.4, I'm trying to make a server using the websockets module (I was previously using regular sockets but wanted to make a javascript client) when I ran into an issue (because it expects async, at least if the examples are to be trusted, which I didn't use before). Threading simply does not work. If I run the following code, bar will never be printed, whereas if I comment out the line with yield from
, it works as expected. So yield is probably doing something I don't quite understand, but why is it never even executed? Should I install python 3.5?
import threading
class SampleThread(threading.Thread):
def __init__(self):
super(SampleThread, self).__init__()
print("foo")
def run(self):
print("bar")
yield from var2
thread = SampleThread()
thread.start()
This is not the correct way to handle multithreading.
run
is neither a generator nor a coroutine. It should be noted that theasyncio
event loop is only defined for the main thread. Any call toasyncio.get_event_loop()
in a new thread (without first setting it withasyncio.set_event_loop()
will throw an exception.Before looking at running the event loop in a new thread, you should first analyze to see if you really need the event loop running in its own thread. It has a built-in thread pool executor at:
loop.run_in_executor()
. This will take a pool fromconcurrent.futures
(either aThreadPoolExecutor
or aProcessPoolExecutor
) and provides a non-blocking way of running processes and threads directly from the loop object. As such, these can beawait
-ed (with Python3.5 syntax)That being said, if you want to run your event loop from another thread, you can do it thustly:
import asyncio
From here, you still need to device a thread-safe way of creating tasks, etc. Some of the code in this thread is usable, although I did not have a lot of success with it: python asyncio, how to create and cancel tasks from another thread