Babashka is a fast-starting native Clojure scripting runtime. It uses SCI to interpret Clojure and compiles to a native binary via GraalVM, giving you Clojure's power with near-instant startup. It's commonly used for shell scripting, build tooling, and small CLI applications. If you don't yet have bb installed, you can with brew:
brew install borkdude/brew/babashka
or bash:
bash <(curl -s https://raw.githubusercontent.com/babashka/babashka/master/install)
This release is, in my opinion, a game changer. With JLine3 bundled, you can now build full terminal user interfaces in babashka. The bb repl has been completely overhauled with multi-line editing, completions, and eldoc. deftype now supports map interfaces, making bb more compatible with existing libraries like core.cache. SCI has had many small improvements, making riddley compatible too. Riddley is used in Cloverage, a code coverage library for Clojure, which now also works with babashka (Cloverage PR pending).
But first, let me mention an exciting upcoming event! Babashka conf is happening again for the second time! The first time was 2023 in Berlin. This time it's in Amsterdam. The Call for Proposals is open until the end of February, so there is still time to submit your talk or workshop. We are also looking for one last gold sponsor (500 euros) to cover all costs.
Babashka now bundles JLine3, a Java library for building interactive terminal applications. You get terminals, line readers with history and tab completion, styled output, keyboard bindings, and the ability to reify custom completers, parsers, and widgets — all from bb scripts.
JLine3 works on all platforms, including Windows PowerShell and cmd.exe.
Here's a simple interactive prompt that reads lines from the user until EOF (Ctrl+D):
(import '[org.jline.terminal TerminalBuilder]
'[org.jline.reader LineReaderBuilder])
(let [terminal (-> (TerminalBuilder/builder) (.build))
reader (-> (LineReaderBuilder/builder)
(.terminal terminal)
(.build))]
(try
(loop []
(when-let [line (.readLine reader "prompt> ")]
(println "You typed:" line)
(recur)))
(catch org.jline.reader.EndOfFileException _
(println "Goodbye!"))
(finally
(.close terminal))))
A new babashka.terminal namespace exposes a tty? function to detect whether stdin, stdout, or stderr is connected to a terminal:
(require '[babashka.terminal :refer [tty?]])
(when (tty? :stdout)
(println "Interactive terminal detected, enabling colors"))
This accepts :stdin, :stdout, or :stderr as argument. It uses JLine3's terminal provider under the hood.
This is useful for scripts that want to behave differently when piped vs. run interactively, for example enabling colored output or progress bars only in a terminal.
charm.clj is a new Clojure library for building terminal user interfaces using the Elm architecture (Model-Update-View). It provides components like spinners, text inputs, lists, paginators, and progress bars, with support for ANSI/256/true color styling and keyboard/mouse input handling.
charm.clj is now compatible with babashka (or rather, babashka is now compatible with charm.clj), enabled by the combination of JLine3 support and other interpreter improvements in this release. This means you can build rich TUI applications that start instantly as native binaries.
Here's a complete counter example you can save as a single file and run with bb:
#!/usr/bin/env bb
(babashka.deps/add-deps
'{:deps {io.github.TimoKramer/charm.clj {:git/sha "cf7a6c2fcfcccc44fcf04996e264183aa49a70d6"}}})
(require '[charm.core :as charm])
(def title-style
(charm/style :fg charm/magenta :bold true))
(def count-style
(charm/style :fg charm/cyan
:padding [0 1]
:border charm/rounded-border))
(defn update-fn [state msg]
(cond
(or (charm/key-match? msg "q")
(charm/key-match? msg "ctrl+c"))
[state charm/quit-cmd]
(or (charm/key-match? msg "k")
(charm/key-match? msg :up))
[(update state :count inc) nil]
(or (charm/key-match? msg "j")
(charm/key-match? msg :down))
[(update state :count dec) nil]
:else
[state nil]))
(defn view [state]
(str (charm/render title-style "Counter App") "\n\n"
(charm/render count-style (str (:count state))) "\n\n"
"j/k or arrows to change\n"
"q to quit"))
(charm/run {:init {:count 0}
:update update-fn
:view view
:alt-screen true})

More examples can be found here.
Until now, deftype in babashka couldn't implement JVM interfaces like IPersistentMap, ILookup, or Associative. This meant libraries that define custom map-like types, a very common Clojure pattern, couldn't work in babashka.
Starting with this release, deftype supports map interfaces. Your deftype must declare IPersistentMap to signal that you want a full map type. Other map-related interfaces like ILookup, Associative, Counted, Seqable, and Iterable are accepted freely since the underlying class already implements them.
This unlocks several libraries that were previously incompatible:
Riddley is a Clojure library for code walking that many other libraries depend on. Previously, SCI's deftype and case did not macroexpand to the same special forms as JVM Clojure, which broke riddley's walker. Several changes now align SCI's behavior with Clojure: deftype macroexpands to deftype*, case to case*, and macroexpand-1 now accepts an optional env map as second argument (inspired by how the CLJS analyzer API works). Together these changes enable riddley and tools built on it, like cloverage and Specter, to work with bb.
Riddley has moved to clj-commons, thanks to Zach Tellman for transferring it. I'd like to thank Zach for all his contributions to the Clojure community over the years. Version 0.2.2 includes bb compatibility, which was one of the first PRs merged after the transfer. Cloverage compatibility has been submitted upstream, all 75 cloverage tests pass on both JVM and babashka.
The bb repl experience has been significantly improved with JLine3 integration. You no longer need rlwrap to get a comfortable console REPL:
#_=> continuation prompt:foo, ::foo, ::alias/foo)

(map |), the arglists are displayed below the prompt~/.bb_repl_historyMany of these features were inspired by rebel-readline, Leiningen's REPL, and Node.js's REPL.
Under the hood, SCI (the interpreter powering babashka) received many improvements in this cycle:
(let [^Predicate p even?] (.test p 42)) and SCI will adapt the Clojure function to the functional interface automatically.let binding values to binding names, reducing the need for explicit type hints in interop-heavy code.read with nil/false as eof-value, letfn with duplicate function names, ns-map not reflecting shadowed vars, NPE in resolve, and .method on class objects routing incorrectly.catch clauses in combination with ^:sci/errorsatisfies? on protocols with proxyreify with java.time.temporal.TemporalQueryreify with methods returning int/short/byte/float primitives@(promise)clojure.test.junit as built-in source namespaceAddAllCharsets. More charsets can be added on request.For the full list of changes including new Java classes and library bumps, see the changelog.
Thank you to all the contributors who helped make this release possible. Special thanks to everyone who reported issues, tested pre-release builds from babashka-dev-builds, and provided feedback.
Thanks to Clojurists Together and all babashka sponsors and contributors for their ongoing support. Your sponsorship makes it possible to keep developing babashka.
And thanks to all babashka users: you make this project what it is. Happy scripting!
Published: 2026-02-17
In this post I'll give updates about open source I worked on during November and December 2025.
To see previous OSS updates, go here.
I'd like to thank all the sponsors and contributors that make this work possible. Without you, the below projects would not be as mature or wouldn't exist or be maintained at all! So a sincere thank you to everyone who contributes to the sustainability of these projects.

Current top tier sponsors:
Open the details section for more info about sponsoring.
If you want to ensure that the projects I work on are sustainably maintained, you can sponsor this work in the following ways. Thank you!
Last November I had the honor and pleasure to visit the Clojure Conj 2025. I met a host of wonderful and interesting long-time and new Clojurians, many that I've known online for a long time and now met for the first time. It was especially exciting to finally meet Rich Hickey and talk to him during a meeting about Clojure dialects and Clojure tooling. The talk that I gave there: "Making tools developers actually use" will come online soon.

In 2026 I'm organizing Babashka Conf 2026. It will be an afternoon event (13:00-17:00) hosted in the Forum hall of the beautiful public library of Amsterdam. More information here. Get your ticket via Meetup.com (currently there's a waiting list, but more places will come available once speakers are confirmed). CfP will open mid January. The day after babashka conf, Dutch Clojure Days 2026 will be happening. It's not too late to get your talk proposal in. More info here.
I'm happy to announce that I'm among the 5 developers that were granted Long term support for 2026. Thanks to all who voted! Read the announcement here.
Here are updates about the projects/libraries I've worked on in the last two months in detail.
babashka: native, fast starting Clojure interpreter for scripting.
process to 0.6.25deps.cljjava.security.DigestOutputStreamns should override metadatanextjournal.markdown to 0.7.222edamame to 1.5.37with-meta followed by dissoc on records no longer worksfs to 0.5.30nextjournal.markdown to 0.7.213java.time.temporal.TemporalField (@EvenMoreIrrelevance)1.12.65sci.impl.Reflector was rewritten into Clojuredissoc on record with non-record field should return map instead of record1.5.35core.rrb-vector to 0.2.0ProcessHandle to to native image ProcessInfo to avoid sandbox errorscli to 0.8.67fs to 0.5.29nextjournal.markdown to 0.7.201SCI: Configurable Clojure/Script interpreter suitable for scripting
:refer-global and :require-globalprintln-strlet bodysci.impl.Reflector was rewritten into Clojurejs-in in CLJSarray-seqclj-kondo: static analyzer and linter for Clojure code that sparks joy.
unused-excluded-var to warn on unused vars in :refer-clojure :exclude (@jramosg):destructured-or-always-evaluates to warn on s-expressions in :or defaults in map destructuring (@jramosg)sorted-map-by, sorted-set, and sorted-set-by functions (@jramosg)array and type checking support for the next functions: to-array, alength, aget, aset and aclone (@jramosg):unquote-not-syntax-quoted in leiningen's defprojectdefproject behavior can now be configured using leiningen.core.project/defproject:refer-clojure-exclude-unresolved-var linter to unresolved-excluded-var for consistencyredundant-let-binding, defaults to :off (@tomdl89):unquote-not-syntax-quoted to warn on ~ and ~@ usage outside syntax-quote (`) (@jramosg):refer-clojure-exclude-unresolved-var to warn on non-existing vars in :refer-clojure :exclude (@jramosg)& syntax errors in let bindings and lint for trailing & (@tomdl89)duplicate-key-in-assoc changed to duplicate-key-args, and now lints dissoc, assoc! and dissoc! too (@tomdl89)babashka/fs:duplicate-require in require + :reload / :reload-all:redundant-fn-wrapper in case of inlined function:unexpected-recur when recur is used inside clojure.core.match/match (@jramosg)repeatedly (@jramosg):ratio type support for numerator and denominator functions (@jramosg)ex-info may be nil since clojure 1.12:refer-global and :require-global ns options in CLJS.cljc filesedamame: configurable EDN and Clojure parser with location metadata and more Edamame: configurable EDN and Clojure parser with location metadata and more
:edamame/read-cond-splicing when not splicing:read-cond function to override :edamame/read-cond-splicing value:read-cond with a function should be spliced. This behavior differs from :read-cond + :preserve which always returns a reader conditional object which cannot be spliced.:features option to just select the first feature that occurssquint: CLJS syntax to JS compiler
"node:fs", etc. to read config files for conditional compilationlet over defn to capture values.js-yield and js-yield* in expression positionsome? as macrovolatile!, vswap!, vreset!pr-str, prn etc now print EDN (with the idea that you can paste it back into your program)#js/Map reader that reads a JavaScript Map from a Clojure map (maps are printed like this with pr-str too)mapvdoseq can't be used in expression contextalength as macroreagami: A minimal zero-deps Reagent-like for Squint and CLJS
innerHTML as a property rather than an attribute:default-value in input range:on-render:on-render hook for mounting/updating/unmounting third part JS componentsNEW: parmezan: fixes unbalanced or unexpected parens or other delimiters in Clojure files
CLI: Turn Clojure functions into CLIs!
clerk: Moldable Live Programming for Clojure
scittle: Execute Clojure(Script) directly from browser script tags via SCI
cherry: Experimental ClojureScript to ES6 module compiler
cherry compile CLI command not receiving file arguments3.3.4extend-type on Objectsatisfies? macro (@willcohen)deps.clj: A faithful port of the clojure CLI bash script to Clojure
quickdoc: Quick and minimal API doc generation for Clojure
quickblog: light-weight static blog engine for Clojure and babashka
:blog-image-alt option being ignored when using CLI (bb quickblog render)nbb: Scripting in Clojure on Node.js using SCI
vim-fireplace infinite loop on nREPL session close.ILookup and Consabs"completions" opneil: A CLI to add common aliases and features to deps.edn-based projects.
fs - File system utility library for Clojure
move never follows symbolic links (@lread)delete-tree now deletes broken symbolic link root (@lread)create-dirs now recognizes sym-linked dirs on JDK 11 (@lread)copy-tree for copying to self too rigidzip now excludes zip-file from zip-file (@lread)root fn which exposes Path getRoot (@lread)copy-tree now fails fast on attempt to copy parent to child (@lread)"" is now (typically) understood to be the current working directory (as per underlying JDK file APIs) (@lread)fs/with-temp-dir clj-kondo linting refinements (@lread)unixify no longer expands into absolute path on Windows (potentially BREAKING)read-all-bytesprocess: Clojure library for shelling out / spawning sub-processes
:discard or ProcessBuilder$Redirect as :out and :err optionsContributions to third party projects:
These are (some of the) other projects I'm involved with but little to no activity happened in the past month.
Published: 2026-01-01
Tagged: clojure oss updates
Dear sponsors,
As we approach Thanksgiving once again, I’m reminded that sustained open source software development, supported by long term sponsors, is not something to take for granted.
I’m genuinely grateful for your ongoing support through GitHub Sponsors. Your contributions make a real difference: my Clojure projects wouldn’t be nearly as polished, maintained, or ambitious without your help.
If you’d like to look back on what happened in open source this past year, you can find an overview here: https://blog.michielborkent.nl/tags/oss-updates.html. The core projects remain clj-kondo, babashka, SCI, scittle, and squint/cherry. Each of them continues to grow in capability and adoption.
I’ve also applied for Clojurists Together again for 2026. If you’re a CT sponsor, a vote in the next long-term funding round would be appreciated.
Here are the main ideas I want to explore in 2026:
I can't make any promises on hard deadlines, but I definitely intend to work toward realizing the above goals.
Aside from software development, I'm also organizing Babashka Conf 2026 the day before Dutch Clojure Days.
As always, feel free to reach out anytime, whether here, on Clojurians Slack, or by email at michielborkent@gmail.com. I love hearing about what you are doing with my projects. Also if you are struggling with something, let me know. Your feedback and use cases continue to shape the direction of my work.
Here’s to another strong year of Clojure OSS!
Thank you for making this journey possible.
With appreciation,
Michiel Borkent / @borkdude

PS: if you aren't sponsoring, but are interested, here are the main ways to do so:
Published: 2025-11-26
Tagged: sponsors