What I want
I’m writing a package that exposes several functions that package users will call directly. I would like the ability to configure the behavior of these functions at package-import time, by specifying some configuration parameters. Is there a reasonably clean way to do this?
I wrote a very simplified repro case to help explain. Consider a package colorful.typ
defined as:
#let color = blue
#let paragraph(doc) = text(color)[#doc]
#let note(doc) = footnote(text(color)[#doc])
And an example document using this package, main.typ
:
#import "colorful.typ" as colorful
#colorful.paragraph[
This is a colorful paragraph
#colorful.note[And a colorful footnote.]
]
Now I would like for the user of the package, in main.typ
, to be able to specify the color when they import the package: ideally I would write something like #import "colorful.typ"(color: red)
, and then the functions provided by the package would put content in red rather than blue.
Candidate solutions I can think of
I can think of the following possibilities:
-
In the package I can define a
#show
callback that expects configuration parameters, as is standard. I could ask my users to include#show: colorful.style
in their document, and then come up with the right#show/#set
rules in the package to magically get the effect I want. But it seems non-trivial to do this correctly – I don’t want to change the color of all paragraphs or all footnote elements, only those produced by callingcolorful.paragraph
andcolorful.note
— at least in absence of user-defined types. -
Instead of expecting to be able to call
colorful.note
,colorful.paragraph
directly, colorful could provide a function that I call with parameters, and itself returns the pair of functions(paragraph, note)
. Users would write something likelet (colorful_paragraph, colorful_note) = colorful.callbacks(color: red)
. Touying uses this approach:let (uncover, only, attributes) = touying.utils.methods(self)
. An obvious downside is that I am losing the benefits of the import-module syntax: the user has to write the list of all functions provided, this breaks if I want to add a new public function in the module, etc. -
It may be possible to follow approach (2) – a function that itself returns a list of functions – but return a dictionary rather than a tuple:
let colorful = colorful.callbacks(color: red)
, and then people use#colorful.paragraph
. This is the best approach I can think of. -
It is probably possible to do the same by using Typst
state
facilities, threading the configuration parameters as state rather than as function arguments. This looks slightly more convenient for users, but my intuition is that this is a bad choice. I’m not looking to mutate these parameters in the middle of the document, and using state makes things more complex for no clear benefits.