As I was learning about transducers in Clojure it suddenly struck me what they reminded me of: Java 8 streams!
Clojure:
(def xf
(comp
(filter odd?)
(map inc)
(take 5)))
(println
(transduce xf + (range 100))) ; => 30
(println
(into [] xf (range 100))) ; => [2 4 6 8 10]
Java:
// Purposely using Function and boxed primitive streams (instead of
// UnaryOperator<LongStream>) in order to keep it general.
Function<Stream<Long>, Stream<Long>> xf =
s -> s.filter(n -> n % 2L == 1L)
.map(n -> n + 1L)
.limit(5L);
System.out.println(
xf.apply(LongStream.range(0L, 100L).boxed())
.reduce(0L, Math::addExact)); // => 30
System.out.println(
xf.apply(LongStream.range(0L, 100L).boxed())
.collect(Collectors.toList())); // => [2, 4, 6, 8, 10]
Apart from the difference in static/dynamic typing, these seem quite similar to me in purpose and usage.
Is the analogy with transformations of Java streams a reasonable way of thinking about transducers? If not, how is it flawed, or how do the two differ in concept (not to speak of implementation)?
The main difference is that the set of verbs (operations) is somehow closed for streams while it's open for transducers: try for example to implement
partition
on streams, it feels a bit second class:Also like sequences and reducers, when you transform you don't create a "bigger" computation, you create a "bigger" source.
To be able to pass computations, you've introduced
xf
a function from Stream to Stream to lift operations from methods to first class entities (so as to untie them from the source). By doing so you've created a transducer albeit with a too large interface.Below is a more general version of the above code to apply any (clojure) transducer to a Stream: