I need to model a computation task and some sub-tasks depend on it:
First I run a task, if it fails then it's over. If it succeeds then run a bunch of sub-tasks(zero or many), any of them can fail or succeed, and can run zero or many sub-sub-tasks if it succeeds. So it is roughly in Haskell:
data DepTask a b = Fail a | Success b [DepTask a b] deriving (Functor)
However, I am not a Haskell programmer, just find it is easier to describe my problem in Haskell. My problem is, how could I "fold" this structure? Such as pretty-print it in Html. ChatGPT suggests that I could define this kind of structure as fixed point, so that I can make use of cata to fold it.
data ComplexF a b next = FailF a | SuccessF b [next] deriving (Functor)
type Complex a b = Fix (ComplexF a b)
Is there any Haskell library (maybe also TypeScript equivalent) I can adopt?
ps: Sorry for my bad English since I am not a native English speaker.
If you want to implement this in Haskell as a relatively new Haskell programmer, then it would be best to keep things simple. If you want to identify tasks by integers and represent error messages as strings, then you can use the following simple data type to model your problem:
That is, a
Task
identified by anInt
either fails with an errorString
or succeeds with a list of subtasks,[Task]
.(You could, optionally, replace the
Either
type with your own success/failure type:but the use of
Either
for this purpose, including the use ofLeft
for failure andRight
for success, is pretty well established in the Haskell world.)Equipped with
Task
, if you want a list of failed tasks and their associated errors, just write a plain old recursive function using pattern matching:If you want a flattened list of all tasks by IDs with an associated success flag, write another plain old recursive function using pattern matching:
If you want to render the results as HTML, then an ad hoc pretty printer would look something like this:
This will be the most straightforward approach.
After you've written 10 or 15 useful functions, you could give some consideration to "abstracting" out the common fold (AKA catamorphism), but you'll probably find it doesn't buy you much. A fold for
Task
would look something like this:If you reimplement your functions in terms of this fold, they will no longer be explicitly recursive, but the result is not noticeably more concise or readable than the original:
ChatGPT's advice seems pretty stupid. It's suggesting you reimplement your
Task'
as a fixed point of a functorTaskF
:so you can implement an abstract catamorphism:
that can be used as follows:
This is perhaps of some theoretical interest, and there are some cool related libraries, like
recursion-schemes
, but this isn't particular useful to a new Haskell programmer implementing a simple model like this.Anyway, here's a complete file with sample code: