Home > Articles > Operating Systems, Server > Linux/UNIX/Open Source

Advanced Debugging in the Linux Environment

In "Advanced Debugging in the Linux Environment" (a play on words from the book Advanced Programming in the UNIX Environment), Stephen Rago describes some of the free tools available for the Linux operating system to help you debug your programs. You will learn about some very effective tools (systemtap, strace, valgrind, gdb) and how to effectively employ them in real-world scenarios.
Like this article? We recommend

Tracing is an important debugging technique, especially with nontrivial applications, because it often isn’t clear how our programs interact with the operating system environment. For example, when you’re developing a C program, it is common to add printf statements to your program to trace its execution. This approach is the most basic of debugging techniques, but it has several drawbacks: You need to modify and recompile your program, you might need to do so repeatedly as you gain more information about what your program is doing, and you can’t put printf statements in functions belonging to libraries for which you don’t have source code. The Linux operating system provides more powerful tools that make debugging easier and can overcome these limitations. This article provides a survey of these tools.

We’ll start with a simple C program and see how some of these tools can help find bugs in the program. The program shown in Listing 1 includes three bugs, all marked by comments.

Editor's Note: All of the code listings are available for download as a text file.

Listing 1 - Simple program to reorder lines

#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <string.h>

#define BSZ 128 	/* input buffer size */
#define MAXLINE 100000 	/* lines stored */
char *lines[MAXLINE];
char buf[32];	/* BUG FIX #2: change 32 to BSZ */
int nlines;

char *
append(const char *str1, const char *str2)
{
	int n = strlen(str1) + strlen(str2) + 1;
	char *p = malloc(n);

	if (p != NULL) {
		strcpy(p, str1);
		strcat(p, str2);
	}
	return(p);
}

void
printrandom()
{
	long idx = random() % nlines;
	fputs(lines[idx], stdout);
/* 	free(lines[idx]); 	BUG FIX #3: add this line */
	lines[idx] = lines[--nlines];
}

int
main()
{
	int n, doappend;
	char *str, *ostr;

	close(0);	 /* BUG FIX #1: remove this line */
	srandom(time(NULL));
	nlines = 0;
	doappend = 0;
	str = NULL;
	while (fgets(buf, BSZ, stdin) != NULL) {
		n = strlen(buf);
		if (n == BSZ-1 && buf[BSZ-2] != '\n')
			doappend = 1;
		else
			doappend = 0;
		if (str != NULL) {
			ostr = str;
			str = append(ostr, buf);
			while (str == NULL) {
				printrandom();
				str = append(ostr, buf);
			}
			free(ostr);
		} else {
			str = strdup(buf);
			while (str == NULL) {
				printrandom();
				str = strdup(buf);
			}
		}
		if (!doappend) {
			if (nlines == MAXLINE)
				printrandom();
		lines[nlines++] = str;
		str = NULL;
		}
	}
	while (nlines != 0)
		printrandom();
	exit(0);
}

The test program, called reorder, is a simple command that reads lines from standard input and outputs them in a random order. The first function, append, concatenates two strings passed to it. It differs from strcat in that the buffer corresponding to the first argument is not modified; instead, append allocates a new memory buffer to hold the resulting string and returns this to the caller.

The second function, printrandom, prints a random line that was copied from the standard input. After writing the string on the standard output, it moves the last string in the array to the location previously occupied by the one just printed, and decrements the count of saved strings. As you can see, there’s a memory leak here, because we should free the memory for the string printed before overwriting its pointer, but we’ll get to this shortly.

The main function is basically one big loop that reads a line from standard input and saves the string in an array. We use a temporary buffer to read the input and then copy the string using strdup. If the input string is longer than our temporary buffer, we need to continue reading more and appending new input to the end of the string until we find an input string terminated by a newline.

If we run out of memory or our array is full, we call printrandom to print a string from a random location in the array and free up space in the array. In the former case, we might need to call printrandom multiple times until enough space is freed. When we no longer have any input to read, we print out all of the saved lines in a random order.

strace

The first bug is somewhat contrived, but it illustrates the usefulness of the strace tool. When we run the program, as in

./reorder <file

it produces no output. We can gain some insight into what is happening by using the strace command. The beauty of strace is that it doesn’t require you to compile your program with debugging enabled, nor does it require access to the source code. The catch is that it only traces system calls and signals; if your program doesn’t make system calls and doesn’t receive any signals, then strace won’t help.

Listing 2 shows the abbreviated output of

strace ./reorder <file

(We removed the system calls involved with loading shared libraries when starting the binary.) It is easy to see that reading from standard input fails because the file descriptor is closed (the EBADF error indicates we used an invalid file descriptor). To fix the bug, we need to check our test program for calls to close or for calls to functions that might have a side-effect of closing file descriptor 0.

Listing 2 - Output from strace

execve("./reorder", ["./reorder"], [/* 37 vars */]) = 0
... (shared library access lined elided)
close(0)				=0
fstat(0, 0x7fff9e553e80)	= -1 EBADF (Bad file descriptor)
read(0, 0x7fe8e866e000, 8192)		= -1 EBADF (Bad file descriptor)
exit_group(0) 				= ?

strace has options that, among other things, allow it to trace child processes, trace processes that are already running, and save output to a file. The strace command is the Linux version of the System V UNIX truss command [7] that is based on /proc, the process file system [9] that originated in the Eighth Edition Research UNIX System.

gdb

If the input file contains a line longer than 32 characters, we can trigger the second bug, which results in the program receiving a SIGSEGV signal. We can observe this behavior with strace, but we can’t get much more information other than that the signal occurred, because the signal wasn’t generated as part of a system call. With gdb, the GNU debugger [1, 8], however, we can find out what was executed when the signal occurred and inspect the memory image of the process.

We can either run the program, allow the system to generate a core file (an image of the process state at the time of the error), and do a postmortem analysis of the file using gdb, or we can run the program under the control of gdb, which gives us the ability to do live debugging by setting breakpoints, and the like. (We can also attach gdb to a running process by using the -p option, but this won’t help in this example.) Listing 3 shows the situation where we run the program under the control of gdb. In this case, our input file contains a line with more than 380 characters.

As shown in Listing 3, we were executing the line in the program where the input string is stored in the lines array. Because we compiled the test program with the -g option, it contains debugging information and the symbol table, so we can print the value of nlines. The debugger tells us that the value of nlines is ridiculously large (our program only supports 100,000 strings).

Listing 3 - Output from gdb

 (gdb) run <in.long
Starting program: /home/sar/test/reorder <in.long

Program received signal SIGSEGV, Segmentation fault.
0x0000000000400a9d in main () at reorder.c:69
69 			lines[nlines++] = str;
(gdb) print nlines
$1 = 943142453
(gdb) x/4c &nlines
0x6010c0 <nlines>:      53 '5' 54 '6' 55 '7' 56 '8'
(gdb) x/40c buf
0x6010a0 <buf>: 10 '\n' 0 '\000' 53 '5' 54 '6' 55 '7' 56 '8' 57 '9' 48 '0'
0x6010a8 <buf+8>:	49 '1' 50 '2' 51 '3' 52 '4' 53 '5' 54 '6' 55 '7' 56 '8'
0x6010b0 <buf+16>:	57 '9' 48 '0' 49 '1' 50 '2' 51 '3' 52 '4' 53 '5' 54 '6'
0x6010b8 <buf+24>:	55 '7' 56 '8' 57 '9' 48 '0' 49 '1' 50 '2' 51 '3' 52 '4'
0x6010c0 <nlines>:	53 '5' 54 '6' 55 '7' 56 '8' 57 '9' 48 '0' 49 '1' 50 '2'

We can use the "x" command to examine memory locations. If we display the value of the nlines variable in character format, we see that it contains ASCII numbers. It is no coincidence that our long input file line is composed mostly of ASCII numbers. If we then use the "x" command to dump the contents of memory starting at our buffer where we accumulate input, we can see that the input wrote past the end of the buffer, and overwrote the nlines variable. We got the signal when we tried to use the corrupted value of nlines as an index into our array, and subsequently referenced an invalid memory location.

The bug is that we read an amount larger than our buffer size. We can fix this by changing the dimension of the buf array to be BSZ instead of 32, thereby matching the maximum number of bytes we tell fgets it should return.

valgrind

With small input files, the program might work properly. But when we supply a huge input file, the program might run out of memory prematurely. Many programs would fail in this case, but ours would merely begin to generate output before we’ve read all of the input lines. Although the program still works in this case, the randomness of the output will be diminished, because we’ll have a smaller set of lines from which to select when choosing a line to print.

Even though our program leaks memory, we might not notice unless the circumstances are just right, because the program would appear to work in most cases. We can use the valgrind tool [2, 10, 11] to verify that our use of dynamically-allocated memory is correct. The valgrind tool replaces the malloc and free family of functions with ones that do extensive error checking. When we run

valgrind ./reorder <file

it produces output similar to that shown in Listing 4. The valgrind tool tells us that we leaked memory, but it can’t tell us where the leak occurred. It can only tell us when we allocated the memory that was never freed. In this case, the memory was allocated when we called strdup to create the string that was stored in the lines array. To find out where the leak is, we need to inspect the program to see if there are any places where entries in the lines array are lost. We modify the lines array in only two places: in main when we add a new string to the end of the array, and in printrandom when we move a string from the end of the array into the slot just printed. The bug is in the latter case, because we should free the memory holding the string when we evict it from the array.

Listing 4 - Output from valgrind

==5129== Memcheck, a memory error detector
==5129== Copyright (C) 2002-2011, and GNU GPL'd, by Julian Seward et al.
==5129== Using Valgrind-3.7.0 and LibVEX; rerun with -h for copyright info
==5129== Command: ./reorder
==5129==
==5129==
==5129== HEAP SUMMARY:
==5129==	  in use at exit: 81 bytes in 10 blocks
==5129==	total heap usage: 10 allocs, 0 frees, 81 bytes allocated
==5129==
==5129== 32 bytes in 4 blocks are definitely lost in loss record 1 of 2
==5129==	 at 0x4C2B6CD: malloc (in /usr/lib/valgrind/vgpreload_memcheck-amd64-linux.so)
==5129==	 by 0x4EBAD81: strdup (strdup.c:43)
==5129==	 by 0x400A4D: main (reorder.c:60)
==5129==
==5129== LEAK SUMMARY:
==5129==	 definitely lost: 32 bytes in 4 blocks
==5129==	 indirectly lost: 0 bytes in 0 blocks
==5129==	   possibly lost: 0 bytes in 0 blocks
==5129==	 still reachable: 49 bytes in 6 blocks
==5129==		 suppressed: 0 bytes in 0 blocks
==5129== Reachable blocks (those to which a pointer was found) are not shown.
==5129== To see them, rerun with: --leak-check=full --show-reachable=yes
==5129==
==5129== For counts of detected and suppressed errors, rerun with: -v
==5129== ERROR SUMMARY: 1 errors from 1 contexts (suppressed: 2 from 2)

valgrind can detect other misuses of dynamically-allocated memory, such as using memory after it has been freed, freeing the same buffer multiple times, and using uninitialized memory. In fact, valgrind is a framework for several program-analysis tools, including a heap profiler and a thread error detector, among others.

systemtap

If you’re developing nontrivial software, one additional tool you might want to employ is systemtap [3, 6]. This tool is useful for investigating how your programs interact with the operating system by allowing you to trace kernel functions and search through kernel data structures while the system is running. It works by converting scripts you write into code that is compiled and inserted into the kernel on the fly. The scripting language is reminiscent of awk: Probe points (like patterns) are associated with actions, arrays are associative, and the syntax resembles the C programming language. A special "guru" mode allows you to write actual C code to interpret kernel data structures (some operations are easier to implement this way).

Here’s an example of how systemtap can be useful: Suppose you have developed a server that runs several other programs and you are worried that you might be leaking (forgetting to close) file descriptors when you call exec. This can be a security hole, because it could give unauthorized processes access to your files. Listing 5 shows a systemtap script for Linux 3.2.0 that prints out the open file descriptors for commands as they are started. As you can see, you need to study the Linux kernel source code to determine which functions to trace and which data structures to search. The systemtap script is adapted from the flush_old_files kernel function, which is called as part of exec processing to close all open file descriptors that have the close-on-exec flag set.

Listing 5 - Sample systemtap script

%{
#include <linux/fdtable.h>
%}

probe begin
{
	printf("Starting probe. Hit ^C to stop\n");
}

function get_maxfds:long(fs:long) %{
	struct files_struct *p;
	struct fdtable *f;
	long maxfd;
	p = (struct files_struct *)THIS->fs;
	f = kread(&(p->fdt));
	rcu_read_lock();
	maxfd = kread(&(f->max_fds));
	rcu_read_unlock();
	THIS->__retvalue = maxfd;
	CATCH_DEREF_FAULT();
%}

function get_long:long(fs:long, idx:long) %{
	struct files_struct *p;
	struct fdtable *f;
	fd_set *s;
	long val;
	p = (struct files_struct *)THIS->fs;
	f = kread(&(p->fdt));
	rcu_read_lock();
	s = kread(&(f->open_fds));
	val = kread(&(s->fds_bits[THIS->idx]));
	rcu_read_unlock();
	THIS->__retvalue = val;
	CATCH_DEREF_FAULT();
%}

function get_sizeoflong() %{
	THIS->__retvalue = sizeof(long);
	CATCH_DEREF_FAULT();
%}

probe kernel.function("flush_old_files").return
{
	printf("process %s: open fds", execname());
	max_fds = get_maxfds($files);
	i = 0;
	word = 0;
	sol = get_sizeoflong();
	while (i < max_fds) {
		bits = get_long($files, word);
		word++;
		for (j = 0; j < 8*sol; j++) {
			if (bits & 1)
				printf(" %d", i);
			bits >>= 1;
			i++;
			if (i >= max_fds)
				break;
		}
	}
	printf("\n");
}

To figure out which file descriptors are still open, we set a probe point at the return of the flush_old_files function. At this point, the kernel is done closing all of the file descriptors that have the close-on-exec flag set, so any remaining file descriptors will be available to the new program we are in the process of running.

Because it needs to read kernel memory, systemtap needs to be run with superuser privileges. Listing 6 shows sample output when systemtap is run with the script from Listing 5.

Listing 6 - Output generated by running the systemtap script from Listing 5

$ sudo stap -g openfiles.stp
Starting probe. Hit ^C to stop
process ls: open fds 0 1 2
process ps: open fds 0 1 2
process who: open fds 0 1 2
process bash: open fds 0 1 2
process groups: open fds 0 1 2
process lesspipe: open fds 0 1 2
process basename: open fds 0 1 2
process dirname: open fds 0 1 2
process dircolors: open fds 0 1 2
process uname: open fds 0 1 2
process sed: open fds 0 1 2
process ls: open fds 0 1 2
process uname: open fds 0 1 2
process sed: open fds 0 1 2

Clearly, systemtap scripts are dependent on the version of the Linux operating system being used, because the scripts contain knowledge of data structures and functions belonging to the operating system. These can change from one kernel release to another. To make the scripts more portable, systemtap is distributed with a library of tapsets: script libraries containing common functionality. To use the tapsets, all you need to do is reference one of the symbols defined in a tapset; the stap command will automatically search the tapset directory when it parses your script and include the tapset in the compiled version of your script that it loads into the kernel.

Tracing I/O

If you are interested in understanding the I/O characteristics of your programs, you can use strace to trace all of the reads and writes made by your program. However, this won’t show I/O operations for memory-mapped files.

When you use the mmap system call to map a file into the address space of your program, reading and writing occurs indirectly as a result of loads from and stores to memory locations within the mapped address range. File system reads occur as a result of referencing addresses that aren’t currently backed by pages in the system’s page cache. Various Linux kernel daemons will write out dirty pages on behalf of your program as part of managing the system’s page cache.

To understand the I/O patterns with memory-mapped files, we can use systemtap to see when the file system receives read and write requests. However, if we need more detail, we can use the blktrace command to trace operations on the disk driver’s queues. With the blkparse command, we can print the trace in a human-readable form and see every request that is placed on the disk driver’s queue, as well as when each request completes, to get a low-level idea of how disk I/O behaves on the system. One way we can use this information is to determine whether the I/O patterns for a particular disk tend to be random or sequential.

If we don’t need the detail associated with individual I/O requests, we can instead use the iostat command to print I/O statistics for the duration of our program’s execution. The iostat command will print the amount of data read or written for each disk device on the system.

If we want to trace network I/O instead of disk I/O, we can use either tcpdump [4] or Wireshark [5] to capture and display network packets. Perhaps the best known use of the tcpdump program is in the classic text TCP/IP Illustrated by Rich Stevens [12].

Conclusions

There are many tools to help us debug our programs by tracing how the programs interact with the operating system environment. One word of caution, however: Many of the tools change the timing of a program’s execution. If a bug depends on timing, the bug can disappear while tracing the program. Nevertheless, tracing remains a useful technique to discover how programs behave.

References

[1] http://www.gnu.org/software/gdb

[2] http://valgrind.org

[3] http://sourceware.org/systemtap

[4] http://www.tcpdump.org

[5] http://www.wireshark.org

[6] Frank Ch. Eigler, Vara Prasad, Will Cohen, Hien Nguyen, Martin Hunt, Jim Keniston, and Brad Chen, Architecture of systemtap: a Linux trace/probe tool (2005).

[7] Roger Faulkner and Ron Gomes, “The Process File System and Process Model in UNIX System V,” Proceedings of the Winter 1991 USENIX Conference, pp. 243–252 (1991).

[8] Free Software Foundation, Debugging with GDB (2013).

[9] Tom Killian, “Processes as Files,” Proceedings of the USENIX Association Summer Conference, pp. 203–307, Salt Lake City (1984).

[10] Nicholas Nethercote and Julian Seward, “Valgrind: A Framework for Heavyweight Dynamic Binary Instrumentation,” Proceedings of the ACM SIGPLAN 2007 Conference on Programming Language Design and Implementation (PLDI’07), San Diego (2007).

[11] Julian Seward and Nicholas Nethercote, “Using Valgrind to detect undefined value errors with bitprecision,” Proceedings of the 2005 USENIX Annual Technical Conference, Anaheim, CA (2005).

[12] W. Richard Stevens, TCP/IP Illustrated, Volume 1, Addison-Wesley (1994).

InformIT Promotional Mailings & Special Offers

I would like to receive exclusive offers and hear about products from InformIT and its family of brands. I can unsubscribe at any time.

Overview


Pearson Education, Inc., 221 River Street, Hoboken, New Jersey 07030, (Pearson) presents this site to provide information about products and services that can be purchased through this site.

This privacy notice provides an overview of our commitment to privacy and describes how we collect, protect, use and share personal information collected through this site. Please note that other Pearson websites and online products and services have their own separate privacy policies.

Collection and Use of Information


To conduct business and deliver products and services, Pearson collects and uses personal information in several ways in connection with this site, including:

Questions and Inquiries

For inquiries and questions, we collect the inquiry or question, together with name, contact details (email address, phone number and mailing address) and any other additional information voluntarily submitted to us through a Contact Us form or an email. We use this information to address the inquiry and respond to the question.

Online Store

For orders and purchases placed through our online store on this site, we collect order details, name, institution name and address (if applicable), email address, phone number, shipping and billing addresses, credit/debit card information, shipping options and any instructions. We use this information to complete transactions, fulfill orders, communicate with individuals placing orders or visiting the online store, and for related purposes.

Surveys

Pearson may offer opportunities to provide feedback or participate in surveys, including surveys evaluating Pearson products, services or sites. Participation is voluntary. Pearson collects information requested in the survey questions and uses the information to evaluate, support, maintain and improve products, services or sites, develop new products and services, conduct educational research and for other purposes specified in the survey.

Contests and Drawings

Occasionally, we may sponsor a contest or drawing. Participation is optional. Pearson collects name, contact information and other information specified on the entry form for the contest or drawing to conduct the contest or drawing. Pearson may collect additional personal information from the winners of a contest or drawing in order to award the prize and for tax reporting purposes, as required by law.

Newsletters

If you have elected to receive email newsletters or promotional mailings and special offers but want to unsubscribe, simply email information@informit.com.

Service Announcements

On rare occasions it is necessary to send out a strictly service related announcement. For instance, if our service is temporarily suspended for maintenance we might send users an email. Generally, users may not opt-out of these communications, though they can deactivate their account information. However, these communications are not promotional in nature.

Customer Service

We communicate with users on a regular basis to provide requested services and in regard to issues relating to their account we reply via email or phone in accordance with the users' wishes when a user submits their information through our Contact Us form.

Other Collection and Use of Information


Application and System Logs

Pearson automatically collects log data to help ensure the delivery, availability and security of this site. Log data may include technical information about how a user or visitor connected to this site, such as browser type, type of computer/device, operating system, internet service provider and IP address. We use this information for support purposes and to monitor the health of the site, identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents and appropriately scale computing resources.

Web Analytics

Pearson may use third party web trend analytical services, including Google Analytics, to collect visitor information, such as IP addresses, browser types, referring pages, pages visited and time spent on a particular site. While these analytical services collect and report information on an anonymous basis, they may use cookies to gather web trend information. The information gathered may enable Pearson (but not the third party web trend services) to link information with application and system log data. Pearson uses this information for system administration and to identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents, appropriately scale computing resources and otherwise support and deliver this site and its services.

Cookies and Related Technologies

This site uses cookies and similar technologies to personalize content, measure traffic patterns, control security, track use and access of information on this site, and provide interest-based messages and advertising. Users can manage and block the use of cookies through their browser. Disabling or blocking certain cookies may limit the functionality of this site.

Do Not Track

This site currently does not respond to Do Not Track signals.

Security


Pearson uses appropriate physical, administrative and technical security measures to protect personal information from unauthorized access, use and disclosure.

Children


This site is not directed to children under the age of 13.

Marketing


Pearson may send or direct marketing communications to users, provided that

  • Pearson will not use personal information collected or processed as a K-12 school service provider for the purpose of directed or targeted advertising.
  • Such marketing is consistent with applicable law and Pearson's legal obligations.
  • Pearson will not knowingly direct or send marketing communications to an individual who has expressed a preference not to receive marketing.
  • Where required by applicable law, express or implied consent to marketing exists and has not been withdrawn.

Pearson may provide personal information to a third party service provider on a restricted basis to provide marketing solely on behalf of Pearson or an affiliate or customer for whom Pearson is a service provider. Marketing preferences may be changed at any time.

Correcting/Updating Personal Information


If a user's personally identifiable information changes (such as your postal address or email address), we provide a way to correct or update that user's personal data provided to us. This can be done on the Account page. If a user no longer desires our service and desires to delete his or her account, please contact us at customer-service@informit.com and we will process the deletion of a user's account.

Choice/Opt-out


Users can always make an informed choice as to whether they should proceed with certain services offered by InformIT. If you choose to remove yourself from our mailing list(s) simply visit the following page and uncheck any communication you no longer want to receive: www.informit.com/u.aspx.

Sale of Personal Information


Pearson does not rent or sell personal information in exchange for any payment of money.

While Pearson does not sell personal information, as defined in Nevada law, Nevada residents may email a request for no sale of their personal information to NevadaDesignatedRequest@pearson.com.

Supplemental Privacy Statement for California Residents


California residents should read our Supplemental privacy statement for California residents in conjunction with this Privacy Notice. The Supplemental privacy statement for California residents explains Pearson's commitment to comply with California law and applies to personal information of California residents collected in connection with this site and the Services.

Sharing and Disclosure


Pearson may disclose personal information, as follows:

  • As required by law.
  • With the consent of the individual (or their parent, if the individual is a minor)
  • In response to a subpoena, court order or legal process, to the extent permitted or required by law
  • To protect the security and safety of individuals, data, assets and systems, consistent with applicable law
  • In connection the sale, joint venture or other transfer of some or all of its company or assets, subject to the provisions of this Privacy Notice
  • To investigate or address actual or suspected fraud or other illegal activities
  • To exercise its legal rights, including enforcement of the Terms of Use for this site or another contract
  • To affiliated Pearson companies and other companies and organizations who perform work for Pearson and are obligated to protect the privacy of personal information consistent with this Privacy Notice
  • To a school, organization, company or government agency, where Pearson collects or processes the personal information in a school setting or on behalf of such organization, company or government agency.

Links


This web site contains links to other sites. Please be aware that we are not responsible for the privacy practices of such other sites. We encourage our users to be aware when they leave our site and to read the privacy statements of each and every web site that collects Personal Information. This privacy statement applies solely to information collected by this web site.

Requests and Contact


Please contact us about this Privacy Notice or if you have any requests or questions relating to the privacy of your personal information.

Changes to this Privacy Notice


We may revise this Privacy Notice through an updated posting. We will identify the effective date of the revision in the posting. Often, updates are made to provide greater clarity or to comply with changes in regulatory requirements. If the updates involve material changes to the collection, protection, use or disclosure of Personal Information, Pearson will provide notice of the change through a conspicuous notice on this site or other appropriate way. Continued use of the site after the effective date of a posted revision evidences acceptance. Please contact us if you have questions or concerns about the Privacy Notice or any objection to any revisions.

Last Update: November 17, 2020