Hey, as a continuation to Using react-spring and use-gesture, how would you approach it?
I have been investigating ways to represent the record fields for the configuration which are usually TS unions with types like boolean | number
or things like that.
Here are the options I’ve found, I’d like to know your opinion and if there are other ways to do it:
1. Define a module and unboxed type for the field type
module Delay = {
@unboxed
type t = Bool(bool) | Int(int)
}
type config = {delay: Delay.t}
let config = {
delay: Delay.Int(5),
}
Seems nice enough to use, with a local open of the Config module where all these would be defined.
It also seems quite verbose to define one of these for each field with union types (which are a lot of them).
2. Module with externals
module Delay1 = {
type t
external int: int => t = "%identity"
external bool: bool => t = "%identity"
}
type config1 = {delay: Delay1.t}
let config = {
delay: Delay1.int(5),
}
Pretty much the same as option 1, not sure why I would use this over option 1, but good to know the escape hatch is there in case there are some gnarly types I can’t unbox nicely.
3. Unboxed polymorphic variants (and unwrap)
An option that seemed nice would be to define inline polymorphic variants and unbox them, but that doesn’t seem to be an option
type config = {
delay: @unboxed [#bool(bool) | #int(int)]
}
Would save a lot of code and be ergonomic to use in my opinion, but I don’t think it is possible with the language as is.
I tried to investigate using @unwrap with poly variants in externals, but it was very inconsistent when it worked and didn’t, and it doesn’t seem like it saves much compared to options above.
// Doesn't unwrap with %identity?
type delay2
external delay2: @unwrap [#bool(bool) | #int(int)] => delay2 = "%identity"
let delay2 = delay2(#bool(true)) // Doesn't work as expected
// Doesn't unwrap with @send?
type delay3
@send external delay3: @unwrap [#bool(bool) | #int(int)] => delay3 = "valueOf"
let delay3 = delay3(#bool(true)) // Doesn't work as expected
// It does unwrap properly with a function. Could create a JS helper
@module("utils")
type delay4
external delay4: @unwrap [#bool(bool) | #int(int)] => delay4 = "identity"
let delay4 = delay4(#bool(true)) // Actually unwraps the thing
Playground link of a bunch of the examples
Did I miss any option that would be worth considering?
How would you do this?