Skip to content

aarondill/lua-stream

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 

History

54 Commits
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

Lua-Stream

An updated version of: Lua Stream API created by Michael Karneim The updated implementation uses Metatables to reuse the methods for all functions, reducing memory usage and code duplication.

About

Lua-Stream brings the benefits of the stream-based functional programming style to Lua. It provides a function Stream() that produces a sequential stream of elements taken from an array or an iterator function. The stream object gives you the power of composing several stream operations into a single stream pipeline.

For example, a basic stream pipeline could look like this:

Stream({3,4,5,1,2,3,4,4,4}):distinct():sort():foreach(print)

which results in the following output:

1
2
3
4
5

License

To pay respect to the original author (Michael Karneim), the source code of Lua-Stream is in the public domain. For more information please read the LICENSE file.

Supported Functions

Creating a Stream

  • Stream(array)
  • Stream(iter_func)
  • Note: Stream(...) is an alias for Stream.new(...)

Intermediate Operations

  • :concat(streams...) -> stream
  • :distinct() -> stream
  • :filter(predicate) -> stream
  • :flatmap(func) -> stream
  • :flatten() -> stream
  • :limit(maxnum) -> stream
  • :map(func) -> stream
  • :peek(consumer) -> stream
  • :reverse() -> stream
  • :skip(n) -> stream
  • :sort(comparator) -> stream
  • :split(func) -> stream, stream

Terminal Operations

  • :allmatch(predicate) -> boolean
  • :anymatch(predicate) -> boolean
  • :avg() -> number
  • :collect(collector) -> any
  • :count() -> number
  • :foreach(c) -> nil
  • :group(func) -> table
  • :last() -> any
  • :max(comparator) -> any
  • :min(comparator) -> any
  • :next() -> any
  • :nonematch(predicate) -> boolean
  • :reduce(init, op) -> any
  • :sum() -> number
  • :toarray() -> table

Getting Started

Lua-Stream consists of a single file called stream.lua. download it into your project folder and include it into your program with local Stream = require("stream").

Creating a new stream from an array

You can create a new stream from any Lua table, provided that the table is an array indexed with consecutive numbers from 1 to n, containing no nil values (or, to be more precise, only as trailing elements. nil values can never be part of the stream).

Here is an example:

st = Stream({100.23, -12, "42"})

To print the contents to screen you can use foreach(print):

st:foreach(print)

This will produce the following output:

100.23
-12
42

Later we will go into more details of the foreach() operation.

For now, let's have a look into another powerful alternative to create a stream.

Creating a new stream from an iterator function

Internally each stream works with a Lua iterator. This is a parameterless function that produces a new element and a boolean value indicating whether the iterator is done.

You can create a new stream from any such function:

function zeros()
    return 0, false
end

st = stream(zeros)

Please note, that this creates an infinite stream of zeros. When you append
a terminal operation to the end of the pipeline it will actually never terminate:

stream(zeros):foreach(print)
0
0
0
0
...

To prevent this from happening you could limit the number of elements:

st:limit(100)

For example, this produces an array of 100 random numbers:

numbers = stream(math.random):limit(100):toarray()

Please note that toarray(), like foreach(), is a terminal operation, which means that it consumes elements from the stream. After this call the stream is completely empty.

Another option to limit the number of elements is by limiting the iterator function itself. This can be done by returning true when the production is finished.

Here is an example. The range() function is an iterator factory that returns an iterator function which produces consecutive numbers in a specified range:

function range(s,e,step)
  step = step or 1
  local next = s
  -- return an iterator function for numbers from s to e
  return function()
    -- this should stop any consumer from doing more calls
    if next > e then return nil, true end
    local current = next
    next = next + step
    return current, false
  end
end

numbers = stream(range(100,200)):toarray()

This produces an array with all integer numbers between 100 and 200 and assigns it to the numbers variable.

So far, so good. Now that you know how to create a stream, let's see what we can do with it.

Looping over the elements using stream.iter (NON-NIL VALUES ONLY)

Further above you have seen that you can print all elements by using the forach() operation. But this is not the only way to do it.

Since internally the stream always maintains an iterator function, you can also use it to process its content. You can access it using stream.iter.

The following example shows how to process all elements with a standard Lua for ... in ... do loop:

for i in st.iter do
    print(i) -- do something with i, e.g. print it
end

This prints all elements of the stream to the output.

Please note that iter does not consume all elements immediately. Instead it does it lazily - element by element - whenever the produced iterator function is called. So, if you break from the loop before all elements are consumed, there will be elements left on the stream.

Looping over the elements using the next() operation

If you don't want to consume all elements at once but rather getting the first element of the stream, you may want to use the next() operation. Note that the next() operation returns value, done. The parenthesis are important here.

st = stream({1,2,3})
print((st:next()))
print((st:next()))

This produces the following output:

1
2

Getting the last element of a stream

The last() operation returns the last element of the stream.

st = stream({1,2,3})
print(st:last())

In contrast to next() this can only be called once, since it consumes all elements from the stream in order to find the last one. Subsequent calls will return nil.

Looping over the elements with a consumer function

Another option for getting all elements of the stream is the foreach() operation. We have used it already when we called it with the standard Lua print function in the examples above.

By using the foreach(consumer) operation you can loop over the stream's content by calling it with a consumer function. This is any function with a single parameter. It will be called repeatedly for each element until the stream is empty.

The following code prints all elements to the output:

st:foreach(function(e) print(e) end)

Or, even shorter, as we already have seen, use the reference to Lua's built-in print() function:

st:foreach(print)

Now that we know how to access the elements of the stream, let's see how we can modify it.

Filtering Elements

Element-filtering is, besides element-mapping, one of the most used applications of stream pipelines.

It belongs to the group of intermediate operations. That means, when you append one of those to a stream, you actually are creating a new stream that is lazily backed by the former one, and which extends the pipeline by one more step. Not until you call a terminal operation on the last part of the pipeline it will actually pull elements from upstream, going through all intermediate operations that are placed in between.

By appending a filter(predicate) operation holding a predicate function, you can specify which elements should be passed downstream. A predicate function is any function with a single parameter. It should return true if the argument should be passed down the stream, false otherwise.

Here is an example:

function is_even(x)
    return x % 2 == 0
end

stream({1,2,3,4,5,6,7,8,9}):filter(is_even):foreach(print)

This prints a stream of only even elements to the output:

2
4
6
8

In the meanwhile you might want to browse the examples.

About

The Java Stream API reimplemented in Lua

Resources

License

Stars

Watchers

Forks

Releases

No releases published

Packages

No packages published

Languages