Composability, Category Theory & PureScript

Summary #

What is a programming paradigm for you? #

A programming paradigm is as an approach to programming a computer that is based on a coherent set of principles or a mathematical theory. In practice, each paradigm comes with its own way of thinking and there are problems for which it is the best approach.

For example:

Should I study others programming languages? #

Powerful reasons to learn a new language:

If you think you just need to study the language in which you work, you need to rethink if you wanna be a great programmer, because if you’ve only ever learned and used one style of programming language (oop, functional, compiled, high-level, low-level, etc) it’s likely that your thinking around programming is very structured around that language.

Read more about it: If you’re only going to learn one programming language, you should learn…

Category Theory is not a new paradigm, but a great example to you have a new perspective on modeling the flow of your software, and my opinion, is a great way to a better software composable.

The little history of Category Theory #

The birth of this theory have been a lot more mathematical than computational and is very hard exactly to say when was the first time that this appeared. In 1995 was published a paper called ‘General Theory of Natural Equivalences’ where the category concepts were introduced as the functor. The authors needed to define a concept to a functor and here they reached some conclusions of concepts basic to a category. These concepts were introduced lot more in Algebraic Topology, and sure! Everyone knows what’s it! No, I don’t know, but let's continue our saga. So other important advancements have been published but had an article that introduced the idea to use the category to create more general theories and apply in specific fields, yes! Now we don’t have only a beautiful language, because the study abstract category that encapsulates homological algebraic results also can to be applied to get results in other areas of mathematics and then various theorems and theories can be seen by a categorical angle. Later it had enough use in theoretical physics, from then on it became quite important. See Timeline of category theory and related mathematics to you have a sense of time.

Computer Science and the theory #

Category theory is a field that impinges more and more frequently on the awareness of many computer scientists, especially those with an interest in programming languages and formal specifications, but the major contributor to receive Category Theory some traction in the programming world was because of Haskell and it’s type system, which extended the Hindley-Milner type system with the notion of type classes.

Functional Programming and the theory #

It paper explains a lot more the concepts of category theory applied in functional programming but I’ll explain a little. If you don’t know this paradigm, I recommend you read this article Functional Programming should be your #1 priority for 2015.

The paradigm shift brought on by Einstein’s theory of relativity brought on the realization that there is no single perspective from which to view the world. There is no background framework that we need to find; there are infinitely many different frameworks and perspectives, and the real power lies in being able to translate between them. It is in this historical context that category theory got its start.

How can category theory help to build software? #

It should be your first question when reading this description post. Function composition is my favorite part of functional programming, and when I started study Haskell and PureScript, I found many people speaking about Abstractions and functors. It was at that moment that I began to wonder “why these people are talking about it ?” “What is it?”. I found many papers and books talking about category theory, but many peoples still don't know how it can help we build a software, and they think it does not make sense.

Category theory is about Composition #

Yes, composition! Because to define a category, you have to specify what composition is in that category. It’s like the multiplication operation in a group(to define a group, it’s not enough to just say you have a set and it is possible to multiply elements of the set), you have to actually say what you mean by “multiply” as part of the definition of the group.

Why Composability? #

The essence of software development is composition and things that are composable are good because they enable abstractions. To know more why we should learn about composition, read the series from Eric Elliot called Composing Software.

Control Flow #

There are many ways to control a flow of your data, in procedural languages computation involves code operating on data, in OOP an object encapsulates both code and data and pure functional languages data has no independent existence. RxJs is a great example to demonstrate how can I use to traffic data between functions and get a result in pipe final. In my opinion, it's a great way to solve a problem because you have a control flow defined, stateless, and most of the time, is a minor code.

I'll use Clojure/PureScript/Javascript to show examples.

import { interval } from "rxjs";
import { map, take } from "rxjs/operators";

const bezier_stream = interval(350).pipe(
take(25),
map(bezier),
map(num => "~".repeat(Math.floor(num * 65)))
);

Category #

Category Theory is a theory of functions, and the only basic operation is composition. The concept of category embodies some abstract properties of the composition.

There are many kinds of category, but you should learn about a category of sets because is the category whose objects are sets. The arrows or morphisms between sets A and B are the functions from A to B, and the composition of morphisms is the composition of functions.

Many things can be composed #

You should be thinking that this has nothing to do with programming and that concepts of mathematics can’t help us, but let’s see some topics that we have in programming and don’t have in mathematics and that we can use the composition to help us.

Assignments #

Did you remember when I talked about 'functor'? Let see why it can help us.

A functor is a mapping between categories. Given two categories, A and B, a functor F maps objects in A to objects in B and for to be a functor, you should ensure it satisfies the two functor laws:

//Identity
const F = [1, 2, 3];
F.map(x => x); // [1, 2, 3]

//Composition
F.map(x => f(g(x))) /* -> */ F.map(g).map(f)

Let’s create our own functor to use any kind of data and map it.


module Main where

import Prelude

import Control.Comonad (class Comonad, class Extend, extract)
import Control.Monad.Eff.Console (logShow)

-- Javascript - const Functor = x => ({})
newtype Box a = Box a
-- Javascript - map: f => (f(x))
instance functorBox :: Functor Box where
map f (Box x) = Box (f x)
-- Javascript - fold: f => f(x)
instance extendBox :: Extend Box where
extend f m = Box (f m)
instance comonadBox :: Comonad Box where
extract (Box x) = x

app :: Int -> Int
app n =
Box n #
map (\n -> n * 2) #
map (\n -> n + 1) #
extract


main = do
logShow $ app $ 10
-- 21

Basically, we can chain long sequences of computation to solve problems. I used PureScript to this example, but it’s not only useful for typed languages, the same implementation in JavaScript:

const Functor = x => ({
map: f => Functor(f(x)),
fold: f => f(x)
})

const app = (n) =>
Functor(n)
.map(n => n * 2)
.map(n => n + 1)

app(10)
.fold(console.log) //21

In PureScript we have operators to compose our functions:

module Main where

import Prelude

import Control.Monad.Eff.Console (logShow)

app :: Int -> Int
app =
(\n -> n * 2) >>>
(\n -> n + 1)

main = do
logShow $ app $ 10
-- 21

In this article, you can learn more about functors and categories in JavaScript.

Loops #

Looping in functional programming isn’t done with control statements like for and while, it's done with explicit calls to functions like map, filter and reduce or recursion. If the loop code mutates variables outside the loop, this inner loop function would be manipulating variables outside its scope and would thus be impure. This is not what we want, because impure functions aren’t composable. Map, filter and reduce probably solve most of your problems.

map (\n -> n + 1) [1, 2, 3, 4, 5]
-- [2, 3, 4, 5, 6]

filter (\n -> n `mod` 2 == 0) (1 .. 10)
-- [2,4,6,8,10]

foldl (\acc n -> acc <> show n) "" [1,2,3,4,5]
-- "12345"

foldr (+) 0 (1 .. 5)
-- 15

Errors and Callbacks #

There are a few ways in which errors are generally handled in many programming languages, but basically to do we use control-flow structures like if/else and exceptions like try/catch. But what is the problem? These tend to either be hard to predict, hard to maintain and isn't composable.

Basically, let's use some monadic data structure to encapsulate control flow in a declarative manner. I’ll show examples in JavaScript to you know that is not restricted in strongly-typed languages.

function Add(directory, dirWhereSaved){
return fromNullable(directory)
.map(() =>
exist(directory)
.and(createATemplate(directory, dirWhereSaved))
.and(cp(directory)))
.getOrElse(rejected(`You need to pass the path as a parameter`))
}

Line 2, I used ‘fromNullable’ from Maybe, I used as a Box to check if have value. I'm using Folktale, and it helps us to compose and maintain a chaining the data.

const Right = x => ({
map: f => Right(f(x)),
chain: f => f(x),
fold: (f, g) => g(x)
})

const Left = x => ({
map: f => Left(x),
chain: f => Left(x),
fold: (f, g) => f(x)
})

const getPackages = user =>
(user.premium ? Right(user) : Left('not premium'))
.map(u => u.preferences)
.fold(() => defaultsPackages, props => loadPackages(props))

In Folktale, we've Result which is similar.

/* Callback :( */
const doThing = () =>
fs.readFile('codes.json', 'utf-8', (err, data) => {
if(err) throw err
const newdata = data.replace(/1/g, '2')
fs.writeFile('file2.json', newdata, (err, _) => {
if(err) throw err
console.log('success!')
}
}

/* Using future :D */
const readFile = futurize(fs.readFile)
const writeFile = futurize(fs.writefile)

const doThing = () =>
readFile('codes.json')
.map(data => data.replace('/1/g', '2')
.chain(replaced =>
writeFile('codes2.json', replaced))

doThing().fork(e => console.log(e),
r => console.log('success'))

Now you can use all these concepts:

const fs = require('fs-extra')
const { createATemplate } = require('./template')
const { fromNullable } = require('folktale/maybe');
const { fromPromised, rejected, of } = require('folktale/concurrency/task');

const fsCopy = fromPromised(fs.copy)
const pathExists = fromPromised(fs.pathExists)

function cp(directory){
return fsCopy(directory, `packblade/roles/${directory}/files/`)
}

function exist(path){
return pathExists(path)
.chain(exist => exist ? of(exist)
: /* otherwise */ rejected(`${path} not found`))
}

function Add(directory, dirWhereSaved){
return fromNullable(directory)
.map(() =>
exist(directory)
.and(createATemplate(directory, dirWhereSaved))
.and(cp(directory)))
.getOrElse(rejected(`You need to pass the path as a parameter`))
}

module.exports = Add

An approach to handling side-effects #

Haskell is a purely functional language and all functions are pure, for behavior with side-effects it uses monads to solve these kinds of problems. Let’s use an IO, then all you have of IO action, they return you an IO computation (inside a box), then a function that reads an Integer on the keyboard, instead of returning an Integer, it returns an IO computation which plays an Integer when it is executed and returns an IO, you can't use this result directly in a sum for example. And to access you will have to ‘unwrap’ this monad. This is how Haskell isolates the side effects, the IO monad acts as an abstraction of the real-world state. In Purescript we have Eff to deal with these kinds of side effects, and in its own documentation tells us some scenarios of where we can use.

Some examples of native effects are:

And in the browser:

import _ from 'ramda'
import { IO } from 'ramda-fantasy'

const IOwindow = IO(() => window)

IOwindow
.map(_.prop('location'))
.map(_.prop('href'))
.map(_.split('/'))
// IO(["http:", "", "localhost:8000", "blog", "posts"])

const $ = selector => IO(() => document.querySelectorAll(selector))

$('#container')
.map(_.head)
.map(div => div.innerHTML)
// IO('I am some inner html')

Creating our own IO

const IO = f => ({
runIO: f,
map: g =>
IO(() => g(f())),
chain: g =>
IO(g(f()).runIO)
})

const log = label => x =>
IO(() => (console.log(label, x), x))

const $ = x =>
IO(() => document.querySelector(x))

const getText = e =>
e.textContent

const main = selector =>
$(selector)
.map(getText)
.chain(log('A'))
.map(s => s.toUpperCase())
.chain(log('B'))
.runIO()

main('title')
// A hello world
// B HELLO WORLD

I’ve got a presentation when I talked about it; Everything is composable. These concepts can be used in backend or frontend, but like functional programming is about programming by composing functions we only need a language with functions as first-class values.

Bonus #

I'm implementing a generator to you create an Ansible Playbook to automate the installation of your apps and dotfiles. You can see some of these concepts being used in real-world: Packblade

🍭 Are you front-end and use react? You can have fun with react-dream to use some of these concepts and many others.

Conclusion #

There are many others concepts in category theory because it’s a vast subject. The idea was to show for you how this theory can help us with abstraction and composability. I used some examples in Clojure (dynamically typed) and PureScript(strongly-typed) that are functional languages. PureScript in written in and inspired by Haskell, but you don’t need to know category theory to be proficient in PureScript, although it certainly helps with some of the more esoteric core libraries. Learning category theory is a long-term investment.

Where should I go ? #

🙏🙏🙏

Já que você chegou até aqui, seria muito show compartilhar este artigo em sua rede social favorita 💖! Para feedback, comente ou interaja com emoji 👻

Published