18 Pipes | R for Data Science (2024)

You’re reading the first edition of R4DS; for the latest on this topic see the Workflow: style chapter in the second edition.

18.1 Introduction

Pipes are a powerful tool for clearly expressing a sequence of multiple operations. So far, you’ve been using them without knowing how they work, or what the alternatives are. Now, in this chapter, it’s time to explore the pipe in more detail. You’ll learn the alternatives to the pipe, when you shouldn’t use the pipe, and some useful related tools.

18.1.1 Prerequisites

The pipe, %>%, comes from the magrittr package by Stefan Milton Bache. Packages in the tidyverse load %>% for you automatically, so you don’t usually load magrittr explicitly. Here, however, we’re focussing on piping, and we aren’t loading any other packages, so we will load it explicitly.

18.2 Piping alternatives

The point of the pipe is to help you write code in a way that is easier to read and understand. To see why the pipe is so useful, we’re going to explore a number of ways of writing the same code. Let’s use code to tell a story about a little bunny named Foo Foo:

Little bunny Foo Foo
Went hopping through the forest
Scooping up the field mice
And bopping them on the head

This is a popular Children’s poem that is accompanied by hand actions.

We’ll start by defining an object to represent little bunny Foo Foo:

foo_foo <- little_bunny()

And we’ll use a function for each key verb: hop(), scoop(), and bop(). Using this object and these verbs, there are (at least) four ways we could retell the story in code:

  1. Save each intermediate step as a new object.
  2. Overwrite the original object many times.
  3. Compose functions.
  4. Use the pipe.

We’ll work through each approach, showing you the code and talking about the advantages and disadvantages.

18.2.1 Intermediate steps

The simplest approach is to save each step as a new object:

foo_foo_1 <- hop(foo_foo, through = forest)foo_foo_2 <- scoop(foo_foo_1, up = field_mice)foo_foo_3 <- bop(foo_foo_2, on = head)

The main downside of this form is that it forces you to name each intermediate element. If there are natural names, this is a good idea, and you should do it. But many times, like this in this example, there aren’t natural names, and you add numeric suffixes to make the names unique. That leads to two problems:

  1. The code is cluttered with unimportant names

  2. You have to carefully increment the suffix on each line.

Whenever I write code like this, I invariably use the wrong number on one line and then spend 10 minutes scratching my head and trying to figure out what went wrong with my code.

You may also worry that this form creates many copies of your data and takes up a lot of memory. Surprisingly, that’s not the case. First, note that proactively worrying about memory is not a useful way to spend your time: worry about it when it becomes a problem (i.e.you run out of memory), not before. Second, R isn’t stupid, and it will share columns across data frames, where possible. Let’s take a look at an actual data manipulation pipeline where we add a new column to ggplot2::diamonds:

diamonds <- ggplot2::diamondsdiamonds2 <- diamonds %>%  dplyr::mutate(price_per_carat = price / carat)pryr::object_size(diamonds)#> 3.46 MBpryr::object_size(diamonds2)#> 3.89 MBpryr::object_size(diamonds, diamonds2)#> 3.89 MB

pryr::object_size() gives the memory occupied by all of its arguments. The results seem counterintuitive at first:

  • diamonds takes up 3.46 MB,
  • diamonds2 takes up 3.89 MB,
  • diamonds and diamonds2 together take up 3.89 MB!

How can that work? Well, diamonds2 has 10 columns in common with diamonds: there’s no need to duplicate all that data, so the two data frames have variables in common. These variables will only get copied if you modify one of them. In the following example, we modify a single value in diamonds$carat. That means the carat variable can no longer be shared between the two data frames, and a copy must be made. The size of each data frame is unchanged, but the collective size increases:

diamonds$carat[1] <- NApryr::object_size(diamonds)#> 3.46 MBpryr::object_size(diamonds2)#> 3.89 MBpryr::object_size(diamonds, diamonds2)#> 4.32 MB

(Note that we use pryr::object_size() here, not the built-in object.size(). object.size() only takes a single object so it can’t compute how data is shared across multiple objects.)

18.2.2 Overwrite the original

Instead of creating intermediate objects at each step, we could overwrite the original object:

foo_foo <- hop(foo_foo, through = forest)foo_foo <- scoop(foo_foo, up = field_mice)foo_foo <- bop(foo_foo, on = head)

This is less typing (and less thinking), so you’re less likely to make mistakes. However, there are two problems:

  1. Debugging is painful: if you make a mistake you’ll need to re-run thecomplete pipeline from the beginning.

  2. The repetition of the object being transformed (we’ve written foo_foo sixtimes!) obscures what’s changing on each line.

18.2.3 Function composition

Another approach is to abandon assignment and just string the function calls together:

bop( scoop( hop(foo_foo, through = forest), up = field_mice ),  on = head)

Here the disadvantage is that you have to read from inside-out, from right-to-left, and that the arguments end up spread far apart (evocatively called thedagwood sandwhich problem). In short, this code is hard for a human to consume.

18.2.4 Use the pipe

Finally, we can use the pipe:

foo_foo %>% hop(through = forest) %>% scoop(up = field_mice) %>% bop(on = head)

This is my favourite form, because it focusses on verbs, not nouns. You can read this series of function compositions like it’s a set of imperative actions. Foo Foo hops, then scoops, then bops. The downside, of course, is that you need to be familiar with the pipe. If you’ve never seen %>% before, you’ll have no idea what this code does. Fortunately, most people pick up the idea very quickly, so when you share your code with others who aren’t familiar with the pipe, you can easily teach them.

The pipe works by performing a “lexical transformation”: behind the scenes, magrittr reassembles the code in the pipe to a form that works by overwriting an intermediate object. When you run a pipe like the one above, magrittr does something like this:

my_pipe <- function(.) { . <- hop(., through = forest) . <- scoop(., up = field_mice) bop(., on = head)}my_pipe(foo_foo)

This means that the pipe won’t work for two classes of functions:

  1. Functions that use the current environment. For example, assign()will create a new variable with the given name in the current environment:

    assign("x", 10)x#> [1] 10"x" %>% assign(100)x#> [1] 10

    The use of assign with the pipe does not work because it assigns it toa temporary environment used by %>%. If you do want to use assign with thepipe, you must be explicit about the environment:

    env <- environment()"x" %>% assign(100, envir = env)x#> [1] 100

    Other functions with this problem include get() and load().

  2. Functions that use lazy evaluation. In R, function argumentsare only computed when the function uses them, not prior to calling thefunction. The pipe computes each element in turn, so you can’trely on this behaviour.

    One place that this is a problem is tryCatch(), which lets you captureand handle errors:

    tryCatch(stop("!"), error = function(e) "An error")#> [1] "An error"stop("!") %>%  tryCatch(error = function(e) "An error")#> [1] "An error"

    There are a relatively wide class of functions with this behaviour,including try(), suppressMessages(), and suppressWarnings()in base R.

18.3 When not to use the pipe

The pipe is a powerful tool, but it’s not the only tool at your disposal, and it doesn’t solve every problem! Pipes are most useful for rewriting a fairly short linear sequence of operations. I think you should reach for another tool when:

  • Your pipes are longer than (say) ten steps. In that case, createintermediate objects with meaningful names. That will make debugging easier,because you can more easily check the intermediate results, and it makesit easier to understand your code, because the variable names can helpcommunicate intent.

  • You have multiple inputs or outputs. If there isn’t one primary objectbeing transformed, but two or more objects being combined together,don’t use the pipe.

  • You are starting to think about a directed graph with a complexdependency structure. Pipes are fundamentally linear and expressingcomplex relationships with them will typically yield confusing code.

18 Pipes | R for Data Science (2024)
Top Articles
Latest Posts
Article information

Author: Sen. Emmett Berge

Last Updated:

Views: 6035

Rating: 5 / 5 (60 voted)

Reviews: 91% of readers found this page helpful

Author information

Name: Sen. Emmett Berge

Birthday: 1993-06-17

Address: 787 Elvis Divide, Port Brice, OH 24507-6802

Phone: +9779049645255

Job: Senior Healthcare Specialist

Hobby: Cycling, Model building, Kitesurfing, Origami, Lapidary, Dance, Basketball

Introduction: My name is Sen. Emmett Berge, I am a funny, vast, charming, courageous, enthusiastic, jolly, famous person who loves writing and wants to share my knowledge and understanding with you.