Announcing TypeScript 5.0

Today we’re excited to announce the release of TypeScript 5.0!
This release brings many new features, while aiming to make TypeScript smaller, simpler, and faster.We’ve implemented the new decorators standard, added functionality to better support ESM projects in Node and bundlers, provided new ways for library authors to control generic inference, expanded our JSDoc functionality, simplified configuration, and made many other improvements.
If you’re not familiar with TypeScript yet, it’s a language that builds on JavaScript by adding syntax for types which can be used for type-checking.Type-checking can help catch lots of common mistakes, from typos to logic errors.Bringing types to JavaScript also allows us to build great tooling, since types can power features like code completions, go-to-definition, and refactorings in your favorite editor.In fact, if you’ve used editors like Visual Studio or VS Code, TypeScript already provides the JavaScript experience there!You can read up about the language athttps://typescriptlang.org.
But if you’re already familiar with TypeScript, have no fear!5.0 is not a disruptive release, and everything you know is still applicable.While TypeScript 5.0 includes correctness changes and some deprecations for infrequently-used options, we believe most developers will have an upgrade experience similar to previous releases.
To get started using TypeScript 5.0, you can get itthrough NuGet, or use npm with the following command:
npm install -D typescript
You can also follow directions for using a newer version of TypeScript inVisual Studio Code.
Here’s a quick list of what’s new in TypeScript 5.0!
- Decorators
const
Type Parameters- Supporting Multiple Configuration Files in
extends
- All
enum
s Are Unionenum
s --moduleResolution bundler
- Resolution Customization Flags
--verbatimModuleSyntax
- Support for
export type *
@satisfies
Support in JSDoc@overload
Support in JSDoc- Passing Emit-Specific Flags Under
--build
- Case-Insensitive Import Sorting in Editors
- Exhaustive
switch
/case
Completions - Speed, Memory, and Package Size Optimizations
- Breaking Changes and Deprecations
- What’s Next?
What’s New Since the Beta and RC?
TypeScript 5.0 has several notable changessince our beta release.
One new difference since TypeScript 5.0 Beta is that TypeScript permitsdecorators to be placed before or afterexport
andexport default
.This change reflects discussions and consensus within TC39, the standards body for ECMAScript/JavaScript.
Another is thatthe newbundler
module resolution option can now only be used when the--module
option is set toesnext
.This was done to ensure thatimport
statements written in input files won’t be transformed torequire
calls before the bundler resolves them, whether or not the bundler or loader respects TypeScript’smodule
option.We’ve also provided some context in these release notes recommending most library authors stick tonode16
ornodenext
.
While TypeScript 5.0 Beta shipped with this functionality, we did not document our work for supportingcase-insensitive import sorting in editor scenarios.This is in part because the UX for customization is still in discussion, but by default, TypeScript should now work better with the rest of your tooling.
Since our RC, our most notable change is that TypeScript 5.0 now specifies a minimum Node.js version of12.20
in ourpackage.json
.We’ve also publisheda write-up about TypeScript 5.0’s migration to modules, and linked to it.
Since TypeScript 5.0 Beta and RC were announced, the specific numbers forspeed benchmarks and package size deltas have also been adjusted, though noise has been a factor across runs.The names of some benchmarks have also been adjusted for clarity, and package size improvements have been moved into a separate chart.
Decorators
Decorators are an upcoming ECMAScript feature that allow us to customize classes and their members in a reusable way.
Let’s consider the following code:
classPerson {name:string;constructor(name:string) {this.name =name; }greet() {console.log(`Hello, my name is${this.name}.`); }}constp =newPerson("Ron");p.greet();
greet
is pretty simple here, but let’s imagine it’s something way more complicated – maybe it does some async logic, it’s recursive, it has side effects, etc.Regardless of what kind of ball-of-mud you’re imagining, let’s say you throw in someconsole.log
calls to help debuggreet
.
classPerson {name:string;constructor(name:string) {this.name =name; }greet() {console.log("LOG: Entering method.");console.log(`Hello, my name is${this.name}.`);console.log("LOG: Exiting method.") }}
This pattern is fairly common.It sure would be nice if there was a way we could do this for every method!
This is where decorators come in.We can write a function calledloggedMethod
that looks like the following:
functionloggedMethod(originalMethod:any,_context:any) {functionreplacementMethod(this:any, ...args:any[]) {console.log("LOG: Entering method.")constresult =originalMethod.call(this, ...args);console.log("LOG: Exiting method.")returnresult; }returnreplacementMethod;}
"What’s the deal with all of theseany
s?What is this,any
Script!?"
Just be patient – we’re keeping things simple for now so that we can focus on what this function is doing.Notice thatloggedMethod
takes the original method (originalMethod
) and returns a function that
- logs an "Entering…" message
- passes along
this
and all of its arguments to the original method - logs an "Exiting…" message, and
- returns whatever the original method returned.
Now we can useloggedMethod
todecorate the methodgreet
:
classPerson {name:string;constructor(name:string) {this.name =name; } @loggedMethodgreet() {console.log(`Hello, my name is${this.name}.`); }}constp =newPerson("Ron");p.greet();// Output://// LOG: Entering method.// Hello, my name is Ron.// LOG: Exiting method.
We just usedloggedMethod
as a decorator abovegreet
– and notice that we wrote it as@loggedMethod
.When we did that, it got called with the methodtarget and acontext object.BecauseloggedMethod
returned a new function, that function replaced the original definition ofgreet
.
We didn’t mention it yet, butloggedMethod
was defined with a second parameter.It’s called a "context object", and it has some useful information about how the decorated method was declared – like whether it was a#private
member, orstatic
, or what the name of the method was.Let’s rewriteloggedMethod
to take advantage of that and print out the name of the method that was decorated.
functionloggedMethod(originalMethod:any,context:ClassMethodDecoratorContext) {constmethodName =String(context.name);functionreplacementMethod(this:any, ...args:any[]) {console.log(`LOG: Entering method '${methodName}'.`)constresult =originalMethod.call(this, ...args);console.log(`LOG: Exiting method '${methodName}'.`)returnresult; }returnreplacementMethod;}
We’re now using the context parameter – and that it’s the first thing inloggedMethod
that has a type stricter thanany
andany[]
.TypeScript provides a type calledClassMethodDecoratorContext
that models the context object that method decorators take.
Apart from metadata, the context object for methods also has a useful function calledaddInitializer
.It’s a way to hook into the beginning of the constructor (or the initialization of the class itself if we’re working withstatic
s).
As an example – in JavaScript, it’s common to write something like the following pattern:
classPerson {name:string;constructor(name:string) {this.name =name;this.greet =this.greet.bind(this); }greet() {console.log(`Hello, my name is${this.name}.`); }}
Alternatively,greet
might be declared as a property initialized to an arrow function.
classPerson {name:string;constructor(name:string) {this.name =name; }greet = ()=> {console.log(`Hello, my name is${this.name}.`); };}
This code is written to ensure thatthis
isn’t re-bound ifgreet
is called as a stand-alone function or passed as a callback.
constgreet =newPerson("Ron").greet;// We don't want this to fail!greet();
We can write a decorator that usesaddInitializer
to callbind
in the constructor for us.
functionbound(originalMethod:any,context:ClassMethodDecoratorContext) {constmethodName =context.name;if (context.private) {thrownewError(`'bound' cannot decorate private properties like${methodNameasstring}.`); }context.addInitializer(function () {this[methodName] =this[methodName].bind(this); });}
bound
isn’t returning anything – so when it decorates a method, it leaves the original alone.Instead, it will add logic before any other fields are initialized.
classPerson {name:string;constructor(name:string) {this.name =name; } @bound @loggedMethodgreet() {console.log(`Hello, my name is${this.name}.`); }}constp =newPerson("Ron");constgreet =p.greet;// Works!greet();
Notice that we stacked two decorators –@bound
and@loggedMethod
.These decorations run in "reverse order".That is,@loggedMethod
decorates the original methodgreet
, and@bound
decorates the result of@loggedMethod
.In this example, it doesn’t matter – but it could if your decorators have side effects or expect a certain order.
Also worth noting: if you’d prefer stylistically, you can put these decorators on the same line.
@bound @loggedMethodgreet() {console.log(`Hello, my name is${this.name}.`); }
Something that might not be obvious is that we can even make functions thatreturn decorator functions.That makes it possible to customize the final decorator just a little.If we wanted, we could have madeloggedMethod
return a decorator and customize how it logs its messages.
functionloggedMethod(headMessage ="LOG:") {returnfunctionactualDecorator(originalMethod:any,context:ClassMethodDecoratorContext) {constmethodName =String(context.name);functionreplacementMethod(this:any, ...args:any[]) {console.log(`${headMessage} Entering method '${methodName}'.`)constresult =originalMethod.call(this, ...args);console.log(`${headMessage} Exiting method '${methodName}'.`)returnresult; }returnreplacementMethod; }}
If we did that, we’d have to callloggedMethod
before using it as a decorator.We could then pass in any string as the prefix for messages that get logged to the console.
classPerson {name:string;constructor(name:string) {this.name =name; } @loggedMethod("⚠️")greet() {console.log(`Hello, my name is${this.name}.`); }}constp =newPerson("Ron");p.greet();// Output://// ⚠️ Entering method 'greet'.// Hello, my name is Ron.// ⚠️ Exiting method 'greet'.
Decorators can be used on more than just methods!They can be used on properties/fields, getters, setters, and auto-accessors.Even classes themselves can be decorated for things like subclassing and registration.
To learn more about decorators in-depth, you can read up onAxel Rauschmayer’s extensive summary.
For more information about the changes involved, you canview the original pull request.
Differences with Experimental Legacy Decorators
If you’ve been using TypeScript for a while, you might be aware of the fact that it’s had support for "experimental" decorators for years.While these experimental decorators have been incredibly useful, they modeled a much older version of the decorators proposal, and always required an opt-in compiler flag called--experimentalDecorators
.Any attempt to use decorators in TypeScript without this flag used to prompt an error message.
--experimentalDecorators
will continue to exist for the foreseeable future;however, without the flag, decorators will now be valid syntax for all new code.Outside of--experimentalDecorators
, they will be type-checked and emitted differently.The type-checking rules and emit are sufficiently different that while decoratorscan be written to support both the old and new decorators behavior, any existing decorator functions are not likely to do so.
This new decorators proposal is not compatible with--emitDecoratorMetadata
, and it does not allow decorating parameters.Future ECMAScript proposals may be able to help bridge that gap.
On a final note: in addition to allowing decorators to be placed before theexport
keyword, the proposal for decorators now provides the option of placing decorators afterexport
orexport default
.The only exception is that mixing the two styles is not allowed.
// ✅ allowed@registerexportdefaultclassFoo {// ...}// ✅ also allowedexportdefault @registerclassBar {// ...}// ❌ error - before *and* after is not allowed@beforeexport @afterclassBar {// ...}
Writing Well-Typed Decorators
TheloggedMethod
andbound
decorator examples above are intentionally simple and omit lots of details about types.
Typing decorators can be fairly complex.For example, a well-typed version ofloggedMethod
from above might look something like this:
functionloggedMethod<This,Argsextendsany[],Return>(target: (this:This, ...args:Args)=>Return,context:ClassMethodDecoratorContext<This, (this:This, ...args:Args)=>Return>) {constmethodName =String(context.name);functionreplacementMethod(this:This, ...args:Args):Return {console.log(`LOG: Entering method '${methodName}'.`)constresult =target.call(this, ...args);console.log(`LOG: Exiting method '${methodName}'.`)returnresult; }returnreplacementMethod;}
We had to separately model out the type ofthis
, the parameters, and the return type of the original method, using the type parametersThis
,Args
, andReturn
.
Exactly how complex your decorators functions are defined depends on what you want to guarantee.Just keep in mind, your decorators will be used more than they’re written, so a well-typed version will usually be preferable – but there’s clearly a trade-off with readability, so try to keep things simple.
More documentation on writing decorators will be available in the future – butthis post should have a good amount of detail for the mechanics of decorators.
const
Type Parameters
When inferring the type of an object, TypeScript will usually choose a type that’s meant to be general.For example, in this case, the inferred type ofnames
isstring[]
:
typeHasNames = {readonlynames:string[] };functiongetNamesExactly<TextendsHasNames>(arg:T):T["names"] {returnarg.names;}// Inferred type: string[]constnames =getNamesExactly({names: ["Alice","Bob","Eve"]});
Usually the intent of this is to enable mutation down the line.
However, depending on what exactlygetNamesExactly
does and how it’s intended to be used, it can often be the case that a more-specific type is desired.
Up until now, API authors have typically had to recommend addingas const
in certain places to achieve the desired inference:
// The type we wanted:// readonly ["Alice", "Bob", "Eve"]// The type we got:// string[]constnames1 =getNamesExactly({names: ["Alice","Bob","Eve"]});// Correctly gets what we wanted:// readonly ["Alice", "Bob", "Eve"]constnames2 =getNamesExactly({names: ["Alice","Bob","Eve"]}asconst);
This can be cumbersome and easy to forget.In TypeScript 5.0, you can now add aconst
modifier to a type parameter declaration to causeconst
-like inference to be the default:
typeHasNames = {names:readonlystring[] };functiongetNamesExactly<constTextendsHasNames>(arg:T):T["names"] {// ^^^^^returnarg.names;}// Inferred type: readonly ["Alice", "Bob", "Eve"]// Note: Didn't need to write 'as const' hereconstnames =getNamesExactly({names: ["Alice","Bob","Eve"] });
Note that theconst
modifier doesn’treject mutable values, and doesn’t require immutable constraints.Using a mutable type constraint might give surprising results.For example:
declarefunctionfnBad<constTextendsstring[]>(args:T):void;// 'T' is still 'string[]' since 'readonly ["a", "b", "c"]' is not assignable to 'string[]'fnBad(["a","b" ,"c"]);
Here, the inferred candidate forT
isreadonly ["a", "b", "c"]
, and areadonly
array can’t be used where a mutable one is needed.In this case, inference falls back to the constraint, the array is treated asstring[]
, and the call still proceeds successfully.
A better definition of this function should usereadonly string[]
:
declarefunctionfnGood<constTextendsreadonlystring[]>(args:T):void;// T is readonly ["a", "b", "c"]fnGood(["a","b" ,"c"]);
Similarly, remember to keep in mind that theconst
modifier only affects inference of object, array and primitive expressions that were written within the call, so arguments which wouldn’t (or couldn’t) be modified withas const
won’t see any change in behavior:
declarefunctionfnGood<constTextendsreadonlystring[]>(args:T):void;constarr = ["a","b" ,"c"];// 'T' is still 'string[]'-- the 'const' modifier has no effect herefnGood(arr);
See the pull request and the (first andsecond) motivating issues for more details.
Supporting Multiple Configuration Files inextends
When managing multiple projects, it can be helpful to have a "base" configuration file that othertsconfig.json
files can extend from.That’s why TypeScript supports anextends
field for copying over fields fromcompilerOptions
.
// packages/front-end/src/tsconfig.json{"extends":"../../../tsconfig.base.json","compilerOptions": {"outDir":"../lib",// ... }}
However, there are scenarios where you might want to extend from multiple configuration files.For example, imagine usinga TypeScript base configuration file shipped to npm.If you want all your projects to also use the options from the@tsconfig/strictest
package on npm, then there’s a simple solution: havetsconfig.base.json
extend from@tsconfig/strictest
:
// tsconfig.base.json{"extends":"@tsconfig/strictest/tsconfig.json","compilerOptions": {// ... }}
This works to a point.If you have any projects thatdon’t want to use@tsconfig/strictest
, they have to either manually disable the options, or create a separate version oftsconfig.base.json
thatdoesn’t extend from@tsconfig/strictest
.
To give some more flexibility here, Typescript 5.0 now allows theextends
field to take multiple entries.For example, in this configuration file:
{"extends": ["a","b","c"],"compilerOptions": {// ... }}
Writing this is kind of like extendingc
directly, wherec
extendsb
, andb
extendsa
.If any fields "conflict", the latter entry wins.
So in the following example, bothstrictNullChecks
andnoImplicitAny
are enabled in the finaltsconfig.json
.
// tsconfig1.json{"compilerOptions": {"strictNullChecks":true }}// tsconfig2.json{"compilerOptions": {"noImplicitAny":true }}// tsconfig.json{"extends": ["./tsconfig1.json","./tsconfig2.json"],"files": ["./index.ts"]}
As another example, we can rewrite our original example in the following way.
// packages/front-end/src/tsconfig.json{"extends": ["@tsconfig/strictest/tsconfig.json","../../../tsconfig.base.json"],"compilerOptions": {"outDir":"../lib",// ... }}
For more details,read more on the original pull request.
Allenum
s Are Unionenum
s
When TypeScript originally introduced enums, they were nothing more than a set of numeric constants with the same type.
enumE {Foo =10,Bar =20,}
The only thing special aboutE.Foo
andE.Bar
was that they were assignable to anything expecting the typeE
.Other than that, they were pretty much justnumber
s.
functiontakeValue(e:E) {}takeValue(E.Foo);// workstakeValue(123);// error!
It wasn’t until TypeScript 2.0 introduced enum literal types that enums got a bit more special.Enum literal types gave each enum member its own type, and turned the enum itself into aunion of each member type.They also allowed us to refer to only a subset of the types of an enum, and to narrow away those types.
// Color is like a union of Red | Orange | Yellow | Green | Blue | VioletenumColor {Red,Orange,Yellow,Green,Blue,/* Indigo */,Violet}// Each enum member has its own type that we can refer to!typePrimaryColor =Color.Red |Color.Green |Color.Blue;functionisPrimaryColor(c:Color):cisPrimaryColor {// Narrowing literal types can catch bugs.// TypeScript will error here because// we'll end up comparing 'Color.Red' to 'Color.Green'.// We meant to use ||, but accidentally wrote &&.returnc ===Color.Red &&c ===Color.Green &&c ===Color.Blue;}
One issue with giving each enum member its own type was that those types were in some part associated with the actual value of the member.In some cases it’s not possible to compute that value – for instance, an enum member could be initialized by a function call.
enumE {Blah =Math.random()}
Whenever TypeScript ran into these issues, it would quietly back out and use the old enum strategy.That meant giving up all the advantages of unions and literal types.
TypeScript 5.0 manages to make all enums into union enums by creating a unique type for each computed member.That means that all enums can now be narrowed and have their members referenced as types as well.
For more details on this change, you canread the specifics on GitHub.
--moduleResolution bundler
TypeScript 4.7 introduced thenode16
andnodenext
options for its--module
and--moduleResolution
settings.The intent of these options was to better model the precise lookup rules for ECMAScript modules in Node.js;however, this mode has many restrictions that other tools don’t really enforce.
For example, in an ECMAScript module in Node.js, any relative import needs to include a file extension.
// entry.mjsimport*asutilsfrom"./utils";// ❌ wrong - we need to include the file extension.import*asutilsfrom"./utils.mjs";// ✅ works
There are certain reasons for this in Node.js and the browser – it makes file lookups faster and works better for naive file servers.But for many developers using tools like bundlers, thenode16
/nodenext
settings were cumbersome because bundlers don’t have most of these restrictions.In some ways, thenode
resolution mode was better for anyone using a bundler.
But in some ways, the originalnode
resolution mode was already out of date.Most modern bundlers use a fusion of the ECMAScript module and CommonJS lookup rules in Node.js.For example, extensionless imports work just fine like in CommonJS, but when looking through theexport
conditions of a package, they’ll prefer animport
condition just like in an ECMAScript file.
To model how bundlers work, TypeScript now introduces a new strategy:--moduleResolution bundler
.
{"compilerOptions": {"target":"esnext","moduleResolution":"bundler" }}
If you are using a modern bundler like Vite, esbuild, swc, Webpack, Parcel, and others that implement a hybrid lookup strategy, the newbundler
option should be a good fit for you.
On the other hand, if you’re writing a library that’s meant to be published on npm, using thebundler
option can hide compatibility issues that may arise for your users whoaren’t using a bundler.So in these cases, using thenode16
ornodenext
resolution options is likely to be a better path.
To read more on--moduleResolution bundler
,take a look at the implementing pull request.
Resolution Customization Flags
JavaScript tooling may now model "hybrid" resolution rules, like in thebundler
mode we described above.Because tools may differ in their support slightly, TypeScript 5.0 provides ways to enable or disable a few features that may or may not work with your configuration.
allowImportingTsExtensions
--allowImportingTsExtensions
allows TypeScript files to import each other with a TypeScript-specific extension like.ts
,.mts
, or.tsx
.
This flag is only allowed when--noEmit
or--emitDeclarationOnly
is enabled, since these import paths would not be resolvable at runtime in JavaScript output files.The expectation here is that your resolver (e.g. your bundler, a runtime, or some other tool) is going to make these imports between.ts
files work.
resolvePackageJsonExports
--resolvePackageJsonExports
forces TypeScript to consulttheexports
field ofpackage.json
files if it ever reads from a package innode_modules
.
This option defaults totrue
under thenode16
,nodenext
, andbundler
options for--moduleResolution
.
resolvePackageJsonImports
--resolvePackageJsonImports
forces TypeScript to consulttheimports
field ofpackage.json
files when performing a lookup that starts with#
from a file whose ancestor directory contains apackage.json
.
This option defaults totrue
under thenode16
,nodenext
, andbundler
options for--moduleResolution
.
allowArbitraryExtensions
In TypeScript 5.0, when an import path ends in an extension that isn’t a known JavaScript or TypeScript file extension, the compiler will look for a declaration file for that path in the form of{file basename}.d.{extension}.ts
.For example, if you are using a CSS loader in a bundler project, you might want to write (or generate) declaration files for those stylesheets:
/* app.css */.cookie-banner {display:none;}
// app.d.css.tsdeclareconstcss: {cookieBanner:string;};exportdefaultcss;
// App.tsximportstylesfrom"./app.css";styles.cookieBanner;// string
By default, this import will raise an error to let you know that TypeScript doesn’t understand this file type and your runtime might not support importing it.But if you’ve configured your runtime or bundler to handle it, you can suppress the error with the new--allowArbitraryExtensions
compiler option.
Note that historically, a similar effect has often been achievable by adding a declaration file namedapp.css.d.ts
instead ofapp.d.css.ts
– however, this just worked through Node’srequire
resolution rules for CommonJS.Strictly speaking, the former is interpreted as a declaration file for a JavaScript file namedapp.css.js
.Because relative files imports need to include extensions in Node’s ESM support, TypeScript would error on our example in an ESM file under--moduleResolution node16
ornodenext
.
For more information, read upthe proposal for this feature andits corresponding pull request.
customConditions
--customConditions
takes a list of additionalconditions that should succeed when TypeScript resolves from an [exports
] or (https://nodejs.org/api/packages.html#exports) orimports
field of apackage.json
.These conditions are added to whatever existing conditions a resolver will use by default.
For example, when this field is set in atsconfig.json
as so:
{"compilerOptions": {"target":"es2022","moduleResolution":"bundler","customConditions": ["my-condition"] }}
Any time anexports
orimports
field is referenced inpackage.json
, TypeScript will consider conditions calledmy-condition
.
So when importing from a package with the followingpackage.json
{// ..."exports": {".": {"my-condition":"./foo.mjs","node":"./bar.mjs","import":"./baz.mjs","require":"./biz.mjs" } }}
TypeScript will try to look for files corresponding tofoo.mjs
.
This field is only valid under thenode16
,nodenext
, andbundler
options for--moduleResolution
--verbatimModuleSyntax
By default, TypeScript does something calledimport elision.Basically, if you write something like
import {Car }from"./car";exportfunctiondrive(car:Car) {// ...}
TypeScript detects that you’re only using an import for types and drops the import entirely.Your output JavaScript might look something like this:
exportfunctiondrive(car) {// ...}
Most of the time this is good, because ifCar
isn’t a value that’s exported from./car
, we’ll get a runtime error.
But it does add a layer of complexity for certain edge cases.For example, notice there’s no statement likeimport "./car";
– the import was dropped entirely.That actually makes a difference for modules that have side effects or not.
TypeScript’s emit strategy for JavaScript also has another few layers of complexity – import elision isn’t always just driven by how an import is used – it often consults how a value is declared as well.So it’s not always clear whether code like the following
export {Car }from"./car";
should be preserved or dropped.IfCar
is declared with something like aclass
, then it can be preserved in the resulting JavaScript file.But ifCar
is only declared as atype
alias orinterface
, then the JavaScript file shouldn’t exportCar
at all.
While TypeScript might be able to make these emit decisions based on information from across files, not every compiler can.
Thetype
modifier on imports and exports helps with these situations a bit.We can make it explicit whether an import or export is only being used for type analysis, and can be dropped entirely in JavaScript files by using thetype
modifier.
// This statement can be dropped entirely in JS outputimporttype*ascarfrom"./car";// The named import/export 'Car' can be dropped in JS outputimport {typeCar }from"./car";export {typeCar }from"./car";
type
modifiers are not quite useful on their own – by default, module elision will still drop imports, and nothing forces you to make the distinction betweentype
and plain imports and exports.So TypeScript has the flag--importsNotUsedAsValues
to make sure you use thetype
modifier,--preserveValueImports
to preventsome module elision behavior, and--isolatedModules
to make sure that your TypeScript code works across different compilers.Unfortunately, understanding the fine details of those 3 flags is hard, and there are still some edge cases with unexpected behavior.
TypeScript 5.0 introduces a new option called--verbatimModuleSyntax
to simplify the situation.The rules are much simpler – any imports or exports without atype
modifier are left around.Anything that uses thetype
modifier is dropped entirely.
// Erased away entirely.importtype {A }from"a";// Rewritten to 'import { b } from "bcd";'import {b,typec,typed }from"bcd";// Rewritten to 'import {} from "xyz";'import {typexyz }from"xyz";
With this new option, what you see is what you get.
That does have some implications when it comes to module interop though.Under this flag, ECMAScriptimport
s andexport
s won’t be rewritten torequire
calls when your settings or file extension implied a different module system.Instead, you’ll get an error.If you need to emit code that usesrequire
andmodule.exports
, you’ll have to use TypeScript’s module syntax that predates ES2015:
Input TypeScript | Output JavaScript |
---|---|
|
|
|
|
While this is a limitation, it does help make some issues more obvious.For example, it’s very common to forget to set thetype
field inpackage.json
under--module node16
.As a result, developers would start writing CommonJS modules instead of an ES modules without realizing it, giving surprising lookup rules and JavaScript output.This new flag ensures that you’re intentional about the file type you’re using because the syntax is intentionally different.
Because--verbatimModuleSyntax
provides a more consistent story than--importsNotUsedAsValues
and--preserveValueImports
, those two existing flags are being deprecated in its favor.
For more details, read up onthe original pull request andits proposal issue.
Support forexport type *
When TypeScript 3.8 introduced type-only imports, the new syntax wasn’t allowed onexport * from "module"
orexport * as ns from "module"
re-exports. TypeScript 5.0 adds support for both of these forms:
// models/vehicles.tsexportclassSpaceship {// ...}// models/index.tsexporttype*asvehiclesfrom"./vehicles";// main.tsimport {vehicles }from"./models";functiontakeASpaceship(s:vehicles.Spaceship) {// ✅ ok - `vehicles` only used in a type position}functionmakeASpaceship() {returnnewvehicles.Spaceship();// ^^^^^^^^// 'vehicles' cannot be used as a value because it was exported using 'export type'.}
You canread more about the implementation here.
@satisfies
Support in JSDoc
TypeScript 4.9 introduced thesatisfies
operator.It made sure that the type of an expression was compatible, without affecting the type itself.For example, let’s take the following code:
interfaceCompilerOptions {strict?:boolean;outDir?:string;// ...}interfaceConfigSettings {compilerOptions?:CompilerOptions;extends?:string |string[];// ...}letmyConfigSettings = {compilerOptions: {strict:true,outDir:"../lib",// ... },extends: ["@tsconfig/strictest/tsconfig.json","../../../tsconfig.base.json" ],}satisfiesConfigSettings;
Here, TypeScript knows thatmyConfigSettings.extends
was declared with an array – because whilesatisfies
validated the type of our object, it didn’t bluntly change it toConfigSettings
and lose information.So if we want to map overextends
, that’s fine.
declarefunctionresolveConfig(configPath:string):CompilerOptions;letinheritedConfigs =myConfigSettings.extends.map(resolveConfig);
This was helpful for TypeScript users, but plenty of people use TypeScript to type-check their JavaScript code using JSDoc annotations.That’s why TypeScript 5.0 is supporting a new JSDoc tag called@satisfies
that does exactly the same thing.
/** @satisfies */
can catch type mismatches:
// @ts-check/** *@typedefCompilerOptions *@prop{boolean}[strict] *@prop{string}[outDir] *//** *@satisfies {CompilerOptions} */letmyCompilerOptions = {outdir:"../lib",// ~~~~~~ oops! we meant outDir};
But it will preserve the original type of our expressions, allowing us to use our values more precisely later on in our code.
// @ts-check/** *@typedefCompilerOptions *@prop{boolean}[strict] *@prop{string}[outDir] *//** *@typedefConfigSettings *@prop{CompilerOptions}[compilerOptions] *@prop{string | string[]}[extends] *//** *@satisfies {ConfigSettings} */letmyConfigSettings = {compilerOptions: {strict:true,outDir:"../lib", },extends: ["@tsconfig/strictest/tsconfig.json","../../../tsconfig.base.json" ],};letinheritedConfigs =myConfigSettings.extends.map(resolveConfig);
/** @satisfies */
can also be used inline on any parenthesized expression.We could have writtenmyConfigSettings
like this:
letmyConfigSettings =/**@satisfies {ConfigSettings} */ ({compilerOptions: {strict:true,outDir:"../lib", },extends: ["@tsconfig/strictest/tsconfig.json","../../../tsconfig.base.json" ],});
Why?Well, it usually makes more sense when you’re deeper in some other code, like a function call.
compileCode(/**@satisfies {ConfigSettings} */ ({// ...}));
This feature was provided thanks toOleksandr Tarasiuk!
@overload
Support in JSDoc
In TypeScript, you can specify overloads for a function.Overloads give us a way to say that a function can be called with different arguments, and possibly return different results.They can restrict how callers can actually use our functions, and refine what results they’ll get back.
// Our overloads:functionprintValue(str:string):void;functionprintValue(num:number,maxFractionDigits?:number):void;// Our implementation:functionprintValue(value:string |number,maximumFractionDigits?:number) {if (typeofvalue ==="number") {constformatter =Intl.NumberFormat("en-US", {maximumFractionDigits, });value =formatter.format(value); }console.log(value);}
Here, we’ve said thatprintValue
takes either astring
or anumber
as its first argument.If it takes anumber
, it can take a second argument to determine how many fractional digits we can print.
TypeScript 5.0 now allows JSDoc to declare overloads with a new@overload
tag.Each JSDoc comment with an@overload
tag is treated as a distinct overload for the following function declaration.
// @ts-check/** *@overload *@param{string}value *@return{void} *//** *@overload *@param{number}value *@param{number}[maximumFractionDigits] *@return{void} *//** *@param{string | number}value *@param{number}[maximumFractionDigits] */functionprintValue(value,maximumFractionDigits) {if (typeofvalue ==="number") {constformatter =Intl.NumberFormat("en-US", {maximumFractionDigits, });value =formatter.format(value); }console.log(value);}
Now regardless of whether we’re writing in a TypeScript or JavaScript file, TypeScript can let us know if we’ve called our functions incorrectly.
// all allowedprintValue("hello!");printValue(123.45);printValue(123.45,2);printValue("hello!",123);// error!
This new tagwas implemented thanks toTomasz Lenarcik.
Passing Emit-Specific Flags Under--build
TypeScript now allows the following flags to be passed under--build
mode
--declaration
--emitDeclarationOnly
--declarationMap
--sourceMap
--inlineSourceMap
This makes it way easier to customize certain parts of a build where you might have different development and production builds.
For example, a development build of a library might not need to produce declaration files, but a production build would.A project can configure declaration emit to be off by default and simply be built with
tsc --build -p ./my-project-dir
Once you’re done iterating in the inner loop, a "production" build can just pass the--declaration
flag.
tsc --build -p ./my-project-dir --declaration
More information on this change is available here.
Case-Insensitive Import Sorting in Editors
In editors like Visual Studio and VS Code, TypeScript powers the experience for organizing and sorting imports and exports.Often though, there can be different interpretations of when a list is "sorted".
For example, is the following import list sorted?
import {Toggle,freeze,toBoolean,}from"./utils";
The answer might surprisingly be "it depends".If wedon’t care about case-sensitivity, then this list is clearly not sorted.The letterf
comes before botht
andT
.
But in most programming languages, sorting defaults to comparing the byte values of strings.The way JavaScript compares strings means that"Toggle"
always comes before"freeze"
because according to theASCII character encoding, uppercase letters come before lowercase.So from that perspective, the import list is sorted.
TypeScript previously considered the import list to be sorted because it was doing a basic case-sensitive sort.This could be a point of frustration for developers who preferred a case-insensitive ordering, or who used tools like ESLint which require to case-insensitive ordering by default.
TypeScript now detects case sensitivity by default.This means that TypeScript and tools like ESLint typically won’t "fight" each other over how to best sort imports.
Our team has also been experimentingwith further sorting strategies which you can read about here.These options may eventually be configurable by editors.For now, they are still unstable and experimental, and you can opt into them in VS Code today by using thetypescript.unstable
entry in your JSON options.Below are all of the options you can try out (set to their defaults):
{"typescript.unstable": {// Should sorting be case-sensitive? Can be:// - true// - false// - "auto" (auto-detect)"organizeImportsIgnoreCase":"auto",// Should sorting be "ordinal" and use code points or consider Unicode rules? Can be:// - "ordinal"// - "unicode""organizeImportsCollation":"ordinal",// Under `"organizeImportsCollation": "unicode"`,// what is the current locale? Can be:// - [any other locale code]// - "auto" (use the editor's locale)"organizeImportsLocale":"en",// Under `"organizeImportsCollation": "unicode"`,// should upper-case letters or lower-case letters come first? Can be:// - false (locale-specific)// - "upper"// - "lower""organizeImportsCaseFirst":false,// Under `"organizeImportsCollation": "unicode"`,// do runs of numbers get compared numerically (i.e. "a1" < "a2" < "a100")? Can be:// - true// - false"organizeImportsNumericCollation":true,// Under `"organizeImportsCollation": "unicode"`,// do letters with accent marks/diacritics get sorted distinctly// from their "base" letter (i.e. is é different from e)? Can be// - true// - false"organizeImportsAccentCollation":true },"javascript.unstable": {// same options valid here... },}
You can read more details onthe original work for auto-detecting and specifying case-insensitivity, followed bythe broader set of options.
Exhaustiveswitch
/case
Completions
When writing aswitch
statement, TypeScript now detects when the value being checked has a literal type.If so, it will offer a completion that scaffolds out each uncoveredcase
.
You cansee specifics of the implementation on GitHub.
Speed, Memory, and Package Size Optimizations
TypeScript 5.0 contains lots of powerful changes across our code structure, our data structures, and algorithmic implementations.What these all mean is that your entire experience should be faster – not just running TypeScript, but even installing it.
Here are a few interesting wins in speed and size that we’ve been able to capture relative to TypeScript 4.9.
Scenario | Time or Size Relative to TS 4.9 |
---|---|
material-ui build time | 90% |
TypeScript Compiler startup time | 89% |
Playwright build time | 88% |
TypeScript Compiler self-build time | 87% |
Outlook Web build time | 82% |
VS Code build time | 80% |
typescript npm Package Size | 59% |
How?There are a few notable improvements we’d like to give more details on in the future.But we won’t make you wait for that blog post.
First off, we recently migrated TypeScript from namespaces to modules, allowing us to leverage modern build tooling that can perform optimizations like scope hoisting.Using this tooling, revisiting our packaging strategy, and removing some deprecated code has shaved off about 26.4 MB from TypeScript 4.9’s 63.8 MB package size.It also brought us a notable speed-up through direct function calls.We put togethera detailed write-up about our migration to modules here.
TypeScript also added more uniformity to internal object types within the compiler, and also slimmed the data stored on some of these object types as well.This reduced polymorphic operations, while balancing out the increase in memory usage that came from making our object shapes more uniform.
We’ve also performed some caching when serializing information to strings.Type display, which can happen as part of error reporting, declaration emit, code completions, and more, can end up being fairly expensive.TypeScript now caches some commonly used machinery to reuse across these operations.
Another notable change we made that improved our parser was leveragingvar
to occasionally side-step the cost of usinglet
andconst
across closures.This improved some of our parsing performance.
Overall, we expect most codebases should see speed improvements from TypeScript 5.0, and have consistently been able to reproduce wins between 10% to 20%.Of course this will depend on hardware and codebase characteristics, but we encourage you to try it out on your codebase today!
For more information, see some of our notable optimizations:
- Migrate to Modules
Node
MonomorphizationSymbol
MonomorphizationIdentifier
Size ReductionPrinter
Caching- Limited Usage of
var
Breaking Changes and Deprecations
Runtime Requirements
TypeScript now targets ECMAScript 2018.The TypeScript package has also set a minimum expected engine of 12.20.For Node users, that means TypeScript 5.0 has a minimum version requirement of at least Node.js 12.20 and later.
lib.d.ts
Changes
Changes to how types for the DOM are generated might have an impact on existing code.Notably, certain properties have been converted fromnumber
to numeric literal types, and properties and methods for cut, copy, and paste event handling have been moved across interfaces.
API Breaking Changes
In TypeScript 5.0,we moved to modules, removed some unnecessary interfaces, and made some correctness improvements.For more details on what’s changed, see ourAPI Breaking Changes page.
Forbidden Implicit Coercions in Relational Operators
Certain operations in TypeScript will already warn you if you write code which may cause an implicit string-to-number coercion:
functionfunc(ns:number |string) {returnns *4;// Error, possible implicit coercion}
In 5.0, this will also be applied to the relational operators>
,<
,<=
, and>=
:
functionfunc(ns:number |string) {returnns >4;// Now also an error}
To allow this if desired, you can explicitly coerce the operand to anumber
using+
:
functionfunc(ns:number |string) {return +ns >4;// OK}
Thiscorrectness improvement was contributed courtesy ofMateusz Burzyński.
Enum Overhaul
TypeScript has had some long-standing oddities aroundenum
s ever since its first release.In 5.0, we’re cleaning up some of these problems, as well as reducing the concept count needed to understand the various kinds ofenum
s you can declare.
There are two main new errors you might see as part of this.The first is that assigning an out-of-domain literal to anenum
type will now error as one might expect:
enumSomeEvenDigit {Zero =0,Two =2,Four =4}// Now correctly an errorletm:SomeEvenDigit =1;
The other is that enums with values declared with a mix of numbers and indirect string enum references would incorrectly create an all-numberenum
:
enumLetters {A ="a"}enumNumbers {one =1,two =Letters.A}// Now correctly an errorconstt:number =Numbers.two;
You cansee more details in relevant change.
More Accurate Type-Checking for Parameter Decorators in Constructors Under--experimentalDecorators
TypeScript 5.0 makes type-checking more accurate for decorators under--experimentalDecorators
.One place where this becomes apparent is when using a decorator on a constructor parameter.
exportdeclareconstinject: (entity:any)=> (target:object,key:string |symbol,index?:number)=>void;exportclassFoo {}exportclassC {constructor(@inject(Foo)privatex:any) { }}
This call will fail becausekey
expects astring | symbol
, but constructor parameters receive a key ofundefined
.The correct fix is to change the type ofkey
withininject
.A reasonable workaround if you’re using a library that can’t be upgraded is to wrapinject
in a more type-safe decorator function, and use a type-assertion onkey
.
For more details,see this issue.
Deprecations and Default Changes
In TypeScript 5.0, we’ve deprecated the following settings and setting values:
--target: ES3
--out
--noImplicitUseStrict
--keyofStringsOnly
--suppressExcessPropertyErrors
--suppressImplicitAnyIndexErrors
--noStrictGenericChecks
--charset
--importsNotUsedAsValues
--preserveValueImports
prepend
in project references
These configurations will continue to be allowed until TypeScript 5.5, at which point they will be removed entirely, however, you will receive a warning if you are using these settings.In TypeScript 5.0, as well as future releases 5.1, 5.2, 5.3, and 5.4, you can specify"ignoreDeprecations": "5.0"
to silence those warnings.We’ll also shortly be releasing a 4.9 patch to allow specifyingignoreDeprecations
to allow for smoother upgrades.Aside from deprecations, we’ve changed some settings to better improve cross-platform behavior in TypeScript.
--newLine
, which controls the line endings emitted in JavaScript files, used to be inferred based on the current operating system if not specified.We think builds should be as deterministic as possible, and Windows Notepad supports line-feed line endings now, so the new default setting isLF
.The old OS-specific inference behavior is no longer available.
--forceConsistentCasingInFileNames
, which ensured that all references to the same file name in a project agreed in casing, now defaults totrue
.This can help catch differences issues with code written on case-insensitive file systems.
You can leave feedback and view more information on thetracking issue for 5.0 deprecations
What’s Next?
Not to get ahead of ourselves, but TypeScript 5.1 is already in the works, andall our plans are already on GitHub.If you’re eager, we encourage you totry out our nightly builds of TypeScript or theJavaScript and TypeScript Nightly extension for VS Code!
Of course, we won’t be hurt if you choose to just enjoy the new stable version of TypeScript.We hope TypeScript 5.0 makes coding faster and more fun for everyone.
Happy Hacking!
– Daniel Rosenwasser and the TypeScript Team
Author

Daniel Rosenwasser is the product manager of the TypeScript team. He has a passion for programming languages, compilers, and great developer tooling.
7 comments
Discussion is closed.Login to edit/delete existing comments.
Kovács András found a typo:
in the example about the enum update
> function isPrimaryColor(c: Color): c is PrimaryColor {uses `is` instead of `as`
GS ZS· Edited Great updates, especially the decorator syntax.
Cesar Kohl That’s great! I was following the development of this new version on GitHub and now here we are! The new features on the decorators are quite relevant. Thank you for this detailed explanation.
rain84· Edited Thank you for a nice article!
You have a subtle typo in the 1st example aboutconst
type HasNames = {readonly names: string[] };
You should remove “readonly” from “names” and place it before a “string”
type HasNames = { names:readonly string[] };
After that example will be correct.
André Casal· Edited Read moreIn the @satisfies Support in JSDoc we have:
<code>
"Here, TypeScript knows that myCompilerOptions.extends was declared with an array – because while satisfies validated the type of our object, it didn’t bluntly change it to CompilerOptions and lose information. So if we want to map over extends, that’s fine."
Shouldn't this be:
"Here, TypeScript knows that myConfigSettings.extends was declared with an array – because while satisfies validated the type of our object, it didn’t bluntly change it to ConfigSettings and lose information. So if we want to map over extends, that’s fine."
Read lessIn the@satisfies Support in JSDoc we have:
interface CompilerOptions { strict?: boolean; outDir?: string; // ...}interface ConfigSettings { compilerOptions?: CompilerOptions; extends?: string | string[]; // ...}let myConfigSettings = { compilerOptions: { strict: true, outDir: "../lib", // ... }, extends: [ "@tsconfig/strictest/tsconfig.json", "../../../tsconfig.base.json" ],} satisfies ConfigSettings;
“Here, TypeScript knows that myCompilerOptions.extends was declared with an array – because while satisfies validated the type of our object, it didn’t bluntly change it to CompilerOptions and lose information. So if we want to map over extends, that’s fine.”
Shouldn’t this be:
“Here, TypeScript knows thatmyConfigSettings.extends was declared with an array – because while satisfies validated the type of our object, it didn’t bluntly change it toConfigSettings and lose information. So if we want to map over extends, that’s fine.”
David Blass Read moreMassive release! `const` generic parameters in particular have been a god-send for our repo's static inference where previously we were forced to constantly rely on complex narrowing logic based on extends checks.
I look forward to the day when we support 5.0 as our minimum version and replace all of them with `const` generics for 1:1-inferred definitions like this:
<code>
Plus we'll finally be able to remove the crazy hack we had to write to allow ts-morph to make type assertions on our codebase by transforming all of our `.ts` imports to `.js` in a virtual file system, which now that I think...
Read lessMassive release! `const` generic parameters in particular have been a god-send forour repo’s static inference where previously we were forced to constantly rely on complex narrowing logic based on extends checks.
I look forward to the day when we support 5.0 as our minimum version and replace all of them with `const` generics for 1:1-inferred definitions like this:
const package = type({ name: "string", "version?": "number"})
Plus we’ll finally be able to remove the crazy hack we had to write to allow ts-morph to make type assertions on our codebase by transforming all of our `.ts` imports to `.js` in a virtual file system, which now that I think of it I’m probably looking forward to deleting even more 😀
Great work, and looking forward to what comes next!