Integrant
Micro-framework for data-driven architecture
Install / Use
/learn @weavejester/IntegrantREADME
Integrant 
integrant /ˈɪntɪɡr(ə)nt/
(of parts) making up or contributing to a whole; constituent.
Integrant is a Clojure (and ClojureScript) micro-framework for building applications with data-driven architecture. It can be thought of as an alternative to Component or Mount, and was inspired by Arachne and through work on Duct.
Rationale
Integrant was built as a reaction to fix some perceived weaknesses with Component.
In Component, systems are created programmatically. Constructor functions are used to build records, which are then assembled into systems.
In Integrant, systems are created from a configuration data structure, typically loaded from an edn resource. The architecture of the application is defined through data, rather than code.
In Component, only records or maps may have dependencies. Anything else you might want to have dependencies, like a function, needs to be wrapped in a record.
In Integrant, anything can be dependent on anything else. The dependencies are resolved from the configuration before it's initialized into a system.
Installation
Add the following dependency to your deps.edn file:
integrant/integrant {:mvn/version "1.0.1"}
Or this to your Leiningen dependencies:
[integrant "1.0.1"]
Usage
Configurations
Integrant starts with a configuration map. Each top-level key in the
map represents a configuration that can be "initialized" into a
concrete implementation. Configurations can reference other keys via
the ref (or refset) function.
For example:
(require '[integrant.core :as ig])
(def config
{:adapter/jetty {:port 8080, :handler (ig/ref :handler/greet)}
:handler/greet {:name "Alice"}})
Alternatively, you can specify your configuration as pure edn:
{:adapter/jetty {:port 8080, :handler #ig/ref :handler/greet}
:handler/greet {:name "Alice"}}
And load it with Integrant's version of read-string:
(def config
(ig/read-string (slurp "config.edn")))
Initializing and halting
Once you have a configuration, Integrant needs to be told how to
implement it. The init-key multimethod takes two arguments, a key
and its corresponding value, and tells Integrant how to initialize it:
(require '[ring.adapter.jetty :as jetty]
'[ring.util.response :as resp])
(defmethod ig/init-key :adapter/jetty [_ {:keys [handler] :as opts}]
(jetty/run-jetty handler (-> opts (dissoc :handler) (assoc :join? false))))
(defmethod ig/init-key :handler/greet [_ {:keys [name]}]
(fn [_] (resp/response (str "Hello " name))))
Keys are initialized recursively, with the values in the map being
replaced by the return value from init-key.
In the configuration we defined before, :handler/greet will be
initialized first, and its value replaced with a handler function.
When :adapter/jetty references :handler/greet, it will receive the
initialized handler function, rather than the raw configuration.
The halt-key! multimethod tells Integrant how to stop and clean up
after a key. Like init-key, it takes two arguments, a key and its
corresponding initialized value.
(defmethod ig/halt-key! :adapter/jetty [_ server]
(.stop server))
Note that we don't need to define a halt-key! for :handler/greet.
Once the multimethods have been defined, we can use the init and
halt! functions to handle entire configurations. The init function
will start keys in dependency order, and resolve references as it
goes:
(def system
(ig/init config))
When a system needs to be shut down, halt! is used:
(ig/halt! system)
Like Component, halt! shuts down the system in reverse dependency
order. Unlike Component, halt! is entirely side-effectful. The
return value should be ignored, and the system structure discarded.
It's also important that halt-key! is idempotent. We should be
able to run it multiple times on the same key without issue.
Integrant marks functions that are entirely side-effectful with an
ending !. You should ignore the return value of any function ending
in a !.
Both init and halt! can take a second argument of a collection of
keys. If this is supplied, the functions will only initiate or halt
the supplied keys (and any referenced keys). For example:
(def system
(ig/init config [:adapter/jetty]))
Initializer functions
Sometimes all that is necessary is init-key, particularly if what is
being initiated is all in memory, and we can rely on the garbage
collector to clean up afterwards.
For this purpose, init-key will try to find a function with the
same namespace and name as the keyword, if no more specific method
is set. For example:
(def config
{::sugared-greet {:name "Alice"}})
(defn sugared-greet [{:keys [name]}]
(println "Hi" name))
(ig/init config)
The sugared-greet function is equivalent to the init-key method:
(defmethod ig/init-key ::sugared-greet [_ {:keys [name]}]
(println "Hi" name))
Note that the function needs to be in a loaded namespace for init-key
to find it. The integrant.core/load-namespaces function can be used on
a configuration to load namespaces matching the keys.
Suspending and resuming
During development, we often want to rebuild a system, but not to
close open connections or terminate running threads. For this purpose
Integrant has the suspend! and resume functions.
The suspend! function acts like halt!:
(ig/suspend! system)
By default this functions the same as halt!, but we can customize
the behavior with the suspend-key! multimethod to keep open
connections and resources that halt-key! would close.
Like halt-key!, suspend-key! should be both side-effectful and
idempotent.
The resume function acts like init but takes an additional
argument specifying a suspended system:
(def new-system
(ig/resume config system))
By default the system argument is ignored and resume functions the
same as init, but as with suspend! we can customize the behavior
with the resume-key multimethod. If we implement this method, we can
reuse open resources from the suspended system.
To illustrate this, let's reimplement the Jetty adapter with the capability to suspend and resume:
(defmethod ig/init-key :adapter/jetty [_ opts]
(let [handler (atom (delay (:handler opts)))
options (-> opts (dissoc :handler) (assoc :join? false))]
{:handler handler
:server (jetty/run-jetty (fn [req] (@@handler req)) options)}))
(defmethod ig/halt-key! :adapter/jetty [_ {:keys [server]}]
(.stop server))
(defmethod ig/suspend-key! :adapter/jetty [_ {:keys [handler]}]
(reset! handler (promise)))
(defmethod ig/resume-key :adapter/jetty [key opts old-opts old-impl]
(if (= (dissoc opts :handler) (dissoc old-opts :handler))
(do (deliver @(:handler old-impl) (:handler opts))
old-impl)
(do (ig/halt-key! key old-impl)
(ig/init-key key opts))))
This example may require some explanation. Instead of passing the
handler directly to the web server, we put it in an atom, so that we
can change the handler without restarting the server.
We further encase the handler in a delay. This allows us to replace
it with a promise when we suspend the server. Because a promise will
block until a value is delivered, once suspended the server will
accept requests but wait around until it's resumed.
Once we decide to resume the server, we first check to see if the options have changed. If they have, we don't take any chances; better to halt and re-init from scratch. If the server options haven't changed, then deliver the new handler to the promise which unblocks the server.
Note that we only need to go to this additional effort if retaining
open resources is useful during development, otherwise we can rely on
the default init and halt! behavior. In production, it's always
better to terminate and restart.
Like init and halt!, resume and suspend! can be supplied with
a collection of keys to narrow down the parts of the configuration
that are suspended or resumed.
Resolving
It's sometimes useful to hide information when resolving a reference. In our previous example, we changed the initiation from:
(defmethod ig/init-key :adapter/jetty [_ {:keys [handler] :as opts}]
(jetty/run-jetty handler (-> opts (dissoc :handler) (assoc :join? false))))
To:
(defmethod ig/init-key :adapter/jetty [_ opts]
(let [handler (atom (delay (:handler opts)))
options (-> opts (dissoc :handler) (assoc :join? false))]
{:handler handler
:server (jetty/run-jetty (fn [req] (@@handler req)) options)}))
This changed the return value from a Jetty server object to a map, so
that suspend! and resume would be able to temporarily block the
handler. However, this also changes the return type! Ideally, we'd want
to pass the handler atom to suspend-key! and resume-key, without
affecting how references are resolved in the configuration.
To solve this, we can use resolve-key:
(defmethod ig/resolve-key :adapter/jetty [_ {:keys [server]}]
server)
Before a reference is resolved, resolve-key is applied. This allows
us to cut out information that is only relevant behind the scenes. In
this case, we replace the map with the container Jetty server object.
Expanding
Before being initiated, keys can be expanded. Expansions can be thought of as the equivalent of mac
Related Skills
node-connect
343.3kDiagnose OpenClaw node connection and pairing failures for Android, iOS, and macOS companion apps
frontend-design
92.1kCreate distinctive, production-grade frontend interfaces with high design quality. Use this skill when the user asks to build web components, pages, or applications. Generates creative, polished code that avoids generic AI aesthetics.
openai-whisper-api
343.3kTranscribe audio via OpenAI Audio Transcriptions API (Whisper).
qqbot-media
343.3kQQBot 富媒体收发能力。使用 <qqmedia> 标签,系统根据文件扩展名自动识别类型(图片/语音/视频/文件)。
