EECS 280 Tutorials

Debugging Guide

There are two fundamental components to debugging:

  1. Form hypotheses about the specific cause of a bug
  2. Use debugging tools and strategies to investigate those hypotheses

This guide focuses on effective strategies for point 2 above, in particular through the use of a debugger, which allows you to pause your program’s execution at key points and inspect the state of objects in memory.

We also show several real examples drawn from course projects in EECS 280. In some of the cases, we’ve blurred out parts of screenshots where we ran the debugger on our instructor solution. We’ll also note that the screenshots are of the VS Code visual debugger, but debuggers in other IDEs are quite similar.

Setup

If you need to get your debugger set up for the first time and configured to run your code, check out one of our IDE tutorials for instructions.

VS Code Visual Studio Xcode Emacs

Inspect Program State

A fundamental part of debugging is simply getting more information about what exactly your program is doing.

Local Variables

Use the variables panel to inspect the values of variables while your debugger is paused. In many debuggers, you can also hover your mouse over a variable in the source code to see its current value.

Let’s say I’m working on the Euchre project - there’s a lot of information to keep track of during the card game. I’d like to check that everything seems in order after the cards are dealt and the players have finished making.

When the debugger pauses at my breakpoint, we can see the value of local variables:

You can see some variables directly. For example, trump is currently "Hearts".

Variables may contain “memory junk”. i is currently -11632. That’s expected in this case, because we just haven’t run the line int i=0; quite yet. In other cases, bogus values might indicate a bug!

Expand Complex Variables

You can click to expand more complex variables like pointers, arrays, or classes to inspect their contents. Below, I’ve expanded the leader variable to see the Player it is pointing to, then also expanded the cards array to take a look at their current hand.

Heads up! You may need to configure your debugger to ensure full information is shown for polymorphic objects through pointers. In the example above, the leader variable is a Player* pointing to a SimplePlayer object. By default, the debugger may only show the base class Player data.

To fix this in VS Code, run -exec set print object on from the debug console, or add the following to the setupCommands in your launch.json configuration:

  "setupCommands": [
      ...
      {
        "description": "Print polymorphic objects according to dynamic type",
        "text": "set print object on"
      }
      ...
  ]

Member Functions and this

In member functions, you can also open up the this pointer. In our Euchre example, we’d see member variables from the current Game class instance:

The Call Stack

The debugger allows you to inspect any function currently on the call stack, starting from your current function all the way back to main().

When the debugger is paused, it shows stack frames for all functions currently executing on the call stack. You can click on each to inspect its local variables just as you can with the current function.

It’s often necessary to take a look at the calling context for your current function, for example to understand why a function was originally called in the first place, or why the inputs passed in to it may be invalid.

For example, consider this crash within the Card::is_right_bower() function from our Euchre project.

Evidently, something is very wrong with the current Card object. The debugger is not even able to access its rank or suit member variables to show us their values.

We don’t have enough information here to determine the problem, so let’s click on the stack frame for Card_less(), which is the function that called Card::is_right_bower(). Now we can see the code and local variables for Card_less(), including the fact that the specific call that crashed was b.is_right_bower(trump):

That’s not quite enough information, though. Evidently the card b is invalid, but that was a parameter to Card_less(). Let’s keep looking for more context by again clicking the stack frame for Simple::play_card().

Here we finally have the information we need. We see that the parameter for b in this call to Card_less() was hand[lowest_card_index], and we can also take a look at the variables window to see that lowest_card_index has a value of 1431823952. This is where the bad card came from originally, which ultimately resulted in the crash deeper in Card::is_right_bower().

Evaluate Expressions

Use the debug console to evaluate expressions while your debugger is paused.

Let’s say I’m working on a project involving matrices and I get a segfault from dereferencing ptr in my Matrix_max() function below. My debugger pauses when the segfault occurs.

I can see ptr holds the address 0x55555586e000 and size is 25 in the variables window.

But, I don’t know how far ptr is from the beginning of the array. For this, I enter ptr - mat->data at the debug console.

The debugger evaluates that pointer subtraction for me, which confirms that the pointer is far out of bounds.

That suggests the loop is effectively infinite, and only stops when the pointer travels far enough to segfault. Looking back at my code (see above), I find that the loop condition ptr < ptr + size is incorrect.

You can enter almost any valid C++ expression at the debug console - even function calls! Take a look below - we’ve called Matrix_print() from the debug console and the result shows at the terminal.

Debug Logging

In some situations, logging additional output via print statements may be more efficient than manually stepping line-by-line with a debugger. For example, debugging a loop across many iterations or generating verbose output for quick inspection.

Tip: When adding print statements to log debug info:

Let’s say I’m getting the wrong output in my Euchre program, evidenced by the diff check below. The players are playing the right cards, but the wrong person takes the trick.

I’ve also identified the relevant portion of my code:

I might be tempted to dive in with my debugger, but it will take a while to step to the right place (especially if the first mismatch was even farther into the game). I could also get a bit lost trying to manually walk through the card comparisons one-at-a-time.

We could get the same information quickly with some debug printouts:

Then, scan the output for the relevant portion:

The Queen of Clubs is chosen to beat out the Ten of Diamonds, which is wrong. The Ten of Diamonds is better because diamonds is the led suit. Ah ha - we may notice that the wrong version of Card_less() is used in the code above, which doesn’t consider the led suit.

Diagnose Crashes

You can use a debugger to assess the cause of a crash or runtime error, including:

Basically, if your code is doing something bad:

  1. Run through the debugger. No breakpoints needed.
  2. The debugger pauses when the error occurs.
  3. You look at local variables, the call stack, etc. to diagnose the issue

Here’s several examples:

Crash in My Code

I’ve just finished part of the Euchre project and want to run my own Player_tests.exe via the terminal:

$ ./Player_tests.exe
Running test: test_get_name
Segmentation fault

My code crashed with a segmentation fault, but I don’t know much else.

Let’s run in a debugger and let it crash there. No need to set any breakpoints.

From the above, we can quickly see the line where the segfault occurs. We also observe that p1->get_name() crashes because p1 is 0x0 (a null pointer), as seen in the variables panel. Ah ha - we just mistyped p1 on this line instead of p2.

Sometimes you might also need to explore the call stack to determine the cause of the crash.

Crash in Library/System Code

Sometimes a crash occurs in library code that your program uses, but that you didn’t write.

For example, the debugger might show you a crash in code from the standard library, which is often very difficult to read:

Or, the debugger might choose to show you the compiled assembly code where the crash occurred:

There are also some implicitly defined functions that don’t literally appear in your source code (e.g. a built-in copy constructor or assignment operator). For a crash in any of these functions, the debugger may just show you the first line of the class:

Tracing Back to Your Code
To diagnose crashes where the debugger initially shows you library code, you need to find the nearest part of your code that ultimately called the library functions.

Let’s consider again the case of a crash in an implicitly-defined function. The debugger first just shows us the top line of the class definition, since there’s no code to show for implicitly-defined functions.

In this case, check the call stack. First, observe that the segfault did occur in an implicitly-defined function, the built-in Card::operator= assignment operator for copying a Card.

Now, click the next stack frame below to see the where that operator was used. It was in our Pack constructor. Taking a look at the calling stack frame(s) allows me to see where the problem originated and is generally sufficient to figure out what part of my code was responsible for causing the implicitly-defined function to crash. In the picture below, we can see that an (obviously) incorrect loop is attempting to copy Cards to out-of-bounds array elements.

Breakpoints

Basic Usage

A breakpoint pauses the program whenever it reaches a certain line.

For example, if you’re running the main driver for a statistics project and your dataset summary doesn’t print out correctly, you might want to pause the program after the summary has been calculated but before printing it out.

To set a breakpoint, click to the left of a line as shown. A red dot appears to indicate the breakpoint on that line. (You can click again to unset it.)

Now, when I run the program via my debugger, it pauses just before running that line. That is, the highlighted line is up next, but has not run yet.

Now, I can inspect the summary variable and see if my summarize() function was returning the right result.

If your debugger isn’t respecting your breakpoints or the lines where it pauses don’t seem to match your source code:

Conditional Breakpoints

Use a conditional breakpoint to pause the program only if a given condition is true.

Consider a case where I’m debugging my Euchre program, but I find that the first mismatch in output (see the diff below) occurs pretty far into the game - in the making trump phase of hand 3, Edsger passes but should have ordered up Spades.

It would be quite tedious to use the debugger navigation controls to step to this point manually. Instead, let’s modify our code for making trump so that it will trigger a breakpoint only when it’s Edsger’s turn to order up in hand 3:

In the code above, we’ve done three things:

  1. Add an if branch to our code that checks for the condition where we’d like to pause.
  2. Put an asm("nop"); line inside the if. This is an assembly code instruction for “no operation”, which does nothing at runtime. It’s just a placeholder so that we can…
  3. Set a breakpoint on the line inside the if. Now the debugger will pause exactly when we want it to!

Of course, make sure to eventually remove or comment out the extra code once you’re finished debugging.

Your debugger may also support “conditional breakpoints” by allowing you to attach a condition when you create a breakpoint (i.e. without changing the code itself). However, the conditions you may specify this way are generally quite limited and will not always work as you expect. For this reason, we recommend the approach above.

Basic Controls

While the debugger is paused, it highlights the line of code that is up next, but has not run yet. At this point, you have a number of options to continue the execution of your program.

Most debuggers support the following navigation controls:

Step Over
Run one line of code, stepping over any function calls by running the whole function in one step.

Step Into
Run one line of code, stepping into any function calls to execute them line-by-line.

Step Out
Run the program until it returns from the current function (or until the next breakpoint).

Continue
Run the program until the next breakpoint.

Restart
Restart the currently running program in the debugger.

Stop
Exit the debugger.

Strategies

Here’s a few high-level strategies for navigating effectively when debugging your code.

Step Over and Check

If you’re not sure whether a function is correct, use step over to run it and then inspect its results in the debugger to see if it worked. (You can restart and come back to step into the function if it wasn’t correct.)

When the next line of code contains a function call, you need to decide whether to step into the function or go ahead and step over the whole thing. It’s tempting to step in so you can see all the details, but that may be a waste of time if the function isn’t actually broken!

For example, consider the Euchre program. Assume we’ve discovered that players are not making the right decision during the making phase. The players choose whether to order up based on the cards they have, which also depends on how the pack of cards was shuffled and how cards were dealt to each player.

Let’s say you’ve got your debugger paused before the relevant helper functions for each of those steps:

Should we step into shuffle_pack()? Or should we step over that and then step into deal()? Probably not… yet. Instead, it would be better to step over both of these and use the debugger to check what cards the players now have in their hands. If those cards are correct, the bug must be in make_trump() and we’ve saved ourselves a lot of time that would have been wasted stepping through the first two functions. Or, if the cards are incorrect, we can restart the debugger and investigate more closely.

Continue-To-Breakpoint

To move quickly through a large portion of code, set a breakpoint at your next destination and then use the continue command.

Breakpoints are not only used to tell the debugger where to stop initially. You can add/remove them while the debugger is running. This is particularly useful for quick navigation over several lines or looping constructs that would otherwise take a long time to step through line-by-line.

Here’s an example. In the code below, let’s say my debugger is paused on line 302. Looking ahead, I’d like to investigate what happens when my Euchre players either lead or play cards. Instead of stepping through the intervening lines one-at-a-time with step into or step over, I’ll set breakpoints on the lines that interest me (310 and 319) and use continue to hop from one breakpoint to another.

Step In + Step Out

If step into takes you into a function you didn’t intend to explore, you can immediately step out and move on.

When you have multiple function calls on one line, step into will take you to the first one that is executed. Sometimes that’s not what you want. For example, consider this line of code:

player->add_card(pack.deal_one());

Step into will take us into the deal_one() implementation. If we instead wanted to investigate add_card(), we can just step out of deal_one() and then run step into again.

Sometimes step into may also take you into a function that you didn’t necessarily expect but that is technically present. For example, a copy constructor used implicitly to pass a parameter. In these cases, again, you can just step out and then try step in again.

Just My Code (Visual Studio)

Enable Just My Code in Visual Studio so that the debugger will skip over standard library code.

In general, it’s not very useful for the debugger to step line-by-line through functions from the standard library. You can presume these functions are correct, so there’s no need to go bug hunting in there. The code is also terribly hard to read.

Unfortunately, this feature is not supported in XCode or VS Code.

Acknowledgments

Original document written by James Juett jjuett@umich.edu.

This document is licensed under a Creative Commons Attribution-NonCommercial 4.0 License. You’re free to copy and share this document, but not to sell it. You may not share source code provided with this document.