Feature #18934
closedProposal: Introduce method results memoization API in the core
Description
Abstract: I propose to introduce a simple core API for memoizing argument-less method return values.
class Test
def foo
puts "call!"
5
end
memoized :foo
end
o = Test.new
o.foo # prints "call!", returns 5
o.foo # returns 5 immediately
The full proposal is below.
Intro¶
For further reasoning, I'll be using the following class. It is simplified/invented for demonstrative purposes, so I'd prefer to discuss problems/solutions described in general and not focus on "you could rewrite this class that way".
class Sentence
attr_reader :text
def initialize(text) = @text = text
def tokens() = SomeTokenizer.new(text).call
def size() = tokens.size
def empty?() = tokens.all?(&:whitespace?)
def words() = tokens.select(&:word?)
def service?() = words.empty?
end
The problem¶
The class above is nice, clean, and easy to read. The problem with it is efficiency: if we imagine that SomeTokenizer#call
is not cheap (it probably isn't), then creating a few sentences and then processing them with some algorithm will be—with the demonstrated definition of the class—much less efficient then it could be. Every statement like...
many_sentences.reject(&:empty?).select { _1.words.include?('Ruby') }.map { _1.words.count / _1.tokens.count }
...is much less efficient than it "intuitively" should be because tokenization happens again and again.
Caching just tokens
would probably not be enough for a complex algorithm working with some notable amounts of data: whitespace?
and word?
might also be non-trivial; but even trivial methods like select
and empty?
when needlessly repeated thousands of times, would be visible in profiling.
So, can we stop recalculating them constantly?
Existing solutions¶
Just pre-calculate everything in initialize
We could create a lot of instance variables in initialize
:
def initialize(text)
@text = text
@tokens = SomeTokenizer.new(@text).call
@size = @tokens.size
@empty = @tokens.all?(&:whitespace?)
@words = @tokens.select(&:word?)
@service = @words.empty?
end
It will work, of course, but it loses nice visibility of what's objects main data and what is derivative; and it is more code (now we need to define attr_readers and predicate methods for all of that!). And adding every new small service method (like def question?() = tokens.last&.text == '?'
) would require rethinking "is it efficient enough to be a method, or should I add one more instance var"?
||=
idiom
The common idiom for caching is ||=
:
def words()= @words ||= tokens.select(&:word?)
It has its drawbacks, though:
- doesn't suit methods that can return
false
ornil
(likeservice?
) - harder to use with methods that need several statements to calculate the end result
- it mixes the concerns of "how it is calculated" and "it is memoized" (looking at the method's code, you don't immediately know if the variable is used only for memoization, or it could've been set elsewhere, and here we just providing default value)
- it pollutes the object's data representation
1-2 is typically advised to solve with a less elegant but futureproof solution (which also makes it impossible to define in one-line methods, even if the main code is short):
def empty?
return @empty if defined?(@empty)
@empty = tokens.all?(&:whitespace?)
end
About 4: while using this solution, we'll have a lot of instance vars (that are derivative and logically not the part of object's state) now visible in default #inspect
and serialization:
s = Sentence.new('Ruby is cool')
p s
# #<Sentence:0x00007fe21d8fd138 @text="Ruby is cool">
puts s.to_yaml
# --- !ruby/object:Sentence
# text: Ruby is cool
p s.empty?
# false
p s
# #<Sentence:0x00007fe21d8fd138 @text="Ruby is cool", @empty=false>
puts s.to_yaml
# --- !ruby/object:Sentence
# text: Ruby is cool
# empty: false
Existing memoization libraries¶
There are several well-known memoization libraries out there, to name a couple: old and reliable memoist, new and efficient memo_wise.
They solve problems 1-3 of ||=
, and also add several cool features (like argument-dependent memoization) with a macro (this is memo_wise
, memoist
behaves the same, just different macro name):
class Sentence
prepend MemoWise
# ...
memo_wise def empty?() = tokens.all?(:whitespace?)
end
Now we have a nice declarative and decoupled statement "it is memoized", which also supports booleans and nil
s and multi-statement methods.
The problem of "detail leaking" isn't solved, though:
p s.empty?
# false
p s
# #<Sentence:0x00007f0f474eb418 @_memo_wise={:empty?=>false}, @text="Ruby is cool">
puts s.to_yaml
# --- !ruby/object:Sentence
# _memo_wise:
# :empty?: false
# text: Ruby is cool
Also, using third-party gems introduces a few new problems:
- Performance penalty. However well it is optimized, Ruby-land "redefine method, then check it is there, then calculate" has not zero overhead.
- Dependency penalty. If the memoizing gem is not in the project yet, it is a decision whether to introduce it or not and for small no-dependencies gems or for the strictly-controlled codebase, it might be a problem. Also, doing
prepend MemoWise
(orextend Memoist
) is another point where the question "should I introduce this dependency?" arises (in a small class with exactly one method to memoize, for example!)
Feature proposal & Design decisions¶
I propose to introduce the Module#memoized(*symbols)
method in the core, implemented in C.
- Name:
memoize
is a typical name that the community is used to. I want the new method to look uniform with other existing "macros" that have wording suitable for the phrase "this method is {word}":private
ormodule_function
; that's why I propose the namememoized
- I believe that the memoisation should be fully opaque: not visible on
#inspect
or serialization; no settings or API to interact with the internal state of memoization. - Only argument-less methods are memoizable,
memoize def foo(any, args)
should raise an exception - (Not sure about that one) "Memoised" state of the method should be inheritable. Probably we might need a symmetric
unmemoized :foo
to overwrite that in descendants.
Non-features¶
There are several more features typically seen in memoization gems considered unsuitable for core functionality:
- No arguments-dependent memoization. I believe it is a "business logic" concern: how exactly the arguments should be stored, cache growth control (with too many argument-result pairs memoized), cache cleanup, etc. Third-party libraries can handle that.
- No cache presetting/resetting API. If "it is memoized in general, but sometimes reset", it is again a business-layer concern and shouldn't be solved by a language-level declaration. Third-party libraries can handle that.
- No extra API to memoize class methods, like we don't have a specific API for making class methods private.