How to use integer methods using `method`, not their infix form, in Ruby

58 Views Asked by At

I am looking to programmatically apply a typically infixed operation (eg: +, -, *, /) on two integers, where the operation is specified via a string. I have had success accessing the method itself using .method

This is a pattern that works, 1.+(2) which correctly resolves to 3

By extension, I'd to define a way that could take a variable string for the operator, like so: 1 + 2 as 1.method('+')(2)

The above causes a syntax error, though up til the point of retrieving the method this way does work, I'm not sure what the syntax needs to be to then pass the second integer argument. e.g:

1.method('+')     # <Method: Integer#+(_)>
1.method('+') 2   # syntax error, unexpected integer literal, expecting end-of-input
1.method('+')(2)  # syntax error, unexpected '(', expecting end-of-input

What is the right syntax to perform an operation 1 + 2 in this way?

I am using: ruby 3.1.2p20 (2022-04-12 revision 4491bb740a) [x86_64-linux]

2

There are 2 best solutions below

1
On BEST ANSWER

The Method class has several instance method of it's own. The one you're looking for here is call

It is also aliased to [] and ===

1.method('+').call(2) #=> 3
1.method('+')[2] #=> 3
1.method('+') === 2 #=> 3
0
On

method adds some overhead for creating the method object.

You can use public_send instead to programmatically send messages to objects:

1.public_send('+', 2)
#=> 3

The name / operator can be given as either string or symbol, i.e. '+' or :+.