Skip to main content

Raising a Figure Window to the Foreground

This post describes a utility function that will raise a plot window to the foreground of your screen. The function will only work with the Qt graphics backend, so I will start with a brief overview of graphics backends. If you just want to use the function as a black box, you can do the following:

  1. Set the Graphics Backend to “Qt” in the Spyder preferences menu.
  2. Copy this function into your working directory.

Graphics Backends

You may have have written a script to produce precisely the data you need, but a lot of processing is required to transform these numbers into a figure. You need to create a plot window, draw a figure inside of it, and manage all of the attributes that control a figure’s appearance: title, axis labels, line widths, colors, tick marks, etc. All of this happens in the background when you type a command like plt.plot(x,y). A graphics backend is the software that Python uses to physically draw a figure on your computer screen.

If you have already imported PyPlot, you can see which backend you are currently using:

plt.get_backend()

There are many backends available. You can get a list of those available for your Python environment as follows:

import matplotlib
matplotlib.rcsetup.all_backends

My installation lists 23 available backends. Many of these have cryptic names like “TkAgg” or “Qt5Agg”. These names describe the software packages used to create Python libraries for displaying windows. (See Qt, Tk, or Agg, for instance.) If you are working from the command line (outside of Spyder), you can select an available backend by typing

matplotlib.use(backend name)

before you import PyPlot. If you have already imported PyPlot, this command will have no effect.

In Spyder, you must select a backend from the Preferences menu: Preferences > IPython > Graphics. There is a button with a drop-down menu that allows you to select a graphics backend. You must reset the kernel or restart Spyder for the change to take effect.

In my installation of Spyder, the Preferences menu allows me to select among 5 options: Inline, Automatic, Mac OSX, Tkinter, and Qt.

Each of these has its own strengths and weaknesses. “Inline” is fast, but it does not allow you to interact with the plots you create. “Mac OSX” allows me to use OS X shortcut keys like <Cmd-~> to cycle through open plot windows and <Cmd-W> to close the current plot window. “Tkinter” is an extremely clean and simple graphical user interface (GUI). (You can use Tkinter to develop your own widgets — GUI’s for scripts you write — but that is a topic for another post …) However, the “Qt” backend offers two useful features not present in the other backends:

  1. Interactive plot menu: When you create a plot, you can access an interactive menu to adjust line properties, axis properties, range, and labels.
  2. A window manager that allows you to bring the plot window to the foreground.

The interactive plot menu is nice when the figure you have created is almost perfect. You can do a few minor modifications without having to run a plotting script again. (It can be frustrating to wait for Python to redraw a complex figure when you only want to change the size of the title font!)

The window manager is useful if your installation of Spyder — like mine — tends to create new figure windows in the background where you cannot see them. Instead of minimizing Spyder and whatever other applications you have open, you can type a command at the IPython prompt to bring the figure to the foreground.

Sending a Window to the Foreground

To see how this works, start a new IPython session using the Qt backend. (Remember: If you are using Spyder, you must set this in the Preferences menu. If you are working from the command line, you must set the backend before you import PyPlot.)

import matplotlib
matplotlib.use('Qt5Agg')

import numpy as np
import matplotlib.pyplot as plt

Now, generate some data, create a figure with a name, and plot the data.

x = np.linspace(-1,1,101)
y = x**3 - x

plt.figure('cubic')
plt.plot(x, y, 'r', lw=3)

When you create a figure, the Qt backend creates a figure manager, an object that can draw and print the figure to the screen and manipulate the figure window. To gain control of the figure manager in our example, type

cfm = plt.get_current_fig_manager('cubic')

One of the objects associated with a figure manager created by the Qt backend is called window. It is essentially the object that controls the window used by your operating system to display the figure you have drawn. Using two of the window object’s methods, we can raise the plot window to the foreground from the command line:

cfm.window.activateWindow()
cfm.window.raise_()

Your figure window should have come to the foreground of your screen when you executed these commands.

A Utility Function

If you find this useful, you may wish to save typing in the future and combine all of these commands into a single function:

def raise_window(figname=None):
    """
    Raise the plot window for Figure figname to the foreground.  If no argument
    is given, raise the current figure.

    This function will only work with a Qt graphics backend.  It assumes you
    have already executed the command 'import matplotlib.pyplot as plt'.
    """

    if figname: plt.figure(figname)
    cfm = plt.get_current_fig_manager()
    cfm.window.activateWindow()
    cfm.window.raise_()

Save this function in a script or module in your working directory and import it whenever you wish to use it. After creating a plot, you can raise the figure to the foreground with a single command:

plt.figure('quartic')
plt.plot(x, x**4 - x**2, 'b', lw=3)
raise_window('quartic')

If you don’t give your figures names as you create them, you can refer to them by number as well.

Tk Backend

You can accomplish the same task of raising a window using the “Tk” backend. Use the following commands:

plt.plot(x,y)

cfm = plt.get_current_fig_manager()
cfm.window.attributes('-topmost', True)

This will fix the plot window in the foreground until you close it. To allow other application windows to rise to the top of the screen as you access them, type

cfm.window.attributes('-topmost', False)

This will leave the plot window in the foreground until you click on another application.

You can bundle these commands into a utility function as well:

def raise_window(figname=None):
    """
    Raise the plot window for Figure figname to the foreground.  If no argument
    is given, raise the current figure.

    This function will only work with a Tk graphics backend.  It assumes you
    have already executed the command 'import matplotlib.pyplot as plt'.
    """

    if figname: plt.figure(figname)
    cfm = plt.get_current_fig_manager()
    cfm.window.attributes('-topmost', True)
    cfm.window.attributes('-topmost', False)
    return cfm

After creating a plot, you can raise the figure to the foreground (if you are using a Tk backend, such as “TkAgg”) with a single command:

plt.figure('quartic')
plt.plot(x, x**4 - x**2, 'b', lw=3)
raise_window('quartic')

Again, if you don’t give your figures names as you create them, you can refer to them by number as well.

Comments

Unknown said…
Thanks for this! Having the plot windows appear in the background on OSX drives me nuts.

Note that these solutions only work using the interactive mode of matplotlib. Otherwise, when you execute plt.show() to display the figure window it blocks execution preventing manipulation of the window manager. And if you raise the window using the figure manager (or set the -topmost attribute) prior to executing show() it doesn't have the desired effect. I haven't found a solution that makes the plot window appear in the foreground with interactive mode off.
Jesse said…
I'm glad the post was helpful!

Thanks for pointing out the importance of interactive mode. For readers who may not be aware of this setting, Spyder uses interactive mode by default. The default in most command-line Python interpreters is non-interactive mode. You can turn interactive mode on with "plt.ion()" and turn it off with "plt.ioff()".
Coastal0 said…
Thanks. Even two years later, this post is still incredibly helpful.
Tom English said…
Thanks, Jesse. It's worth noting that raise_window works when the number of a figure is supplied as `figname`, e.g.,

raise_window(self.fig.number)

where self.fig is bound to a figure.

Popular posts from this blog

Paths in Python

How do you get your Python interpreter to find modules that are not located in your current working directory? The answer is … you tell it where to look. When you type something like from my_module import my_function Python searches a collection of directories (i.e., folders) on your computer. If the directory containing <my_module.py> is not in this collection, you will receive an ImportError . This can be frustrating if you know the file exists, and even more so if you know where it exists. In this post, we will take a brief look at how to add paths to the collection of directories searched by Python. Paths A path is essentially a set of directions to a file: /Users/username/modules/my_module.py [Mac OS X, Linux] C:\modules\my_module.py [Windows] It tells your operating system how to navigate from a fixed starting point — the “root directory” / in Unix-based systems, or C:\ in Windows — through a collection of folders to the de

Illuminating Surface Plots

Matplotlib provides functions for visualizing three-dimensional data sets. One useful tool is a surface plot. A surface plot is a two-dimensional projection of a three-dimensional object. Much like a sketch artist, Python uses techniques like perspective and shading to give the illusion of a three-dimensional object in space. In this post, I describe how you can control the lighting of a surface plot. Surface Plots First, let’s look at some of the options available with the default three-dimensional plotting tools. This script will create a surface plot of a Bessel function. Its ripples will emphasize the effects of lighting later. import numpy as np import matplotlib.pyplot as plt from mpl_toolkits.mplot3d import Axes3D # Import 3D plotting tools. from scipy.special import jn # Import Bessel function. # Define grid of points. points = np.linspace(-10, 10, 51) X, Y = np.meshgrid(points, points) R = np.sqrt(X**2 + Y**2) Z = jn(0,R) # Create 3D surface plo