Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Does Clojure Ring create a thread for each request?

Tags:

clojure

ring

I am making a Messenger bot and I am using Ring as my http framework.

Sometime I want to apply delays between messages sent by the bot. My expectation would be that it is safe to use Thread/sleep because this will make the active thread sleep and not the entire server. Is that so, or should I resort to clojure/core.async?

This is the code I would be writing without async:

  (match [reply]

    ; The bot wants to send a message (text, images, videos etc.) after n milliseconds
    [{:message message :delay delay}] 
    (do
      (Thread/sleep interval delay)
      (facebook/send-message sender-id message))
    ; More code would follow...

A link to Ring code where its behaviour in this sense is clear would be appreciated, as well as any other with explanation on the matter.

like image 632
feychu Avatar asked Jul 05 '17 18:07

feychu


People also ask

What is clojure ring?

Ring is a Clojure web applications library inspired by Python's WSGI and Ruby's Rack. By abstracting the details of HTTP into a simple, unified API, Ring allows web applications to be constructed of modular components that can be shared among a variety of applications, web servers, and web frameworks.

What is ring middleware?

In Ring, middleware refers to simple functions that wrap the main handler and adjusts some aspects of it in some way.


1 Answers

Ring is the wrong thing to ask this question about: ring is not an http server, but rather an abstraction over http servers. Ring itself does not have a fixed threading model: all it really cares about is that you have a function from request to response.

What really makes this decision is which ring adapter you use. By far the most common is ring-jetty-adapter, which is a jetty http handler that delegates to your function through ring. And jetty does indeed have a single thread for each request, so that you can sleep in one thread without impacting others (but as noted in another answer, threads are not free, so you don't want to do a ton of this regularly).

But there are other ring handlers with different threading models. For example, aleph includes a ring adapter based on netty, which uses java.nio for non-blocking IO in a small, limited threadpool; in that case, sleeping on a "request thread" is very disruptive.

like image 82
amalloy Avatar answered Sep 22 '22 01:09

amalloy