0
0
Rubyprogramming~20 mins

Proc composition in Ruby - Practice Problems & Coding Challenges

Choose your learning style9 modes available
Challenge - 5 Problems
🎖️
Proc Composition Master
Get all challenges correct to earn this badge!
Test your skills under time pressure!
Predict Output
intermediate
2:00remaining
Output of composed Procs with chaining
What is the output of this Ruby code using Proc composition?
Ruby
add_two = Proc.new { |x| x + 2 }
double = Proc.new { |x| x * 2 }
composed = add_two >> double
puts composed.call(3)
A8
B10
C7
D11
Attempts:
2 left
💡 Hint
Remember that '>>' composes Procs so the first runs, then the second runs on the result.
Predict Output
intermediate
2:00remaining
Output of composed Procs with reverse chaining
What is the output of this Ruby code using Proc composition with '<<' operator?
Ruby
add_two = Proc.new { |x| x + 2 }
double = Proc.new { |x| x * 2 }
composed = add_two << double
puts composed.call(3)
A7
B11
C8
D10
Attempts:
2 left
💡 Hint
The '<<' operator composes Procs so the second runs first, then the first runs on the result.
🔧 Debug
advanced
2:00remaining
Identify the error in Proc composition
What error does this Ruby code raise when trying to compose Procs?
Ruby
p1 = Proc.new { |x| x + 1 }
p2 = Proc.new { |x, y| x * y }
composed = p1 >> p2
puts composed.call(2)
AArgumentError: wrong number of arguments (given 1, expected 2)
BNoMethodError: undefined method `>>' for Proc
CTypeError: Proc cannot be composed
DRuntimeError: incompatible Proc types
Attempts:
2 left
💡 Hint
Check the number of arguments each Proc expects and what is passed during composition.
🧠 Conceptual
advanced
2:00remaining
Understanding Proc composition behavior
Which statement best describes the behavior of the '>>' operator when composing two Procs in Ruby?
AIt creates a new Proc that calls both Procs in parallel and returns an array of results.
BIt merges the two Procs into one that calls them sequentially but ignores the first Proc's result.
CIt creates a new Proc that calls the second Proc first, then the first Proc with the result.
DIt creates a new Proc that calls the first Proc, then passes its result to the second Proc.
Attempts:
2 left
💡 Hint
Think about the order of execution and how the output of one Proc is used.
🚀 Application
expert
3:00remaining
Compose Procs to transform and filter data
Given these Procs, which composed Proc will correctly double numbers, then keep only those greater than 10 when applied to an array?
Ruby
double = Proc.new { |x| x * 2 }
filter_gt_10 = Proc.new { |arr| arr.select { |n| n > 10 } }
Acomposed = Proc.new { |arr| filter_gt_10.call(arr.map(&double)) }
Bcomposed = double >> filter_gt_10
Ccomposed = filter_gt_10 >> double
Dcomposed = Proc.new { |arr| arr.map(&double).select { |n| n > 10 } }
Attempts:
2 left
💡 Hint
Remember that 'double' works on single numbers, but 'filter_gt_10' works on arrays.