I need the server to send messages to all clients (Python, sockets) I need the server to send messages to all clients (Python, sockets) multithreading multithreading

I need the server to send messages to all clients (Python, sockets)


If you need to send a message to all clients, you need to keep a collection of all clients in some way. For example:

clients = set()clients_lock = threading.Lock()def listener(client, address):    print "Accepted connection from: ", address    with clients_lock:        clients.add(client)    try:            while True:            data = client.recv(1024)            if not data:                break            else:                print repr(data)                with clients_lock:                    for c in clients:                        c.sendall(data)    finally:        with clients_lock:            clients.remove(client)            client.close()

It would probably be clearer to factor parts of this out into separate functions, like a broadcast function that did all the sends.

Anyway, this is the simplest way to do it, but it has problems:

  • If one client has a slow connection, everyone else could bog down writing to it. And while they're blocking on their turn to write, they're not reading anything, so you could overflow the buffers and start disconnecting everyone.
  • If one client has an error, the client whose thread is writing to that client could get the exception, meaning you'll end up disconnecting the wrong user.

So, a better solution is to give each client a queue, and a writer thread servicing that queue, alongside the reader thread. (You can then extend this in all kinds of ways—put limits on the queue so that people stop trying to talk to someone who's too far behind, etc.)


As Anzel points out, there's a different way to design servers besides using a thread (or two) per client: using a reactor that multiplexes all of the clients' events.

Python 3.x has some great libraries for this built in, but 2.7 only has the clunky and out-of-date asyncore/asynchat and the low-level select.

As Anzel says, Python SocketServer: sending to multiple clients has an answer using asyncore, which is worth reading. But I wouldn't actually use that. If you want to write a reactor-based server in Python 2.x, I'd either use a better third-party framework like Twisted, or find or write a very simple one that sits directly on select.