fst = lambda { |x, y| x} fst.(100).
(200) # ⇒ 100
fst.call(1, 2) # ⇒ 1
Ruby Reference Sheet fst.(1, 2) # ⇒ 1 fst.methods # ⇒ arity, lambda?,
# parameters, curry
# Supply one argument at a time. def sum x, y = 666, with: 0
always7 = fst.curry.(7) x + y + with end
Administrivia always7.(42) # ⇒ 42
⇒ Ruby has a interactive command line. In terminal, type irb. sum (sum 1, 2) , 3 # ⇒ 6
# Expplicitly curried. sum 1 # ⇒ 667
⇒ To find your Ruby version, type ruby --version; or in a Ruby script: fst = lambda {|x| lambda {|y| x}} sum 1, 2 # ⇒ 3
fst = ->(x) {->(y) {x}} sum 1, 22, with: 3 # ⇒ 6
RUBY_VERSION # ⇒ 2.3.7 fst[10][20] # ⇒ 10
# In general, use backtics ‘· · · ‘ to call shell commands
‘ls -ll ~‘ # ⇒ My home directory’s contents! Notice that the use of ‘=’ in an argument list to mark arguments as optional with de-
fault values. We may use keyword arguments, by suffixing a colon with an optional
⇒ Single line comments marked by #. default value to mark the argument as optional; e.g., omitting the 0 after with: makes
. Multi-line comments enclosed by =begin and =end. it a necessary (keyword) argument. Such may happen in |· · · | for arguments to blocks.
⇒ Newline or semicolon is used to separate expressions; other whitespace is irrelevant. Convention: Predicate names end in a ?; destructive function names end in !.
That is, methods ending in ! change a variable’s value.
⇒ Variables don’t have types, values do.
Higher-order: We use & to indicate that an argument is a function.
The type of a variable is the class it belongs to.
Variables do not need declarations. def apply(x, &do_it) if block_given? then do_it.call(x) else x end end
apply (3) { |n| 2 * n } # ⇒ 6, parens around ‘3’ are needed!
apply 3 do |n| 20 * n end # ⇒ 6
Everything is an object! apply 3 # ⇒ 3
Method calls are really message passing: x ⊕ y ≈ x.⊕(y) ≈ x.send "⊕" , y In fact, all methods have an implicit, optional block parameter. It can be called with the
yield keyword.
Methods are also objects: f x ≈ method(:f).call x
sum(1, 2) do |x| x * 0 end # ⇒ 3, block is not used in “sum”
Remember: Use name.methods to see the methods a name has access to. Super helpful
to discover features! def sum’ (x, y) if block_given? then yield(x) + yield(y) else x + y end end
sum’(1, 2) # ⇒ 3
"Hi".class # ⇒ String sum’(1, 2) do |n| 2 * n end # ⇒ 6
"Hi".method(:class).class # ⇒ Method sum’(1, 2) do end # ⇒ nil + nil, but no addition on nil: CRASHES!
"Hi".methods # ⇒ Displays all methods on a class ♥^♥ sum’(1, 2) { 7 } # ⇒ 14; Constanly return 7, ignoring arguments; 7 + 7 ≈ 14
2.methods.include?(:/) # ⇒ true, 2 has a division method
Note: A subtle difference between do/end and {/} is that the latter binds tightly to the
Everything has a value —possibly nil. closest method; e.g., puts x.y { z } ≈ puts (x.y do z end).
There’s no difference between an expression and a statement! Variadic number of arguments:
def sum” (*lots_o_stuff) toto = 0; lots_o_stuff.each{ |e| toto += e}; toto end
Functions – Blocks sum” 2 , 4 , 6 , 7 # ⇒ 19
Multiple ways to define anonymous functions; application can be a number of ways too. # Turn a list into an argument tuple using “splat”, ‘*’
nums = [2, 4, 6, 7, 8, 9]
Parenthesises are optional unless there’s ambiguity.
# sum” nums # ⇒ Error: Array can’t be coerced into number
The value of the last statement is the ‘return value’. sum” *nums.first(4) # ⇒ 19
Function application is right-associative.
If a name is overloaded as a variable and as a function, then an empty parens must be
Arguments are passed in with commas. used when the function is to be invoked.
1
w = "var" Besides decorating a function call to print a trace like below, it can be used to add extra
def w; "func" end behaviour such as caching expensive calls, mocking entities for testing, or doing a form
"w: #{w}, but w(): #{w()}" # ⇒ w: var, but w(): func of typing ( Ruby is a Lisp ).
How to furnish a single entity with features? “Singleton methods/classes”! You can attach define_method(:ni) {|x| x}
methods to existing names whenever you like. (Instance vars are nil by default.)
def notify(method_name)
x = "ni" orginal = method(method_name)
def x.upcase; "Knights who say #{self} × #{@count = (@count || 0) + 1}" end define_method(method_name) { |*args, &blk|
x.upcase # ⇒ Knights who say ni × 1 p "#{method_name} running ... got #{orginal.call(*args, &blk)}"} end
x.upcase # ⇒ Knights who say ni × 2
notify def no_op (x) x end
# Other items are unaffected.
"ni".upcase # ⇒ NI, the usual String capitalisation method no_op 1 # ⇒ no_op running ... got 1
In general, the syntax class « x · · · end will attach all usual class contents “· · · ” only
for the entity x. ( Undefined instance variables are always nil. ) # “x.singleton_class.include(M)” to wholesale attach module M’s contents to x.
We can redfine any method; including the one that handles missing method issues. See here for a nifty article on methods in Ruby.
x.speak # ⇒ Error: No method ‘speak’
# Do nothing, yielding ‘nil’, when a method is missing. Variables & Assignment
def method_missing(id, *args) end
x.speak # ⇒ nil Assignment ‘=’ is right-associative and returns the value of the RHS.
A “ghost method” is the name of the technique to dynamically a create a method by # Flexible naming, but cannot use ‘-’ in a name.
overriding method_missing. E.g., by forwarding ghosts get_x as calls get(:x) with ex- this_and_that = 1
tra logic about them. uNiC∅DE = 31
Operators are syntactic sugar and can be overrided. This includes the arithmetical ones, # Three variables x,y,z with value 2.
and [], []=; and unary ± via +@, -@. x = y = z = 2
def x.-(other); "nice" end Forming aliases: # Since everything has a value, “y = 2” ⇒ 2
x - "two" # ⇒ "nice" alias summing sum” x = 1, y = 2 # Whence, x gets “[1, 2]”!
summing 1, 2, 3 # ⇒ 6 # Arrays are comma separated values; don’t need [ and ]
x = 1; y = 2 # This is sequential assignment.
Methods as Values
# If LHS as has many pieces as RHS, then we have simultenous assignment.
Method declarations are expressions: A method definition returns the method’s name as x , y = y , x # E.g., this is swap
a symbol.
# Destructuring with “splat” ‘*’
def woah; "hello" end # ⇒ :woah a , b, *more = [1, 2, 3, 4, 5] # ⇒ a ≈ 1; b ≈ 2; c ≈ [3, 4, 5]
first, *middle, last = [1, 2, 3, 4, 5] # ⇒ first ≈ 1; middle ≈ [2, 3, 4]; last =
woah’ = method(:woah) # ⇒ #<Method: Object#woah> last
woah’.call # ⇒ hello # Without splat, you only get the head element!
a , b, c = [1, 2, 3, 4, 5] # ⇒ a ≈ 1; b ≈ 2; c ≈ 3
method(:woah).call # ⇒ hello
“Assign if undefined”: x ||= e yields x if it’s a defined name, and is x = e otherwise.
Notice that using the operation method we can obtain the method associated with a This is useful for having local variables, as in loops or terse function bodies.
symbol.
nope rescue "“nope” is not defined."
Likewise, define_method takes a name and a block, and ties those together to make a # nope ||= 1 # ⇒ nope = 1
method. It overrides any existing method having that name. # nope ||= 2 # ⇒ 1, since “nope” is defined
The following is known as “decoration” or “advice”! Notice: B rescue R ≈ Perform code B, if it crashes perform code R.
2
Strings and %-Notation Arrays
Single quotes are for string literals, whereas double quotes are for string evaluation, Arrays are heterogeneous, 0-indexed, and [ brackets ] are optional.
‘interpolation’. Strings may span multiple lines.
array = [1, "two", :three, [:a, "b", 12]]
you = 12 # String powers again = 1, "two", :three, [:a, "b", 12]
# ⇒ 12 "hello " * 3
# ⇒ hello hello hello Indexing: x[±i] ≈ “value if i < x.length else nil” x[i] ⇒ The i-th element from the
"Me and \n #{you}" start; x[-i] ⇒ i-th element from the end.
# ⇒ Me and hhnewline hereii 12 # Print with a newline
puts "Bye #{you}" array[1] # ⇒ "two"
’Me and \n #{you}’ # ⇒ Bye 12 ⇒ nil array[-1][0] # ⇒ :a
# ⇒ Me and \n #{you}
# printf-style interpolation Segments and ranges:
# “to string” and catenation "%s or %s" % ["this" , "that"]
"hello " + 23.to_s # ⇒ hello 23 it = %w(this that); "%s or %s" % it x[m, k] ≈ [xm , xm+1 , ..., xm+k −1 ]
x[m..n] ≈ [xm , xm+1 , ..., xn ] if m ≤ n and [] otherwise
x[m...n] ≈ x[m..n-1] —to exclude last value
a[i..j] = r ⇒ a ≈ a[0, i] + *r + a[j, a.length]
Syntactic sugar: x[i] ≈ x.[] i
Strings are essentially arrays of characters, and so array operations work as expected!
Where *r is array coercion: Besides splicing, splat is also used to coerce values into
There is a Perl-inspired way to quote strings, by using % along with any non-alpha- arrays; some objects, such as numbers, don’t have a to_a method, so this makes up for
numeric character acting as the quotation delimiter. Now only the new delimiter needs it.
to be escaped; e.g., " doesn’t need escape.
a = *1 # ⇒ [1]
A type modifier can appear after the % : q for strings, r for regexp, i symbol array, w a = *nil # ⇒ []
string array, x for shell command, and s symbol. Besides x, s, the rest can be capitalised a = *"Hi" # ⇒ ["Hi"]
to allow interpolation. a = *(1..3) # ⇒ [1, 2, 3]
a = *[1,2] # ⇒ [1, 2]
%{ woah "there" #{1 + 2} } # ⇒ "woah \"there\" 3"
%w[ woah "there" #{1 + 2} ] # ⇒ ["woah", "\"there\"", "\#{1", "+", "2}"] # Non-symmetric multiplication; x * y ≈ x.*(y)
%W[ woah "there" #{1 + 2} ] # ⇒ ["woah", "\"there\"", "3"] [1,2,3] * 2 # ⇒ [1,2,3,1,2,3]
%i( woah "there" ) # ⇒ [ :woah, :"there"] [1,2,3] * "; " # ⇒ "1; 2; 3"
See here for more on the %-notation. As always, learn more with array.methods to see, for example, first, last, reverse,
push and « are both “snoc”, include? “3”, map. Functions first and last take
an optional numeric argument n to obtain the first n or the last n elements of a list.
Booleans
Methods yield new arrays; updates are performed by methods ending in “!”.
false, nil are both considered false; all else is considered true.
x = [1, 2, 3] # A new array
Expected relations: ==, !=, !, &&, ||, <, >, <=, >= x.reverse # A new array; x is unchanged
x.reverse! # x has changed!
x <=> y returns 1 if x is larger, 0 if equal, and -1 otherwise.
“Safe navigation operator”: x&.y ≈ (x && x.y). # Traverse an array using “each” and “each_with_index”.
x.each do |e| puts e.to_s end
and, or are the usual logical operators but with lower precedence.
Catenation +, union |, difference -, intersection &.
They’re used for control flow; e.g., s0 and s1 and · · · and sn does each of the si Here is a cheatsheet of array operations in Ruby.
until one of them is false.
What Haskell calls foldl, Ruby calls inject;
Since Ruby is a Lisp, it comes with many equality operations; including =~ for regexps. e.g., xs.inject(0) do |sofar, x| sofar + x end yields the sum of xs.
3
Symbols Simpler syntax when all keys are symbols.
Symbols are immutable constants which act as first-class variables. oh = {this: 12, that: "nope", and: :yup}
oh.keys # ⇒ [:this, :that, :and]
Symbols evaluate to themselves, like literals 12 and "this".
oh[:and] # ⇒ :yup
:hello.class # ⇒ Symbol # Conversion from strings # Traverse an array using “each” and “each_with_index”.
# :nice = 2 # ⇒ ERROR! "nice".to_sym == :nice # ⇒ true oh.each do |k, v| puts k.to_s end
As always, learn more with Hash.methods to get keys, values, key?, value?, each,
Strings occupy different locations in memory even though they are observationally indis- map, count, ... and even the “safe navigation operator” dig: h.dig(:x, :y, :z) ≈
tinguishable. In contrast, all occurrences of a symbol refer to the same memory location. h[:x] && h[:x][:y] && h[:x][:y][:z].
:nice.object_id == :nice.object_id # ⇒ true We may pass in any number of keyword arguments using **.
"this".object_id == "this".object_id # ⇒ false
def woah (**z) z[:name] end
Control Flow
woah name: "Jasim" , work: "Farm" # ⇒ Jasim
We may omit then by using ; or a newline, and may contract else if into elsif.
Hashes can be used to model (rose) trees:
# Let C ∈ {if, unless}
C :test1 then :this else :that end family = {grandpa: {dad: {child1: nil, child2: nil},
this C test ≈ C test then this else nil end uncle: {child3: nil, child4: nil},
scar: nil}}
(1..5).each do |e| puts e.to_s end
≈ 1 .upto 5 do |e| puts e end # Depths of deepest node.
≈ 5 .downto 1 do |e| puts 6 - e end def height t
≈ for e in 1..5 do puts e.to_s end if not t
≈ e = 1; while e <= 5 do puts e.to_s; e += 1 end then 0
≈ e = 1; begin puts e.to_s; e += 1 end until e > 5 else t.map{|k, v| height v}.map{|e| e + 1}.max
≈ e = 1; loop do puts e.to_s; e += 1; break if e > 5 end end end
Just as break exits a loop, next continues to the next iteration, and redo restarts at the height family # ⇒ 3
beginning of an iteration.
There’s also times for repeating a block a number of times, and step for traversing over
every n-th element of a collection. Classes
n.times S ≈ (1..n).each S Classes are labelled product types: They denote values of tuples with named components.
c.step(n) S ≈ c.each_with_index {|val, indx| S.call(val) if indx % n == 0} Classes are to objects as cookie cutters (templates) are to cookies.
See here for a host of loop examples. Modifiers: public, private, protected
Everything is public by default.
Hashes One a modifier is declared, by itself on its own line, it remains in effect until
Also known as finite functions, or ‘dictionaries’ of key-value pairs —a dictionary matches another modifier is declared.
words with their definitions. Public ⇒ Inherited by children and can be used without any constraints.
Protected ⇒ Inherited by children, and may be occur freely anywhere in the
Collections are buckets for objects; hashes are labelled buckets: The label is the key and class definition; such as being called on other instances of the same class.
the value is the object. Thus, hashes are like objects of classes, where the keys are slots
that are tied to values. Private ⇒ Can only occur stand-alone in the class definition.
hash = { "jasim" => :farm, :qasim => "hockey", 12 => true} These are forms of advice.
Class is also an object in Ruby.
hash.keys # ⇒ ["jasim", :qasim, 12]
hash["jasim"] # ⇒ :farm class C hhcontentsii end
hash[12] # ⇒ true ≈
hash[:nope] # ⇒ nil C = Class.new do hhcontentsii end
4
We can freely add and alter class continents long after a class is defined.
Instance attributes are variables such that each object has a different copy; their names We may even alter core classes.
must start with @ —“at” for “at”tribute. Useful to extend classes with new functionality.
Class attributes are variables that are mutually shared by all objects; their names must
start with @@ —“at all” ≈ attribute for all.
Modules & Mixins
self refers to the entity being defined as a whole; name refers to the entities string name.
Single parent inheritance: class Child < Parent · · · end, for propagating behaviour
class Person to similar objects.
@@world = 0 # How many persons are there? A module is a collection of functions and constants, whose contents may become part of
# Instance values: These give us a reader “x.field” to see a field any class. Implicitly, the module will depend on a number of class methods —c.f., Java
# and a writer “x.field = ...” to assign to it. interfaces— which are used to implement the module’s contents. This way, we can mix
attr_accessor :name in additional capabilities into objects regardless of similarity.
attr_accessor :work Modules:
# Optional; Constructor method via the special “initialize” method Inclusion binds module contents to the class instances.
def initialize (name, work) @name = name; @work = work; @@world += 1 end Extension binds module contents to the class itself.
# Implicitly depends on a function “did”
# See the static value, world
module M; def go; "I #{did}!" end end
def world
@@world
# Each class here defines a method “did”; Action makes it static.
end
# Both include the module; the first dynamically, the second statically.
class Verb; include M; def did; "jumped" end end
# Class methods use “self”;
class Action; extend M; def self.did; "sat" end end
# they can only be called by the class, not by instances.
def self.flood
puts "#{Verb.new.go} versus #{Action.go}"
puts "A great flood has killed all of humanity"; @@world = 0 end
# ⇒ I jumped! versus I sat!
end For example, a class wanting to be an Enumerable must implement each and a class
wanting to be Comparable must implement the ‘spaceship’ operator <=>. In turn, we
jasim = Person.new("Qasim", "Farmer") may then use sort, any?, max, member?, ...; run Enumerable.instance_methods to
qasim = Person.new("", "") list many useful methods.
jasim.name = "Jasim"
Modules are also values and can be defined anywhere:
puts "#{jasim.name} is a #{jasim.work}"
mymod = Module.new do def talk; "Hi" end end
puts "There are #{qasim.world} people here!"
Person.flood
puts "There are #{qasim.world} people here!" Reads
See here to learn more about the new method.
Using define_method along with instance_variable_set("@#namehere", value) and
instance_variable_get("@#namehere"), we can elegantly form a number of related Ruby Meta-tutorial — ruby-lang.org
methods from a list of names; e.g., recall attr_accessor. Whence design patterns The Odin Project
become library methods! Learn Ruby in ~30 minutes — https://learnxinyminutes.com/
In Ruby, just as methods can be overriden and advised, classes are open: They can be contracts.ruby — Making assertions about your code
extended anytime. This is akin to C# extension methods or Haskell’s typeclasses. Algebraic Data Types for Ruby
Community-driven Ruby Coding Style Guide
# Open up existing class and add a method.
class Fixnum Programming Ruby: The Pragmatic Programmer’s Guide
def my_times; self.downto 1 do yield end end Learn Ruby in One Video – Derek Banas’ Languages Series
end Learn Ruby Using Zen Koans
Metaprogramming in Ruby —also some useful snippets
3.my_times do puts "neato" end # ⇒ Prints “neato” thrice
Seven Languages in Seven Weeks