DEV Community

Cover image for Using IPython Jupyter Magic commands to improve the notebook experience
Stefan Krawczyk
Stefan Krawczyk

Posted on

Using IPython Jupyter Magic commands to improve the notebook experience

Introduction

Jupyter Notebooks are commonplace in data science. They allow a mixture of “read, evaluate, print, [in a] loop” (REPL) code writing and documentation in a single place. They’re most commonly used for analysis and brainstorming purposes, but also, more contentiously, some prefer notebooks to scripts to run production code (but we won’t focus on that here).

Invariably, the code written in notebooks will be repetitive in some way such as setting up a database connection, displaying an output, saving results, interacting with an internal platform tool, etc. It’s best to store this code as functions and/or modules to make them reusable and more easily manage them.

However, the notebook experience is not always improved when you do that. For instance, you still need to import and call these functions throughout your notebook, which doesn’t change the notebook experience much at all. So what is the answer to augmenting the notebook development experience itself? IPython Jupyter Magic Commands.

IPython Jupyter Magic commands (e.g. lines in notebook cells starting with % or %%) can decorate a notebook cell, or line, to modify its behavior. Many are available by default, including %timeit to measure the execution time of the cell and %bash to execute shell commands, and others are provided by extensions such as %sql to write SQL queries directly in a cell of your notebook.

In this post, we’ll show how your team can turn any utility function(s) into reusable IPython Jupyter magics for a better notebook experience. As an example, we’ll use Hamilton, my open source library, to motivate the creation of a magic that facilitates better development ergonomics for using it. You needn’t know what Hamilton is to understand this post.

Note. Nowadays, there are many flavors of notebooks (Jupyter, VSCode, Databricks, etc.), but they’re all built on top of IPython. Therefore, the Magics developed should be reusable across environments.

Understanding IPython Jupyter Magics

IPython Jupyter Magics (which we’ll shorten to just Magics) are bits of code that can be dynamically loaded into your notebooks. They come in two flavors, line and cell magics.

Line magic, as it suggests, operates on a single line. That is, it only takes in as input what is specified on the same line. They are denoted by a single % in front of the command.

# will only time the first line
%time print(hello)
print(world)
Enter fullscreen mode Exit fullscreen mode

Cell magic, as it suggests, takes the entire contents of a cell. They are denoted by a double %% in front of the command.

# will time the entire cell
%%timeit
print(hello)
print(world)
Enter fullscreen mode Exit fullscreen mode

Jupyter comes with several in-built magic commands. You can think of them as “command line” tools that have access to the entire notebook context. This allows them to interact with the notebook output (e.g., printing results, displaying a PNG, rendering HTML), but also to modify the state of existing variables and write to other code and markdown cells!

This is great for developing internal tooling because it can abstract away and hide from the user unnecessary complexities, making the experience “magical”. This is a powerful tool to develop your own “platform efforts”, especially for MLOps and LLMOps purposes, as you can hide what is being integrated with from having to be exposed in the notebook. It therefore also means that notebooks don’t need to be updated if this abstracted code changes under-the-hood, since it can all be hidden in a python dependency upgrade.

Workflow example

Magic commands have the potential to make your workflow simpler and faster. For example, if you prefer to develop in a notebook before moving your code to a Python module, this can involve error-prone cutting & pasting. For this purpose, the magic %%writefile my_module.py will directly create a file and copy your cell content into it.

On the opposite hand, you might prefer developing in my_module.py in your IDE and then load it into a notebook to test your functions. This usually involves restarting the notebook kernel to refresh the module imports, which can be tedious. In that case, %autoreload will automatically reload every module imports before every cell execution, removing this friction point!

The Need for Custom Magic Commands

In the post How well-structured should your data code be?, it is argued that standardization/centralization/“platform” efforts, should change the shape of the “move quickly vs. built-to-last” trade-off curve for the better. A concrete tactic to change this trade-off is to implement better tooling. Better tooling should make what used to be complex, simpler and accessible. Which is exactly what you can achieve with your own custom Magic commands, which translates to less of a trade-off to be made.

A Hamilton Magic Command

For those unfamiliar with Hamilton we point readers to the many articles on it (e.g. origin story, ML pipeline reference, Production prompt engineering, etc.) as well as https://www.tryhamilton.dev/.

Hamilton is an open source tool that we created at Stitch Fix back in 2019. Hamilton helps data scientists and engineers define testable, modular, self-documenting dataflows, that encode lineage and metadata. Hamilton achieves these traits in part by requiring Python functions to be curated into modules.

Nonetheless, the typical Jupyter notebook usage pattern leads to code residing in the notebook and nowhere else posing a developer ergonomics challenge:

How can we enable someone to create Python modules easily and quickly from a notebook, while also improving the development experience?

The Hamilton developer loop looks like the following:

Hamilton Developer Loop
Hamilton development loop. Image by author.

Take a minute to read this loop. The loop shows that anytime a code change is made, the user would need to not only re-import the Python module, but also recreate the Driver object as well. Since notebooks allow cell execution in any order, it can become difficult for the user to track which version is loaded for each module and what is currently loaded in a Driver. This burden lies on the user and might require restarting the kernel, which would lose other computations (thankfully, Hamilton can be set up to execute complex dataflows and resume where you left-off…), which is less than ideal.

Here’s how we could improve this loop using Magics:

Create a “temporary” Python module from the functions defined in a cell, and import this new module directly in the notebook.

Automatically visualize the directed acyclic graph (DAG) defined by the functions to reduce visualization boilerplate code.

Rebuild all Hamilton Drivers found in the notebook with updated modules, saving the user time to have to remember to manually recreate drivers to pick up the change.

What we’re going to implement

We would like a command that looks like this:

%%cell_to_module -m my_module --display --rebuild-drivers

def my_func(some_input: str) -> str:
  """Some logic"""
  return ...
Enter fullscreen mode Exit fullscreen mode

And cause the following behavior after running the cell:

  • Create a module with the name my_module in the notebook.
  • Display the DAG constructed by the functions within the cell.
  • Rebuild any downstream drivers that used my_module in other cells, saving the user having to re-run those cells.

As you can see this is a non-trivial Magic command, since we’re adjusting output of the cell and state of the notebook.

Building a Custom Magic Command

Here we lay out step by step how to create a Magic Command. To avoid only showing a trivial “hello world” example, we’ll explain how we built Hamilton’s %%cell_to_module magic as well.

Step 1: Setting up your code

Create a new Python module where we’ll write the magic code and a jupyter notebook to try it. The name of this module (i.e., .py file) will be the name of the extension you’ll need to load.

If Jupyter notebook is installed, you have all the required Python dependencies already. Then, add libraries you will need for your Magic, in our case Hamilton (pip install sf-hamilton[visualization]).

Step 2: Define your Magic Command

To define a simple Magic command, you can use functions or objects (see these docs). For more complex Magics where state is needed, you will need the class approach. We’ll use the class based approach here. To start we need to import IPython modules/functions and then define a class that inherits magic.Magics. Each method decorated with @cell_magic or @line_magic defines a new magic, and the class can house however many of them.

To start, your code should look like this at a high level:

# my_magic.py

from IPython.core import magic
from IPython.core.magic_arguments import argument, magic_arguments, parse_argstring

@magic.magics_class
class MyMagic(magic.Magics):
   """Custom class you write"""

   @magic_arguments() # needs to be on top to enable parsing
   @argument(...)   
   @magic.cell_magic
   def a_cell_magic_command(self, line, cell):
      ...

   @magic_arguments() # needs to be on top to enable parsing
   @argument(...)   
   @magic.line_magic
   def a_line_magic_command(self, line):
     ...
Enter fullscreen mode Exit fullscreen mode

For stateful magic, it can be useful to add an __init__() method (i.e. constructor). It is not needed in our case.

By inheriting from magic.Magics, this class has access to several important fields including self.shell, which is the IPython InteractiveShell that underlies the notebook. Using it allows you to pull and introspect variables loaded in the active Jupyter notebook.

Our Hamilton Magic Command will start off looking like:

from IPython.core import magic
from IPython.core.magic_arguments import argument, magic_arguments, parse_argstring

@magic.magics_class
class HamiltonMagics(magic.Magics):
    """Magics to facilitate Hamilton development in Jupyter notebooks"""

  @magic_arguments()  # needed on top to enable parsing
  @arguments(...)
  @magics.cell_magic
  def cell_to_module(self, line, cell):
    ...
Enter fullscreen mode Exit fullscreen mode

Step 3: Parsing input arguments

Next, we specify what arguments will be passed and how to parse them. For each argument, add a @argument, and add a @magic_arguments() decorator on top. They follow a similar pattern to argparse arguments if you’re familiar, but they aren’t quite as fully featured. Within the function, you need to call the parse_argstring() function. It receives the function itself to read instructions from the decorators, and line (the one with % or %%) which contains the arguments values.

Our command would start to look like this:

   @magic_arguments() # needs to be on top to enable parsing
   # flag, long form, default value, help string.
   @argument("-a", "--argument", default="some_value", help="Some optional line argument")   
   @magic.cell_magic
   def a_cell_magic_command(self, line, cell):
       args = parse_argstring(self.a_cell_magic_command, line)

       if args.argument:
          # do stuff -- place your utility functions here
Enter fullscreen mode Exit fullscreen mode

Note, for required arguments, there is no facility in magic_arguments() for that, so you need to manually check in the body of the function for correctness, etc.

Continuing our dissection of the Hamilton Magic example, the method on the class now looks like the following; we use many optional arguments:

    @magic_arguments()  # needed on top to enable parsing
    @argument(
        "-m", "--module_name", help="Module name to provide. Default is jupyter_module."
    )  # keyword / optional arg
    @argument(
        "-c", "--config", help="JSON config, or variable name containing config to use."
    )  # keyword / optional arg
    @argument(
        "-r", "--rebuild-drivers", action="store_true", help="Flag to rebuild drivers"
    )  # Flag / optional arg
    @argument(
        "-d", "--display", action="store_true", help="Flag to visualize dataflow."
    )  # Flag / optional arg
    @argument(
        "-v", "--verbosity", type=int, default=1, help="0 to hide. 1 is normal, default"
    )  # keyword / optional arg
    @magics.cell_magic
    def cell_to_module(self, line, cell):
        """Execute the cell and dynamically create a Python module from its content.

        A Hamilton Driver is automatically instantiated with that module for variable `{MODULE_NAME}_dr`.

        > %%cell_to_module -m MODULE_NAME --display --rebuild-drivers

   Type in ?%%cell_to_module to see the arugments to this magic.

        """
        # specify how to parse by passing 
        args = parse_argstring(self.cell_to_module, line)  
        # now use args for logic
Enter fullscreen mode Exit fullscreen mode

Note, the extra arguments to @argument are useful for when someone uses ? to query what the magic does. I.e. ?%%cell_to_module will show documentation.

Step 4: Implement the Command’s Logic

Now that we have parsed the arguments, we can implement the logic of the magic command. There aren’t any particular constraints here and you can write any Python code. Skipping a generic example (you have enough to get started from the prior step), let’s dig into our Hamilton Magic example. For it, we want to use the arguments to determine the desired behavior for the command:

  1. Create the Python module with module_name.
  2. If —-rebuild-driver, rebuild the drivers, passing in verbosity.
  3. If —-config is present, get that ready.
  4. If —-display, display the DAG.

See comments in the code for explanations:

# we're in the bowels of def cell_to_module(self, line, cell):
# and we remove an indentation for readability
...
# specify how to parse by passing this method to the function 
args = parse_argstring(self.cell_to_module, line)

# we set a default value, else use the passed in value 
# for the module name.
if args.module_name is None:
    module_name = "jupyter_module"
else:
    module_name = args.module_name

# we determine whether the configuration is a variable
# in the notebook environment
# or if it's a JSON string that needs to be parsed.
display_config = {}
if args.config:
    if args.config in self.shell.user_ns:
        display_config = self.shell.user_ns[args.config]
else:
    if args.config.startswith("'") or args.config.startswith('"'):
        # strip quotes if present
        args.config = args.config[1:-1]
    try:
        display_config = json.loads(args.config)
    except json.JSONDecodeError:
        print("Failed to parse config as JSON. "
              "Please ensure it's a valid JSON string:")
        print(args.config)

# we create the python module (using a custom function)
module_object = create_module(cell, module_name)

# shell.push() assign a variable in the notebook. 
# The dictionary keys are the variable name
self.shell.push({module_name: module_object})

# Note: self.shell.user_ns is a dict of all variables in the notebook
# -- we pass that down via self.shell.
if args.rebuild_drivers:
    # rebuild drivers that use this module (custom function)
    rebuilt_drivers = rebuild_drivers(
        self.shell, module_name, module_object, 
        verbosity=args.verbosity
    )
    self.shell.user_ns.update(rebuilt_drivers)

# create a driver to display things for every cell with %%cell_to_module
dr = (
    driver.Builder()
    .with_modules(module_object)
    .with_config(display_config)
    .build()
)
self.shell.push({f"{module_name}_dr": dr})

if args.display:
    # return will go to the output cell. 
    # To display multiple elements, use IPython.display.display(
    # print("hello"), dr.display_all_functions(), ... )
    return dr.display_all_functions()
Enter fullscreen mode Exit fullscreen mode

Notice how we use self.shell. This allows us to update and inject variables into the notebook. The values returned by the function will be used as “cell output” (where you see printed values).

Step 5: Register your Magic Command

Lastly, we need to tell IPython and the notebook about the Magic Command. Our module where our Magic is defined must have the following function to register our Magic class, and be able to load our extension. If doing anything stateful, this is where you’d instantiate it.

Notice that the argument ipython here is the same InteractiveShell available through self.shell in the class method we defined.

def load_ipython_extension(ipython: InteractiveShell):
  """
  Any module file that define a function named `load_ipython_extension`
  can be loaded via `%load_ext module.path` or be configured to be
  autoloaded by IPython at startup time.
  """
  ipython.register_magics(MyMagic)
  ipython.register_magics(HamiltonMagics)
Enter fullscreen mode Exit fullscreen mode

See the full Hamilton Magic Command here.

Try it out

To load your magic in the notebook, try the following:

%load_ext my_magic

in the case of our Hamilton Magic we'd load it via:

%load_ext hamilton.plugins.jupyter_magic

While you’re developing, use this to reload your updated magic without having to restart the notebook kernel.

%reload_ext my_magic

You can then invoke the magic commands defined on a per line or cell basis. So for the Hamilton one we’d now be able to do:

?%%cell_to_module

Here’s an example use of it, with it injecting the visualization:

Example cell

Animated gif of adding functions and hitting enter to refresh the image
Animated gif of adding functions and hitting enter to refresh the image.

What you’d do next

In a real world use case, you would most likely version and package your magic likely into a library, that you can then manage easily in python environments as required. With the Hamilton Magic Command it’s packaged into the Hamilton library, and thus to get it, one need only install sf-hamilton and loading the magic command would become accessible in the notebook.

To close

In this post we showed you the steps required to create and load your own IPython Jupyter Magic Command. Hopefully you’re now thinking of the common cells/task/actions that you perform in a notebook setting, which could be enhanced/simplified/or even removed with the addition of a simple Magic!

To demonstrate a real-life example, we motivated and showed the internals of a Hamilton Magic Command to show a command that was built to improve the developer experience within a Jupyter notebook, by augmenting the output and changing internal state.

We hope that this post helps you get over the hump and create something more ergonomic and useful for you and your teams’ Jupyter Notebook experience.

Some other resources

  1. Built-in magic commands — IPython 8.21.0 documentation
  2. Defining custom magics — IPython 8.21.0 documentation
  3. 1.4. Creating an IPython extension with custom magic commands

Top comments (0)