
Retrofitting null-safety onto Java at Meta
- We developed a brand new static evaluation instrument referred to as Nullsafe that’s used at Meta to detect NullPointerException (NPE) errors in Java code.
- Interoperability with legacy code and gradual deployment mannequin have been key to Nullsafe’s broad adoption and allowed us to get better some null-safety properties within the context of an in any other case null-unsafe language in a multimillion-line codebase.
- Nullsafe has helped considerably scale back the general variety of NPE errors and improved builders’ productiveness. This exhibits the worth of static evaluation in fixing real-world issues at scale.
Null dereferencing is a typical kind of programming error in Java. On Android, NullPointerException (NPE) errors are the largest cause of app crashes on Google Play. Since Java doesn’t present instruments to specific and test nullness invariants, builders should depend on testing and dynamic evaluation to enhance reliability of their code. These strategies are important however have their very own limitations by way of time-to-signal and protection.
In 2019, we began a mission referred to as 0NPE with the purpose of addressing this problem inside our apps and considerably bettering null-safety of Java code by static evaluation.
Over the course of two years, we developed Nullsafe, a static analyzer for detecting NPE errors in Java, built-in it into the core developer workflow, and ran a large-scale code transformation to make many million strains of Java code Nullsafe-compliant.

Taking Instagram, one among Meta’s largest Android apps, for instance, we noticed a 27 p.c discount in manufacturing NPE crashes through the 18 months of code transformation. Furthermore, NPEs are not a number one reason behind crashes in each alpha and beta channels, which is a direct reflection of improved developer expertise and growth velocity.
The issue of nulls
Null pointers are infamous for inflicting bugs in applications. Even in a tiny snippet of code just like the one under, issues can go fallacious in a lot of methods:
Itemizing 1: buggy getParentName technique
Path getParentName(Path path)
return path.getParent().getFileName();
- getParent() could produce null and trigger a NullPointerException domestically in getParentName(…).
- getFileName() could return null which can propagate additional and trigger a crash in another place.
The previous is comparatively straightforward to identify and debug, however the latter could show difficult — particularly because the codebase grows and evolves.
Determining nullness of values and recognizing potential issues is straightforward in toy examples just like the one above, but it surely turns into extraordinarily arduous on the scale of thousands and thousands of strains of code. Then including 1000’s of code modifications a day makes it unimaginable to manually be sure that no single change results in a NullPointerException in another part. Consequently, customers endure from crashes and software builders must spend an inordinate quantity of psychological power monitoring nullness of values.
The issue, nevertheless, shouldn’t be the null worth itself however quite the dearth of express nullness info in APIs and lack of tooling to validate that the code correctly handles nullness.
Java and nullness
In response to those challenges Java 8 launched java.util.Elective<T> class. However its efficiency influence and legacy API compatibility points meant that Elective couldn’t be used as a general-purpose substitute for nullable references.
On the similar time, annotations have been used with success as a language extension level. Particularly, including annotations resembling @Nullable and @NotNull to common nullable reference varieties is a viable technique to lengthen Java’s varieties with express nullness whereas avoiding the downsides of Elective. Nonetheless, this method requires an exterior checker.
An annotated model of the code from Itemizing 1 would possibly seem like this:
Itemizing 2: appropriate and annotated getParentName technique
// (2) (1)
@Nullable Path getParentName(Path path)
Path father or mother = path.getParent(); // (3)
return father or mother != null ? father or mother.getFileName() : null;
// (4)
In comparison with a null-safe however not annotated model, this code provides a single annotation on the return kind. There are a number of issues price noting right here:
- Unannotated varieties are thought of not-nullable. This conference tremendously reduces the annotation burden however is utilized solely to first-party code.
- Return kind is marked @Nullable as a result of the tactic can return null.
- Native variable father or mother shouldn’t be annotated, as its nullness have to be inferred by the static evaluation checker. This additional reduces the annotation burden.
- Checking a worth for null refines its kind to be not-nullable within the corresponding department. That is referred to as flow-sensitive typing, and it permits writing code idiomatically and dealing with nullness solely the place it’s actually obligatory.
Code annotated for nullness will be statically checked for null-safety. The analyzer can shield the codebase from regressions and permit builders to maneuver quicker with confidence.
Kotlin and nullness
Kotlin is a contemporary programming language designed to interoperate with Java. In Kotlin, nullness is express within the varieties, and the compiler checks that the code is dealing with nullness accurately, giving builders prompt suggestions.
We acknowledge these benefits and, in truth, use Kotlin closely at Meta. However we additionally acknowledge the very fact that there’s a lot of business-critical Java code that can’t — and typically mustn’t — be moved to Kotlin in a single day.
The 2 languages – Java and Kotlin – should coexist, which suggests there’s nonetheless a necessity for a null-safety answer for Java.
Static evaluation for nullness checking at scale
Meta’s success constructing different static evaluation instruments resembling Infer, Hack, and Flow and making use of them to real-world code-bases made us assured that we might construct a nullness checker for Java that’s:
- Ergonomic: understands the movement of management within the code, doesn’t require builders to bend over backward to make their code compliant, and provides minimal annotation burden.
- Scalable: capable of scale from a whole bunch of strains of code to thousands and thousands.
- Suitable with Kotlin: for seamless interoperability.
On reflection, implementing the static evaluation checker itself was in all probability the straightforward half. The true effort went into integrating this checker with the event infrastructure, working with the developer communities, after which making thousands and thousands of strains of manufacturing Java code null-safe.
We carried out the primary model of our nullness checker for Java as a part of Infer, and it served as a terrific basis. Afterward, we moved to a compiler-based infrastructure. Having a tighter integration with the compiler allowed us to enhance the accuracy of the evaluation and streamline the combination with growth instruments.
This second model of the analyzer is known as Nullsafe, and we will likely be overlaying it under.
Null-checking beneath the hood
Java compiler API was launched by way of JSR-199. This API offers entry to the compiler’s inside illustration of a compiled program and permits customized performance to be added at completely different phases of the compilation course of. We use this API to increase Java’s type-checking with an additional go that runs Nullsafe evaluation after which collects and studies nullness errors.
Two primary knowledge constructions used within the evaluation are the summary syntax tree (AST) and management movement graph (CFG). See Itemizing 3 and Figures 2 and three for examples.
- The AST represents the syntactic construction of the supply code with out superfluous particulars like punctuation. We get a program’s AST by way of the compiler API, along with the kind and annotation info.
- The CFG is a flowchart of a chunk of code: blocks of directions related with arrows representing a change in management movement. We’re utilizing the Dataflow library to construct a CFG for a given AST.
The evaluation itself is cut up into two phases:
- The kind inference part is liable for determining nullness of assorted items of code, answering questions resembling:
- Can this technique invocation return null at program level X?
- Can this variable be null at program level Y?
- The kind checking part is liable for validating that the code doesn’t do something unsafe, resembling dereferencing a nullable worth or passing a nullable argument the place it’s not anticipated.
Itemizing 3: instance getOrDefault technique
String getOrDefault(@Nullable String str, String defaultValue)
if (str == null) return defaultValue;
return str;


Kind-inference part
Nullsafe does kind inference based mostly on the code’s CFG. The results of the inference is a mapping from expressions to nullness-extended varieties at completely different program factors.
state = expression x program level → nullness – prolonged kind
The inference engine traverses the CFG and executes each instruction in accordance with the evaluation’ guidelines. For a program from Itemizing 3 this is able to seem like this:
- We begin with a mapping at <entry> level:
- str → @Nullable String, defaultValue → String.
- After we execute the comparability str == null, the management movement splits and we produce two mappings:
- THEN: str → @Nullable String, defaultValue → String.
- ELSE: str → String, defaultValue → String.
- When the management movement joins, the inference engine wants to provide a mapping that over-approximates the state in each branches. If we have now @Nullable String in a single department and String in one other, the over-approximated kind could be @Nullable String.

The primary advantage of utilizing a CFG for inference is that it permits us to make the evaluation flow-sensitive, which is essential for an evaluation like this to be helpful in observe.
The instance above demonstrates a quite common case the place nullness of a worth is refined in accordance with the management movement. To accommodate real-world coding patterns, Nullsafe has assist for extra superior options, starting from contracts and complicated invariants the place we use SAT fixing to interprocedural object initialization evaluation. Dialogue of those options, nevertheless, is outdoors the scope of this publish.
Kind-checking part
Nullsafe does kind checking based mostly on this system’s AST. By traversing the AST, we are able to examine the knowledge specified within the supply code with the outcomes from the inference step.
In our instance from Itemizing 3, once we go to the return str node we fetch the inferred kind of str expression, which occurs to be String, and test whether or not this sort is appropriate with the return kind of the tactic, which is said as String.

After we see an AST node akin to an object dereference, we test that the inferred kind of the receiver excludes null. Implicit unboxing is handled in the same approach. For technique name nodes, we test that the inferred kinds of the arguments are appropriate with technique’s declared varieties. And so forth.
General, the type-checking part is rather more easy than the type-inference part. One nontrivial facet right here is error rendering, the place we have to increase a sort error with a context, resembling a sort hint, code origin, and potential fast repair.
Challenges in supporting generics
Examples of the nullness evaluation given above coated solely the so-called root nullness, or nullness of a worth itself. Generics add a complete new dimension of expressivity to the language and, equally, nullness evaluation will be prolonged to assist generic and parameterized courses to additional enhance the expressivity and precision of APIs.
Supporting generics is clearly a very good factor. However additional expressivity comes as a value. Particularly, kind inference will get much more difficult.
Take into account a parameterized class Map<Okay, Checklist<Pair<V1, V2>>>. Within the case of non-generic nullness checker, there’s solely the foundation nullness to deduce:
// NON-GENERIC CASE
␣ Map<Okay, Checklist<Pair<V1, V2>>
// ^
// --- Solely the foundation nullness must be inferred
The generic case requires much more gaps to fill on prime of an already advanced flow-sensitive evaluation:
// GENERIC CASE
␣ Map<␣ Okay, ␣ Checklist<␣ Pair<␣ V1, ␣ V2>>
// ^ ^ ^ ^ ^ ^
// -----|----|------|------|------|--- All these have to be inferred
This isn’t all. Generic varieties that the evaluation infers should intently comply with the form of the categories that Java itself inferred to keep away from bogus errors. For instance, think about the next snippet of code:
interface Animal
class Cat implements Animal
class Canine implements Animal
void targetType(@Nullable Cat catMaybe)
Checklist<@Nullable Animal> animalsMaybe = Checklist.of(catMaybe);
Checklist.<T>of(T…) is a generic technique and in isolation the kind of Checklist.of(catMaybe) might be inferred as Checklist<@Nullable Cat>. This could be problematic as a result of generics in Java are invariant, which implies that Checklist<Animal> shouldn’t be appropriate with Checklist<Cat> and the project would produce an error.
The rationale this code kind checks is that the Java compiler is aware of the kind of the goal of the project and makes use of this info to tune how the kind inference engine works within the context of the project (or a way argument for the matter). This function is known as goal typing, and though it improves the ergonomics of working with generics, it doesn’t play properly with the sort of ahead CFG-based evaluation we described earlier than, and it required additional care to deal with.
Along with the above, the Java compiler itself has bugs (e.g., this) that require numerous workarounds in Nullsafe and in different static evaluation instruments that work with kind annotations.
Regardless of these challenges, we see vital worth in supporting generics. Particularly:
- Improved ergonomics. With out assist for generics, builders can not outline and use sure APIs in a null-aware approach: from collections and purposeful interfaces to streams. They’re compelled to bypass the nullness checker, which harms reliability and reinforces a foul behavior. We’ve got discovered many locations within the codebase the place lack of null-safe generics led to brittle code and bugs.
- Safer Kotlin interoperability. Meta is a heavy consumer of Kotlin, and a nullness evaluation that helps generics closes the hole between the 2 languages and considerably improves the protection of the interop and the event expertise in a heterogeneous codebase.
Coping with legacy and third-party code
Conceptually, the static evaluation carried out by Nullsafe provides a brand new set of semantic guidelines to Java in an try and retrofit null-safety onto an in any other case null-unsafe language. The perfect situation is that every one code follows these guidelines, wherein case diagnostics raised by the analyzer are related and actionable. The truth is that there’s a number of null-safe code that is aware of nothing in regards to the new guidelines, and there’s much more null-unsafe code. Working the evaluation on such legacy code and even newer code that calls into legacy parts would produce an excessive amount of noise, which might add friction and undermine the worth of the analyzer.
To take care of this downside in Nullsafe, we separate code into three tiers:
- Tier 1: Nullsafe compliant code. This contains first-party code marked as @Nullsafe and checked to haven’t any errors. This additionally contains recognized good annotated third-party code or third-party code for which we have now added nullness fashions.
- Tier 2: First-party code not compliant with Nullsafe. That is inside code written with out express nullness monitoring in thoughts. This code is checked optimistically by Nullsafe.
- Tier 3: Unvetted third-party code. That is third-party code that Nullsafe is aware of nothing about. When utilizing such code, the makes use of are checked pessimistically and builders are urged so as to add correct nullness fashions.
The essential facet of this tiered system is that when Nullsafe type-checks Tier X code that calls into Tier Y code, it makes use of Tier Y’s guidelines. Particularly:
- Calls from Tier 1 to Tier 2 are checked optimistically,
- Calls from Tier 1 to Tier 3 are checked pessimistically,
- Calls from Tier 2 to Tier 1 are checked in accordance with Tier 1 part’s nullness.
Two issues are price noting right here:
- Based on level A, Tier 1 code can have unsafe dependencies or protected dependencies used unsafely. This unsoundness is the worth we needed to pay to streamline and gradualize the rollout and adoption of Nullsafe within the codebase. We tried different approaches, however additional friction rendered them extraordinarily arduous to scale. The excellent news is that as extra Tier 2 code is migrated to Tier 1 code, this level turns into much less of a priority.
- Pessimistic therapy of third-party code (level B) provides additional friction to the nullness checker adoption. However in our expertise, the price was not prohibitive, whereas the advance within the security of Tier 1 and Tier 3 code interoperability was actual.

Deployment, automation, and adoption
A nullness checker alone shouldn’t be sufficient to make an actual influence. The impact of the checker is proportional to the quantity of code compliant with this checker. Thus a migration technique, developer adoption, and safety from regressions grow to be main issues.
We discovered three details to be important to our initiative’s success:
- Fast fixes are extremely useful. The codebase is filled with trivial null-safety violations. Instructing a static evaluation to not solely test for errors but in addition to give you fast fixes can cowl a number of floor and provides builders the area to work on significant fixes.
- Developer adoption is essential. Which means the checker and associated tooling ought to combine nicely with the primary growth instruments: construct instruments, IDEs, CLIs, and CI. However extra essential, there must be a working suggestions loop between software and static evaluation builders.
- Information and metrics are essential to maintain the momentum. Figuring out the place you might be, the progress you’ve made, and the subsequent smartest thing to repair actually helps facilitate the migration.
Longer-term reliability influence
As one instance, 18 months of reliability knowledge for the Instagram Android app:
- The portion of the app’s code compliant with Nullsafe grew from 3 p.c to 90 p.c.
- There was a big lower within the relative quantity of NullPointerException (NPE) errors throughout all launch channels (see Determine 7). Significantly, in manufacturing, the quantity of NPEs was decreased by 27 p.c.
This knowledge is validated in opposition to different kinds of crashes and exhibits an actual enchancment in reliability and null-safety of the app.
On the similar time, particular person product groups additionally reported vital discount within the quantity of NPE crashes after addressing nullness errors reported by Nullsafe.
The drop in manufacturing NPEs various from workforce to workforce, with enhancements ranging from 35 p.c to 80 p.c.
One notably attention-grabbing facet of the outcomes is the drastic drop in NPEs within the alpha-channel. This immediately displays the advance within the developer productiveness that comes from utilizing and counting on a nullness checker.
Our north star purpose, and a super situation, could be to fully eradicate NPEs. Nonetheless, real-world reliability is advanced, and there are extra components enjoying a task:
- There may be nonetheless null-unsafe code that’s, in truth, liable for a big proportion of prime NPE crashes. However now we’re able the place focused null-safety enhancements could make a big and lasting influence.
- The amount of crashes shouldn’t be the most effective metric to measure reliability enchancment as a result of one bug that slips into manufacturing can grow to be highly regarded and single-handedly skew the outcomes. A greater metric may be the variety of new distinctive crashes per launch, the place we see n-fold enchancment.
- Not all NPE crashes are attributable to bugs within the app’s code alone. A mismatch between the shopper and the server is one other main supply of manufacturing points that have to be addressed by way of different means.
- The static evaluation itself has limitations and unsound assumptions that permit sure bugs slip into manufacturing.
It is very important be aware that that is the combination impact of a whole bunch of engineers utilizing Nullsafe to enhance the protection of their code in addition to the impact of different reliability initiatives, so we are able to’t attribute the advance solely to the usage of Nullsafe. Nonetheless, based mostly on studies and our personal observations over the course of the previous couple of years, we’re assured that Nullsafe performed a big function in driving down NPE-related crashes.

Past Meta
The issues outlined above are hardly particular to Meta. Surprising null-dereferences have brought on countless problems in different companies. Languages like C# advanced into having explicit nullness of their kind system, whereas others, like Kotlin, had it from the very starting.
In terms of Java, there have been a number of makes an attempt so as to add nullness, beginning with JSR-305, however none was broadly profitable. At the moment, there are lots of nice static evaluation instruments for Java that may test nullness, together with CheckerFramework, SpotBugs, ErrorProne, and NullAway, to call a number of. Particularly, Uber walked the same path by making their Android codebase null-safe utilizing NullAway checker. However in the long run, all of the checkers carry out nullness evaluation in several and subtly incompatible methods. The dearth of ordinary annotations with exact semantics has constrained the usage of static evaluation for Java all through the trade.
This downside is strictly what the JSpecify workgroup goals to deal with. The JSpecify began in 2019 and is a collaboration between people representing firms resembling Google, JetBrains, Uber, Oracle, and others. Meta has additionally been a part of JSpecify since late 2019.
Though the standard for nullness shouldn’t be but finalized, there was a number of progress on the specification itself and on the tooling, with extra thrilling bulletins following quickly. Participation in JSpecify has additionally influenced how we at Meta take into consideration nullness for Java and about our personal codebase evolution.