Tutorial

How To Use IRB to Explore Ruby

Updated on January 26, 2023
How To Use IRB to Explore Ruby

Introduction

IRB, short for Interactive Ruby, is a quick way to explore the Ruby programming language and try out code without creating a file. IRB is a Read-Eval-Print Loop, or REPL, a tool offered by many modern programming languages. To use it, you launch the irb executable and type your Ruby code at the prompt. IRB evaluates the code you type and displays the results.

IRB gives you access to all of Ruby’s built-in features, as well as any libraries or gems you’ve installed. In addition, you can configure IRB to save your command history and even enable auto-completion of your code.

In this tutorial, you’ll use IRB to run some code, inspect its output, bring in external libraries, and customize your IRB session.

Starting and Stopping IRB

If you have Ruby installed, you’ll have IRB. You can start it on any computer where Ruby is installed by executing the command irb from your command line interface.

  1. irb

You’ll be greeted with the IRB prompt:

IRB session
irb(main):001:0>

The prompt indicates that you’re running IRB and that anything you execute will run in the main context, which is the top-level default context of a Ruby program. It also shows a line number.

Note: If you’ve installed Ruby with RVM, your prompt may look slightly different, showing the version number instead:

IRB session from RVM
2.4.0 :001 >

To get the prompt shown throughout this tutorial, launch IRB with irb --prompt inf-ruby.

IRB accepts Ruby syntax, which you can enter at the prompt. Try it out by adding two numbers together:

  1. 2 + 2

Press the ENTER key and IRB will show you the result:

IRB session
=> 4

The => symbol lets you know that this is the return value from the Ruby expression.

To exit IRB, type exit at the prompt, or press CTRL+D. You’ll return to your shell prompt.

Let’s dig a little deeper into IRB by looking at how you can use it to explore code.

Executing Code in an IRB Session

IRB is a great way to try out code to see if it’s a good solution to your problem. Almost everything in Ruby returns some value, and every time you execute a statement in IRB, you’ll see that return value printed to the screen.

To demonstrate this, execute this statement in a new IRB session:

  1. puts "Hello World"

When you press the ENTER key, you’ll see two results from IRB:

OUTPUT
Hello World => nil

The first result is the output from the puts method, which prints the string you specified, followed by a line break. The puts method prints the text to the standard output device, which is your screen. But the puts method has a return value, because every method in Ruby has a return value. The puts method returns nil, and that’s what IRB is showing you.

Every time you execute a statement, the prompt changes, indicating a new line number:

irb(main):001:0> puts "Hello World"
Hello World
=> nil
irb(main):002:0>

This can help you debug statements when doing more complex expressions in an IRB session, as error messages will refer to line numbers.

You can assign values to variables in an IRB session just like you would in your standalone Ruby programs. Execute this statement by typing it in your IRB session and pressing ENTER:

  1. birth_year = 1868

You’ll see the return value of this statement echoed back:

IRB session
=> 1868

The variable birth_year holds this value, but, since most statements in Ruby return values, IRB shows you the return value here as well.

Add two more variables. First, create a variable called death_year:

  1. death_year = 1921

Then create the variable age_at_death by subtracting birth_year from death_year:

  1. age_at_death = death_year - birth_year

IRB assigns the value to the variable, but also shows you the result:

IRB session
=> 53

When you’re in an IRB session, you don’t have to use an explicit puts or print statement if you don’t want to, since you’ll see your return values displayed.

Sometimes you’ll want to write code that spans multiple lines. IRB supports this intuitively. IRB only executes code that is syntactically complete. The following Ruby code uses an array of sharks and uses the select method to return only the sharks containing the letter “a” in their name. Type this code into your IRB session, pressing ENTER after each line:

["Tiger", "Great White", "Angel"].select do |shark|
shark.include?("a")
end

IRB lets you enter multiple lines of code, but it only executes the code when it thinks the code is syntactically complete. Notice that the prompt changes to indicate that IRB is not yet evaluating your code by using an asterisk (*) and changing the final zero to a one to indicate a different scope:

IRB session
irb(main):005:0> ["Tiger", "Great White", "Angel"].select do |shark| irb(main):006:1* shark.include?("a") irb(main):007:1> end

Since the first line contains the do keyword, IRB doesn’t attempt to execute anything until it encounters the end keyword. Then it displays the result:

IRB session
=> ["Great White"]

Using IRB, you can test out bits of code to see how they’ll work before you incorporate them into your own programs. You can also use IRB to work with external libraries.

Using Libraries and Gems

You can import libraries into your IRB session using the require statement, just as you would in a Ruby program. These libraries can be things included in Ruby’s standard library, things you’ve written yourself, or gems, Ruby libraries distributed via Rubygems.org which you install using the gem command.

Ruby’s standard library includes modules for making web requests and fetching the results. You can use those in your IRB session exactly like you would in a Ruby program.

Use the require statement to import Net/HTTP from Ruby’s standard library. Enter the following line of code into your IRB session and press ENTER:

require 'net/http'

IRB indicates that this statement returns true, which tells you that the library was loaded successfully. Now type this code into IRB to make a request to icanhazip.com to fetch your external IP address:

uri = URI.parse("http://icanhazip.com")
response = Net::HTTP.get_response uri
response.body

As you enter each line, IRB shows you the return value, so you can debug each step:

IRB session
irb(main):010:0> uri = URI.parse("http://icanhazip.com") => #<URI::HTTP http://icanhazip.com> irb(main):011:0> response = Net::HTTP.get_response uri => #<Net::HTTPOK 200 OK readbody=true> irb(main):012:0> response.body => 203.0.113.52\n

If a library couldn’t be found, you’ll see a different response. Try importing the HTTParty library, which makes working with HTTP requests a little easier:

require 'httparty'

You’ll see this message:

IRB session
LoadError: cannot load such file -- httparty

This message tells you that the library you want isn’t available. HTTParty is distributed as a gem, so you’ll have to install it. Exit your IRB session with CTRL+D or type exit to return to your prompt. Then use the gem command to install the httparty gem:

  1. gem install httparty

Now launch irb again.

  1. irb

Try loading the module again. In your IRB session, type this code:

require 'httparty`

This time, IRB will display true, letting you know it was able to load the library. Enter this code into IRB to try it out:

response = HTTParty.get("http://icanhazip.com")
response.body

You’ll see the output printed to the screen:

IRB session
=> 203.0.113.52\n

Now let’s look at how to explore and test your own Ruby code with IRB.

Loading Your Code into IRB

If you start an IRB session and use the -r switch, you can specify libraries or gems you want to load when IRB starts. For example, irb -r httparty would launch an IRB session with the httparty gem already loaded, meaning you can skip the explicit require httparty statement.

However, you can also use this to load your own code into a new session, which is helpful when you want to explore it or test it out.

Exit your IRB session by typing exit or by pressing CTRL+D.

Create a new Ruby file called ip_grabber.rb which defines an IPGrabber object with a get method that, when provided a URL, will return the external IP address of the machine. You’ll use the HTTParty library to fetch the response from icanhazip.com. You would use this IPGrabber object in your own program to insulate your code from external changes; using your obect would let you switch out the underlying library and the site you use to resolve the IP address without having to change how the rest of your code works.

Add this code to the file to define the class:

ip_grabber.rb
require 'httparty'
class IPGrabber

def initialize()
@url = "http://icanhazip.com"
end

def get
response = HTTParty.get(@url)
response.body.chomp # remove the \n if it exists
end
end

Save the file and exit the editor.

Then launch IRB and load this file. Since it’s a local file rather than a gem or a built-in library, you have to specify a path. You also don’t need to specify the .rb extension of the file.

  1. irb -r ./ip_grabber

The IRB session loads, and you can start using this new object in your session like this:

ip = IPGrabber.new
ip.get

You’ll see this output:

IRB session
=> 203.0.113.52

By loading your own code into an IRB session, you can inspect code and work with your own libraries before incorporating them into a full program.

Now that you know how to work with code in an IRB session, let’s look at how to customize your IRB session.

Customizing IRB

You can create a configuration file called .irbrc that lets you customize your IRB session. You can then add support for autocompletion, indentation, and command history.

Create this file in your home directory:

  1. nano ~/.irbrc

First, configure autocompletion support in IRB. This will let you use the TAB key to autocomplete object, variable names, and method names in IRB:

~/.irbrc
require 'irb/completion'

Next, add support for saving your command history to an external file.

~/.irbrc
IRB.conf[:SAVE_HISTORY] = 1000

With this enabled, the last 1000 statements you type will be logged to the .irb_history file in your home directory.

In addition, when you open a new IRB session, your history will load automatically, and you can use the Up and Down arrow keys to move through these entries, or use CTRL+R to do a reverse search, just like you would in a Bash shell.

If you wanted to specify a different history file, add this to your configuration file:

~/.irbrc
IRB.conf[:HISTORY_FILE] = '~/your_history_filename'

Next, add this line to your configuration file to enable auto-indenting, which is handy when writing classes, methods, and blocks:

~/.irbrc
IRB.conf[:AUTO_INDENT] = true

Your configuration file can include any additional valid Ruby code, which means you could define helper methods or use require to load additional libraries. For example, to add a history helper to your IRB session which would show your history, add this code to .irbrc:

.irbrc
def history
history_array = Readline::HISTORY.to_a
print history_array.join("\n")
end

When you load your IRB session, type history to see your IRB history. You may have quite a bit, so you can alter the history command so it takes an optional number of lines to show. Replace the code for the history function with this code, which takes an optional argument called count and uses it to limit the entries it displays:

.irbrc

# history command
def history(count = 0)

# Get history into an array
history_array = Readline::HISTORY.to_a

# if count is > 0 we'll use it.
# otherwise set it to 0
count = count > 0 ? count : 0

if count > 0
from = history_array.length - count
history_array = history_array[from..-1]
end

print history_array.join("\n")
end

Save the file and start a new IRB session. Then type history 2 and you’ll see only the last two lines of your history.

While you can use .irbrc to load libraries you use frequently, remember that each library you load increases the load time of the IRB session, which can make it less pleasant to use. You’re often better off loading specific libaries manually with require statements.

Conclusion

IRB provides a place to experiment with Ruby code. It’s a great way to work out program logic before putting it in a file.

Now that you’re comfortable with IRB, you can use it to explore Ruby’s various data types by following these tutorials and using IRB to run the examples.

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about us


Tutorial Series: How To Code in Ruby

Ruby is a popular object-oriented programming language. You can use Ruby to write anything from simple scripts to complex web applications. Open your favorite text editor and follow these tutorials to start exploring Ruby.

About the authors

Still looking for an answer?

Ask a questionSearch for more help

Was this helpful?
 
1 Comments


This textbox defaults to using Markdown to format your answer.

You can type !ref in this text area to quickly search our full set of tutorials, documentation & marketplace offerings and insert the link!

Hi Brian, I have included in the ~/.irbrc file the code to restrict the lines of history that I want to see in my irb but when I type history 3 in irb, I get an error: NameError (undefined local variable or method `hist’ for main:Object) Did you mean? history It seems like I’m typing “history 3” in my irb prompt, but the prompt understands only hist. I am curious why this is happening. I am including the screenshot of my .irbrc file. Could you maybe give me a hint what’s wrong?

>> history 3
Traceback (most recent call last):
        6: from /Users/ewabarczykowska/.rbenv/versions/2.6.2/bin/irb:23:in `<main>'
        5: from /Users/ewabarczykowska/.rbenv/versions/2.6.2/bin/irb:23:in `load'
        4: from /Users/ewabarczykowska/.rbenv/versions/2.6.2/lib/ruby/gems/2.6.0/gems/irb-1.0.0/exe/irb:11:in `<top (required)>'
        3: from (irb):3
        2: from (irb):3:in `rescue in irb_binding'
        1: from /Users/ewabarczykowska/.irbrc:23:in `history'
NameError (undefined local variable or method `hist' for main:Object)

And my .irbrc file:

require 'irbtools/more'
require 'irb/completion'
require 'awesome_print'
require 'fancy_irb'

IRB.conf[:SAVE_HISTORY] = 1000
#adding support for saving your command history to an external file
#commented out not to print ALL history but only selected number of lines

IRB.conf[:AUTO_INDENT] = true
# history command, type history 2 and you will see the last 2 lines
#of your irb command history

def history(count = 0)
  # Get history into an array
  history_array = Readline::HISTORY.to_a

  # if count is > 0 we'll use it.
  # otherwise set it to 0
  count = count > 0 ? count : 0

  if count > 0
    from = hist.length - count
    history_array = history_array[from..-1]
  end

  print history_array.join("\n")
end

Try DigitalOcean for free

Click below to sign up and get $200 of credit to try our products over 60 days!

Sign up

Join the Tech Talk
Success! Thank you! Please check your email for further details.

Please complete your information!

Get our biweekly newsletter

Sign up for Infrastructure as a Newsletter.

Hollie's Hub for Good

Working on improving health and education, reducing inequality, and spurring economic growth? We'd like to help.

Become a contributor

Get paid to write technical tutorials and select a tech-focused charity to receive a matching donation.

Welcome to the developer cloud

DigitalOcean makes it simple to launch in the cloud and scale up as you grow — whether you're running one virtual machine or ten thousand.

Learn more
DigitalOcean Cloud Control Panel