Home > Articles > Programming > C#

Sharp Regrets: Top 10 Worst C# Features

Though C# has many great features, a handful could have been designed differently or omitted entirely, says Eric Lippert, who should know, because he served on the design committee. The co-author of Essential C# 6.0, Fifth Edition shares his personal top 10 (bottom 10?) C# design annoyances.
Like this article? We recommend

Like this article? We recommend

When I was on the C# design team, several times a year we would have "meet the team" events at conferences, where we would take questions from C# enthusiasts. Probably the most common question we consistently got was "Are there any language design decisions that you now regret?" and my answer is "Good heavens, yes!"

This article presents my "bottom 10" list of features in C# that I wish had been designed differently, with the lessons we can learn about language design from each decision.

Before I begin, a few caveats. First, my opinions are my own and not necessarily those of the whole C# design team. Second, all these design decisions were made by smart people who were trying to find a balance between many competing design goals. In every case, there were powerful arguments for the feature at the time, and it's very easy to criticize with decades of hindsight. C# gets almost everything right; all of these points are minor quibbles about details of a very impressive and successful language.

Let's rant on!

#10: The empty statement does nothing for me

Like many other languages based on the syntax of C, C# requires that statements end in either a closing brace (}, also known as a right curly bracket) or a semicolon (;). An easily overlooked feature of these languages is that a lone semicolon is a legal statement:

void M()
{
  ;  // Perfectly legal
}

Why would you want a statement that does nothing? There are a couple of legitimate usages:

  • You can set a breakpoint on an empty statement. In Visual Studio, it can sometimes be confusing whether a program in a break state is at the beginning or in the middle of a statement; it's unambiguous in an empty statement.
  • There are contexts in which a statement is required, but you need a statement that does nothing:
  • while(whatever)
    {
      while(whatever)
      {
        while(whatever)
        {
          if (whatever) // break out of two loops
            goto outerLoop;
          [...]
        }
      }
      outerLoop: ;
    }

C# has no "labeled break," and a label requires a statement; here, the empty statement exists solely to be the target of the label. Of course, if someone asked me to review this code, I would immediately suggest that deeply nested loops with goto branching are a prime candidate for refactoring into a more readable, maintainable form. This sort of branching is pretty rare in modern code.

I've explained the points in favor of the feature—and of course consistency with other languages is also nice—but none of these points are particularly compelling. The following example shows the single point against this feature:

while(whatever); // Whoops!
{

  [...]

}

The feral semicolon in the first line is almost invisible, but it has a large impact on the meaning of the program. This loop's body is the empty statement, followed by a block that was probably intended to be the loop body. This code fragment goes into an infinite loop if the condition is true, and executes the loop body once if the condition is false.

The C# compiler gives a "possibly unintended empty statement" warning in this situation. A warning is an indication that code is both plausibly created and almost certainly wrong; ideally, the language would prevent idioms that are likely but wrong, rather than just warning about them! If a compiler team has to design, implement, and test a warning for a feature, that's evidence that the feature might have been questionable in the first place, and of course the costs of doing that design work make up for the relatively inexpensive empty statement feature. Fortunately, this defect is rare in production code; the compiler warns about it, and the resulting infinite loop is easily noticed in testing.

Finally, there is one more way to make an empty statement in C#; just make an empty block:

{ }

It's difficult to write an empty block accidentally, or to overlook one in the source code, so this is my preferred syntax for those rare cases when I want to introduce a "do nothing" statement.

The empty statement feature is redundant, rarely needed, and error-prone, and it creates work for the compiler team to implement a warning telling you not to use it. The feature could simply have been cut from C# 1.0.

The problem with all the features on this list is that once we have the feature, the language team has to keep it forever. Backward compatibility is a religion on the C# design team.

The lesson: When you're designing the first version of a language, consider every feature on its merits. Lots of other languages might have this trivial little feature, but that's not a good enough reason to include it in your new language.

#9: Too much equality

Suppose you want to implement a value type for some sort of exotic arithmetic—rational numbers, for example. Odds are good that a user will want to compare two rationals for equality and inequality. But how? Oh, that's easy. Just implement the following:

  • User-defined >, <, >=, <=, ==, and != operators
  • Override of the Equals(object) method
  • That method will box the struct, so you'll also want an Equals(MyStruct) method, which can be used to implement this:
  • IEquatable<MyStruct>.Equals(MyStruct)
  • You'd better implement this as well:
  • IComparable<MyStruct>.CompareTo(MyStruct)
  • For extra bonus points, you could implement the non-generic IComparable.CompareTo method, though in this day and age I probably wouldn't

I count nine (or ten) methods above, all of which must be kept consistent with each other; it would be bizarre if x.Equals(y) were true but x == y or x >= y were false. That seems like a bug.

The developer has to implement nine methods consistently, yet the output of just one of those methods—the generic CompareTo—is sufficient to deduce the values of the other eight methods. The burden on the developer is many times larger than it needs to be!

Moreover, for reference types it's easy to end up comparing reference equality accidentally when you intended to compare value equality, and get the wrong result.

The whole thing is unnecessarily complicated. The language design could have been something like "If you implement a CompareTo method, you get all the operators for free."

The moral: Too much flexibility makes code verbose and creates opportunities for bugs. Take the opportunity to stamp out, eliminate, and eschew unnecessary repetitive redundancy in the design.

#8: That operator is shifty

Like many other C-based languages, C# has << and >> operators that shift the bits in the integer left and right. They have a number of design problems.

First, what do you suppose happens if you shift a 32-bit integer left by 32 bits? That might seem like a pointless operation, and it is, but it has to do something, so what does it do? You might reason that shifting an integer left by 32 bits is the same as shifting an integer left by 1 bit, and then repeating that operation 31 more times, which would produce zero.

This entirely reasonable assumption is completely false. Shifting a 32-bit integer left by 32 is a no-op; it's the same as shifting by zero. More bizarre: Shifting by 33 bits is the same as shifting by 1. The C# specification says that the shift count operand is treated as though the user had written count & 0x1f. This is an improvement over C, which makes shifting too much to be undefined behavior, but that's small comfort.

This rule also implies that shifting left by –1 is not the same thing as shifting right by 1, which would again be a plausible conclusion—but false. In fact it's not clear why C# has two shift operators in the first place; why not just one operator that can take a positive or negative count operand? (Answering this rhetorical question involves digging into the history of C, which is fascinating, but would take us too far off-topic.)

Let's take an even bigger step back. Why are we treating integers—the name of which implies that they are to be treated as numeric quantities—as though they were in fact small arrays of bits? The vast majority of C# programmers today aren't writing bit-twiddling code at all; they're writing business logic when they use integers. C# could have created an "array of 32 bits" type that was an integer behind the scenes, and put the bit-twiddling operators on only that specific type. The C# designers already did something similar to restrict operations on integers for pointer-sized integers and enums.

There are two lessons here:

  • Follow the rule of least astonishment. If a feature is surprising to almost everyone, it's probably not a great design.
  • Use the type system to your advantage. If there seem to be two non-overlapping usage scenarios, such as representing "numbers" and "bags of bits," make two types.

#7: I'm a proud member of lambda lambda lambda

C# 2.0 added anonymous delegates:

Func<int, int, int> f = 
  delegate (int x, int y) 
  { 
    return x + y;

  };

Note that this is quite a "heavy" syntax; it requires the keyword delegate, the argument list must be typed, and the body is a block containing statements. The return type is inferred. C# 3.0 needed a far more lightweight syntax to make LINQ work, where all types are inferred and the body can be an expression rather than a block:

Func<int, int, int> f = (x, y) => x + y;

I think all concerned would agree that it's unfortunate to have two inconsistent syntaxes for what is basically the same thing. C# is stuck with it, though, because existing C# 2.0 code still uses the old syntax.

The "heaviness" of the C# 2.0 syntax was seen at the time as a benefit. The thought was that users might be confused by this new feature of nested methods, and the design team wanted a clear keyword in there calling out that a nested method was being converted to a delegate. No one could see into the future to know that a much lighter-weight syntax would be needed in a couple of years.

The moral is simple: You can't see the future, and you can't break backward compatibility once you get to the future. You make rational decisions that reach reasonable compromises, and you'll still get it wrong when requirements change unexpectedly. The hardest thing about designing a successful language is balancing simplicity, clarity, generality, flexibility, performance, and so on.

#6: Bit twiddling entails parentheses

In item #8, I suggested that it would be nice if the bit-twiddling operators were isolated to a specific type; of course, enums are an example of just that sort of thing. It's very common with flags enums to see code like this:

if ( (flags & MyFlags.ReadOnly) == MyFlags.ReadOnly)

In modern code, we would use the HasFlag method added to version 4 of the .NET Framework, but this pattern is still seen very frequently in legacy code. Why are those parentheses necessary? Because in C#, the "and" operator has lower precedence than the equality operator. For example, these two lines have the same meaning:

if ( flags & MyFlags.ReadOnly == MyFlags.ReadOnly)

if ( flags & ( MyFlags.ReadOnly == MyFlags.ReadOnly) )

Obviously that's not what the developer intends, and thankfully it doesn't pass type-checking in C#.

The && operator is also of lower precedence than equality, but that's a good thing. We want this:

if ( x != null && x.Y  )

to be treated as this:

if ( (x != null) && x.Y  )

and not this:

if ( x != (null && x.Y) )

Let me sum up:

  • & and | are almost always used as arithmetic operators, and therefore should have higher precedence than equality, just like the other arithmetic operators.
  • The "lazy" && and || have lower precedence than equality. That's a good thing. For consistency, the "eager" & and | operators should have lower precedence as well, right?
  • By that argument, && and & should both have higher precedence than || and |, but that's not the case either.

Conclusion: It's a mess. Why does C# do it this way? Because that's how C does it. Why? I give you the words of the late designer of C, Dennis Ritchie:

In retrospect it would have been better to go ahead and change the precedence of & to higher than ==, but it seemed safer just to split & and && without moving & past an existing operator. (After all, we had several hundred kilobytes of source code, and maybe [three] installations....)

Ritchie's wry remark illustrates the lesson. To avoid the cost of fixing a few thousand lines of code on a handful of machines, we ended up with this design error repeated in many successor languages that now have a corpus of who-knows-how-many billion lines of code. If you're going to make a backward-compatibility-breaking change, no time is better than now; things will be worse in the future.

#5: Type first, ask questions later

As noted in item #6, C# borrows the "type first" pattern from C and many of its other successor languages:

int x;
double M(string y) { ... }

Compare that to Visual Basic:

Dim x As Integer
Function M(Y As String) As Double

or TypeScript:

var x : number;
function m(y : string) : number

Okay, dim is a little weird in VB, but these and many more languages follow the very sensible pattern of "kind, name, type": What kind of thing is it? (A variable.) What is the variable's name? ("x") What is the type of the variable? (A number.)

By contrast, languages such as C, C#, and Java infer the kind of the thing from context, and consistently put the type before the name, as if the type is the most important thing.

Why is one better than the other? Think about how a lambda looks:

x => f(x)

What is the return type? The type of the thing to the right of the arrow. So, if we wrote this as a normal method, why would we put the return type as far to the left as possible? From both programming and mathematics, we have the convention that the result of the computation is notated to the right, so it's weird that in C-like languages the type is on the left.

Another nice property of the "kind, name, type" syntax is that it's easy for the beginner programmer, who can see right there in the source code that "this is a function, this is a variable, this is an event," and so on.

The lesson: When you're designing a new language, don't slavishly follow the bizarre conventions of predecessor languages. C# could have put type annotations to the right while still being entirely comprehensible to developers coming from a C background. Languages like TypeScript, Scala, and many more did just that.

#4: Flag me down

In C#, an enum is just a thin type-system wrapper over an underlying integral type. All operations on enums are specified as actually being operations on integers, and the names of enum values are like named constants. Therefore, it's perfectly legal to have this enum:

enum Size { Small = 0, Medium = 1, Large = 2 }

and assign any value you like:

Size size = (Size) 123;

This is dangerous because code consuming a value of type Size is only expecting one of three values, and it might behave very badly when given a value outside that range. It's too easy to write code that's not robust against unexpected input, which is precisely the problem that a type system is supposed to mitigate, not exacerbate.

Could we simply say that assigning a value out of range to such a variable is illegal? We'd have to generate code to perform a runtime check, but the benefit might justify the expense. The problem arises when flag enums get involved:

[Flags] enum Permissions
{ None = 0, Read = 1, Write = 2, Delete = 4 }

These can be combined with the bitwise operators to make combinations like "read or write but not delete." That would be the value 3, which isn't one of the choices available. With dozens of flags, listing all legal combinations would be burdensome.

As discussed earlier, the problem is that we've conflated two concepts—a choice from a set of discrete options, and an array of bits—into one kind of thing. It might have been conceptually nicer to have two kinds of enums, one with operators for a set of distinct options, and one with operators for a set of named flags. The former could have mechanisms for range checks, and the latter could have efficient bitwise operations. The conflation seems to leave us in the worst of both worlds.

The lesson here echoes that of item #8:

  • The fact that values can be outside the range of an enum violates the principle of least astonishment.
  • If two use cases have almost no overlap, don't conflate them into one concept in the type system.

#3: I rate plus-plus a minus-minus

Again we come back to features that C# has because they're in C, rather than because they're good ideas. The increment and decrement operators are in the terrible position of being commonly used, frequently misunderstood, and almost never needed.

First, the point of these operators is to be useful for both their value and their side-effect, which is automatically a big negative for me. Expressions should be useful for their values and can be computed without side-effects; statements should produce a single side-effect. Almost any use of the increment and decrement operators violates this guideline, with the following exception:

x++;

which can be written this way:

x += 1;

or, just as clearly, like this:

x = x + 1;

Next, almost no one can give you a precise and accurate description of the difference between prefix and postfix forms of the operators. The most common incorrect description I hear is this: "The prefix form does the increment, assigns to storage, and then produces the value; the postfix form produces the value and then does the increment and assignment later." Why is this description wrong? Because it implies an order of events in time that is not at all what C# actually does. When the operand is a variable, this is the actual behavior:

  1. Both operators determine the value of the variable.
  2. Both operators determine what value will be assigned back to storage.
  3. Both operators assign the new value to storage.
  4. The postfix operator produces the original value, and the prefix operator produces the assigned value.

It is simply false to claim that the postfix form produces the original value and then does the increment and assignment afterward. (This is possible in C and C++, but not in C#.) The assignment must be done before the value of the expression is provided in C#.

That hair-splitting subtle point rarely impacts real code, I freely admit, but still I find it worrisome that most developers who use this operator cannot tell you what it actually does.

What I find worse about these operators is my inability to remember which statement accurately describes "x++":

  • The operator comes after the operand, so the result is the value it has after the increment.
  • The operand comes before the operator, so the result is the value it had before the increment.

Both mnemonics make perfect sense—and they contradict each other.

When writing this article, I had to open the specification and double-check to make sure that I wasn't remembering it backward, and this is after using these operators for 25 years and writing their code generators in several compilers for several languages. I surely cannot be the only person who finds mnemonics for these operators to be utterly useless.

Finally, many people coming from a C++ background are completely surprised to discover that the way C# handles user-defined increment and decrement operators is completely different from how C++ does it. Perhaps more accurately, they're not surprised at all—they simply write the operators incorrectly in C#, unaware of the difference. In C#, the user-defined increment and decrement operators return the value to be assigned; they don't mutate the storage.

The lesson: A new language shouldn't include a feature just because it's traditional. Lots of languages do very well without such a feature, and C# already has lots of ways to increment a variable.

Extra special bonus rant!

I feel much the same about use of the assignment operator for both its value and side-effect:

M(x = N());

This means "Call N, assign the value to x, and then use the assigned value as the argument to M." The assignment operator is used here for its effect as well as the value produced, which is confusing.

C# could have been designed so that assignment was only legal in a statement context, rather than an expression context. Enough said.

#2 I want to destruct finalizers

A finalizer (also known as a destructor) in C# has the same syntax as a destructor in C++, but very different semantics. In May 2015 I wrote a pair of articles about the perils of finalizers, so I won't recap the whole thing here. Briefly, in C++, destructors run deterministically, run on the current thread, and never run on partially constructed objects. In C#, a finalizer runs possibly never, whenever the garbage collector decides it can run, on a separate thread, and on any object that was created—even if the constructor didn't complete normally due to an exception. These differences make it quite difficult to write a truly robust finalizer.

Moreover, any time a finalizer runs, you could argue that the program either has a bug or is in a dangerous state, such as being shut down unexpectedly via a thread abort. Objects that need finalization probably need deterministic finalization via the Dispose mechanism, which should suppress finalization, so a finalizer running is a bug. Objects in a process that's being destroyed unexpectedly probably shouldn't be finalizing themselves; you don't wash the dishes as the building is being demolished.

This feature is confusing, error-prone, and widely misunderstood. It has syntax very familiar to users of C++, but surprisingly different semantics. And in most cases, use of the feature is dangerous, unnecessary, or symptomatic of a bug.

Obviously I'm not a big fan of this feature. However, there are good use cases for finalizers in certain scenarios, where critical code must run to clean up resources. That code should be written by experts who understand all the dangers.

The lesson: Sometimes you need to implement features that are only for experts who are building infrastructure; those features should be clearly marked as dangerous—not invitingly similar to features from other languages.

#1 You can't put a tiger in the goldfish tank, but you can try

Suppose we have a base class Animal with derived types Goldfish and Tiger. This program fragment compiles:

Animal[] animals = new Goldfish[10];
animals[0] = new Tiger();

But of course it crashes horribly at runtime, saying that you cannot put a tiger into an array of goldfish. But isn't the whole point of the type system to give you a compile error if you make this mistake, so that it doesn't crash at runtime?

This feature is called "array covariance," and it allows developers to deal with the situation in which they have an array of goldfish in hand, they have a method they didn't write that takes an array of animals, the method only reads the array, and they don't want to have to allocate a copy of the array. Of course, the problem arises if the method actually does write to the array.

Clearly this is a dangerous "gotcha," but since we know about it we can avoid it, right? Sure, but the danger isn't the only downside of this feature. Think about how the exception at runtime must be generated in the program above. Every time you write an expression of one reference type to an array of a less-derived type, the runtime must do a type check to make sure that the array is not really of an incompatible element type! Almost every array write gets a little bit slower in order to make it a little bit faster to call a method that takes an array of a base type.

The C# team added type-safe covariance to C# 4.0, so that an array of goldfish can be safely converted to IEnumerable<Animal>. Since the sequence interface provides no mechanism for writing to the underlying array, this is safe. A method that only intends to read from the collection can take a sequence rather than an array.

C# 1.0 has unsafe array covariance not because the designers of C# thought that the scenario was particularly compelling, but rather because the Common Language Runtime (CLR) has the feature in its type system, so C# gets it "for free." The CLR has it because Java has this feature; the CLR team wanted to design a runtime that could implement Java efficiently, should that become necessary. I don't know why Java has it.

Three lessons arise here:

  • Just because it's free doesn't mean it's a good idea.
  • Had the designers of C# 1.0 known that C# 4.0 would have safe generic covariance on interface types, they would have had an argument against doing unsafe array covariance. But of course they didn't know that. (Designing for the future is hard, remember?)
  • As Benjamin Franklin (never) said, language designers who give up a little type safety for a little performance will discover they have neither.

Dishonorable mentions

Some questionable features didn't fit into my top 10 list:

  • The for loop has bizarre syntax and some very rarely used features, is almost completely unnecessary in modern code, and yet is still popular.
  • Use of the += operator on delegates and events has always struck me as weird. It also works poorly with generic covariance on delegates.
  • The colon (:) means both "Extends this base class" and "Implements this interface" in a class declaration. It's confusing for both the reader and the compiler writer. Visual Basic spells it out very clearly.
  • The rules for resolving names after the aforementioned colon are not well founded; you can end up in situations where you need to know what the base class is in order to determine what the base class is.
  • The void type has no values and cannot be used in any context that requires a type, other than a return type or a pointer type. It seems bizarre that we think of it as a type at all.
  • Static classes are how C# does modules. Why not call them "modules"?
  • No one would shed tears if the unary plus operator disappeared tomorrow.

Summing up

Programming language designers have a saying: "Every new language is a response to the successes and shortcomings of other languages." C# was specifically designed to be familiar to users of C, C++, and Java, while at the same time addressing the shortcomings of those languages. Looking back at my top 10 list, more than half of these annoyances are a direct result of including a feature primarily because it would be familiar to users of other languages. The overarching lesson is that long history and familiarity are not good enough reasons to include a dubious feature. When considering which features to include in a language, we should ask questions like these:

  • If the feature is valuable, is a better syntax available? Developers are generally clever and flexible; they usually can learn new syntaxes quickly.
  • What are the actual usage cases in modern line-of-business programs? How can we design features that target those cases directly?
  • If the feature is a "sharp tool," how can we limit its danger for unwary developers?

Language design decisions are usually the result of smart people making a good-faith effort to balance many competing goals: power, simplicity, familiarity, conciseness, robustness, performance, predictability, extensibility—I could go on and on. But sometimes hindsight lets us look back at decisions and see that they could have gone another way.

Did I miss any of your "pet peeve" features? What design features of programming languages do you regret? Comment below or send email to let me know!

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