Here’s a fairly common situation:

  1. We have a list of values
  2. We need to use each value along with the next value

Generally, you end up with something like this:

  var arr = [0, 1, 2, 3];

  //somehow we get our index `i`
  var current = arr[i],
      next = arr[i+1];

  //... do your thing
}

Whether you use a for(var i=0; i < arr.length; i++) or something like array.reduce, you end up having to make sure your index is valid and doesn’t reach outside of the array. We intuitively know the code is brittle and unclear because we inevitably end up adding a comment that says something like start with the second one or stop at length - 1.

In cljs, there’s a handy-dandy function called partition that elegantly solves this problem for us.

The most basic version of partition only takes n and the collection as arguments, splitting the collection into lists of size n:

cljs.user=> (def items [1 2 3 4 5 6])
[1 2 3 4 5 6]

cljs.user=> (partition 1 items)
((1) (2) (3) (4) (5) (6))

cljs.user=> (partition 2 items)
((1 2) (3 4) (5 6))

partition provides another arity which takes a step argument. With n and step, we can say:

  1. Give me a list of n items, starting at the first position.
  2. Move forward step items, then give me the next list of n items.
  3. Repeat.

So, if we want a list of current value and next value:

cljs.user=> (partition 2 1 items)
((1 2) (2 3) (3 4) (4 5) (5 6))

From there, it’s simple to use the current and next value:

(for [[current next] (partition 2 1 items)]
  (comment "do your thing"))

Additional Notes

When working with partition, it’s worth knowing about partition-by and partition-all as well. They’re similar but handle slightly different cases.

Get access to new content

New posts are at bostonou.com. Go check it out, or you can just subscribe from here.

    Reminder: You're subscribing to bostonou.com