Tags:
- 💥 [Breaking Change]
- 👓[Spec Compliancy]
- 🚀 [New Feature]
- 🐛 [Bug Fix]
- 📝 [Documentation]
- 🏠 [Internal]
- 💅 [Polish]
Note: Gaps between patch versions are faulty, broken or test releases.
See CHANGELOG - 6to5 for the pre-4.0.0 version changelog.
https://github.com/tc39/proposals/commit/96f8d79dac33575e24f6ac3ec2082efe75d519ba
Specification repo: https://github.com/tc39/proposal-async-iteration
Asynchronous Iteration was already added in 6.16.0 under stage-2 but it was moved to stage-3 at the latest TC-39 meeting.
// async generator syntax
async function* agf() {}
// for-await statement
async function f() {
for await (let x of y) {
g(x);
}
}
To use it as a standalone plugin:
{
"plugins": ["transform-async-generator-functions"]
}
With the stage-3 preset (or below):
{
"presets": ["stage-3"]
}
Similarly, object-rest-spread is now also at stage-3.
https://twitter.com/sebmarkbage/status/781564713750573056 https://github.com/tc39/proposals/commit/142ac3ce7f3f56989800260f029b76afe4a02e57
// Rest properties
let { x, y, ...z } = { x: 1, y: 2, a: 3, b: 4 };
console.log(x); // 1
console.log(y); // 2
console.log(z); // { a: 3, b: 4 }
// Spread properties
let n = { x, y, ...z };
console.log(n); // { x: 1, y: 2, a: 3, b: 4 }
To use it as a standalone plugin:
{
"plugins": ["transform-object-rest-spread"]
}
With the stage-3 preset (or below):
{
"presets": ["stage-3"]
}
References:
Adds a retainFunctionParens
to babel-generator
. This option will retain the parentheses around an IIFE.
// parens are stripped without the option
__d('x', (function () {}));
babel-core
babel-generator
- #4633 Fixed babel#4632 - missing parentheses around yield expression …. (@bjouhier)
babel-plugin-transform-es2015-parameters
babel-plugin-transform-flow-comments
- #4623 Fix regression in transform-flow-comments for class properties. (@danharper)
First PR!
- Bruno Jouhier (bjouhier)
Babel 6.16: Happy 2nd Birthday 🎂!
babel-core
,babel-generator
,babel-helper-remap-async-to-generator
,babel-helpers
,babel-plugin-transform-async-generator-functions
,babel-types
,babel-preset-stage-2
, ...- #3473 via #4576 Implement support for async generator functions and for-await statements. (@zenparsing)
This change implements the async iteration proposal, currently at stage 2 (and pushing to stage 3 at the current TC-39 meeting). It includes the following features:
- Transforms async generator functions (
async function* g() { }
) to wrapped generator functions, similar to the current async-to-generator transform.
async function* agf() {
this;
await 1;
yield 2;
return 3;
}
- Transforms
for-await
statements into for loops containing yield expressions.
async function f() {
for await (let x of y) {
g(x);
}
}
Example Usage
async function* genAnswers() {
var stream = [ Promise.resolve(4), Promise.resolve(9), Promise.resolve(12) ];
var total = 0;
for await (let val of stream) {
total += await val;
yield total;
}
}
function forEach(ai, fn) {
return ai.next().then(function (r) {
if (!r.done) {
fn(r);
return forEach(ai, fn);
}
});
}
var output = 0;
return forEach(genAnswers(), function(val) { output += val.value })
.then(function () {
assert.equal(output, 42);
});
babel-core
,babel-generator
,babel-plugin-transform-class-properties
,babel-template
,babel-traverse
,babel-types
Parser support was added in babylon@6.11.0 with babel/babylon#121
// Example
class Foo {
[x]
['y']
}
class Bar {
[p]
[m] () {}
}
Parser support was added in babylon@6.10.0 with babel/babylon#104
// Example
var a : {| x: number, y: string |} = { x: 0, y: 'foo' };
Babel will now also take the options: parserOpts
and generatorOps
(as objects).
parserOpts
will pass all properties down to the default babylon
parser. You can also pass a parser
option to substitute for a different parser.
This will allow passing down any of babylon's
options:
{
"parserOpts": {
"allowImportExportEverywhere": true,
"allowReturnOutsideFunction": true,
"sourceType": "module",
"plugins": ["flow"]
}
}
Another use case (the main reason for doing this), is to be able to use recast with Babel.
{
"parserOpts": {
"parser": "recast"
},
"generatorOpts": {
"generator": "recast"
}
}
{
presets: ["@org/babel-preset-name"], // actual package
presets: ["@org/name"] // shorthand name
}
useBuiltIns
- Do not use Babel's helper's and just transform to use the built-in method (Disabled by default).
{
"plugins": [
["transform-object-rest-spread", { "useBuiltIns": true }]
]
}
// source
z = { x, ...y };
// compiled
z = Object.assign({ x }, y);
babel-code-frame
is a standalone package that we use in Babel when reporting errors.
Now there is an option to specify the number of lines above and below the error
1 | class Foo {
> 2 | constructor()
| ^
3 | }
babel-core
,babel-preset-es2015
,babel-preset-es2016
,babel-preset-es2017
,babel-preset-latest
,babel-preset-react
,babel-preset-stage-0
,babel-preset-stage-1
,babel-preset-stage-2
,babel-preset-stage-3
We previously made presets with commonjs exports
module.exports = {
plugins: [
require("babel-plugin-syntax-trailing-function-commas")
]
};
Now you can use export default as well
import transformExponentiationOperator from "babel-plugin-transform-exponentiation-operator";
export default {
plugins: [
transformExponentiationOperator
]
};
babel-helpers
,babel-plugin-transform-es2015-typeof-symbol
- #3686 Fix
typeof Symbol.prototype
. (@brainlock)
- #3686 Fix
// `typeof Symbol.prototype` should be 'object'
typeof Symbol.prototype === 'object'
babel-cli
- #3456 Use the real sourcemap API and handle input sourcemaps - Fixes #7259. (@loganfsmyth)
- #4507 Only set options in cli if different from default. (@danez)
Fix an issue with defaults not being overidden. This was causing options like comments: false
not to work correctly.
- #4508 Support custom ports for V8 --inspect. (@andykant)
- #4562 Fixes #2299: Prevent REPL from printing implicit 'use strict'. (@hzoo)
babel-plugin-transform-es2015-function-name
,babel-traverse
- #4524 Fix default export with arrows and function naming. (@danharper)
// wasn't exporting correctly before
export default ({ onClick }) => {
return <div onClick={() => onClick()}></div>;
}
babel-plugin-transform-es2015-modules-commonjs
export default class {};
// wasn't correctly transforming to
exports["default"] = class {}
// with the es3-tranforms
babel-plugin-transform-flow-strip-types
,babel-types
// <X> wasn't stripped out
const find = <X> (f: (x:X) => X, xs: Array<X>): ?X => (
xs.reduce(((b, x) => b ? b : f(x) ? x : null), null)
)
babel-generator
,babel-plugin-transform-flow-comments
- #4504 Flow: Fix generating arrow functions with param. (@danharper)
babel-register
babel-core
- #4570 Fix fileName options passed to babylon. (@DatenMetzgerX)
babel-traverse
- #4534 Fix issue with minified libraries and code coverage. (@withinboredom)
babel-plugin-transform-es2015-destructuring
We noticed that we can not make this optimizations if there are function calls or member expressions on the right hand side of the assignment since the function call or the member expression (which might be a getter with side-effect) could potentially change the variables we are assigning to.
[x, y] = [a(), obj.x];
// was tranforming to
x = a();
y = obj.x;
// now transforms to
var _ref = [a(), obj.x];
x = _ref[0];
y = _ref[1];
babel-types
- #4587 Prevent flow-strip-types/flow-comments from removing entire ClassProperty. (@danharper)
babel-code-frame
Before
After
babel-core
babel-helper-replace-supers
- #4520 Remove unused
thisReference
argument togetSuperProperty
. (@eventualbuddha)
- #4520 Remove unused
babel-generator
- #4478 babel-generator: Ensure ASCII-safe output for string literals. (@mathiasbynens)
babel-core
,babel-plugin-transform-es2015-arrow-functions
,babel-plugin-transform-es2015-destructuring
,babel-plugin-transform-es2015-modules-commonjs
,babel-plugin-transform-es2015-parameters
- #4515 Flip default parameter template. (@jridgewell)
babel-core
,babel-helpers
Cleanup tests, remove various unused dependencies, do not run CI with only readme changes.
babel-plugin-transform-es2015-modules-amd
,babel-plugin-transform-es2015-modules-commonjs
,babel-plugin-transform-es2015-modules-umd
- #4543 Remove duplicate default error. (@kaicataldo)
babel-generator
,babel-plugin-transform-es2015-modules-amd
,babel-plugin-transform-es2015-modules-commonjs
,babel-plugin-transform-es2015-modules-systemjs
,babel-plugin-transform-es2015-modules-umd
,babel-plugin-transform-flow-strip-types
- #4538 Fix tests with duplicate named exports. (@kaicataldo)
babel-plugin-transform-es2015-function-name
- #4532 Add tests for other module formats, from #4524. (@danharper)
babel-plugin-transform-es2015-parameters
,babel-traverse
babel-polyfill
babel-preset-es2015
- #4501 Remove ES2015 tests than do not parse in ES2016. (@TimothyGu)
babel-plugin-transform-regenerator
babel-code-frame
babel-helper-transform-fixture-test-runner
- Other
First PRs!
- Alberto Piai (brainlock)
- Andy Kant (andykant)
- Basil Hosmer (bhosmer)
- Bo Borgerson (gigabo)
- Dan Harper (danharper)
- Kay J. (ksjun)
- Maxime Thirouin (MoOx)
- Micha Reiser (DatenMetzgerX)
- Moti Zilberman (motiz88)
- Rob Landers (withinboredom)
- Timothy Gu (TimothyGu)
- zenparsing (zenparsing)
#3612 The main change is an option to transform-runtime
for a custom path which will be used in create-react-app. Also some bug fixes.
{
"plugins": ["transform-runtime", {
"moduleName": "my-custom-babel-runtime"
}]
}
#3689 Adds a preserveComments
option to babel-template
.
It's @ben-eb, @d4rkr00t, and @ryb73 first PRs!
babel-plugin-transform-runtime
babel-template
,babel-traverse
,babel-types
babel-plugin-transform-es2015-block-scoping
babel-types
babel-traverse
babel-helper-builder-binary-assignment-operator-visitor
,babel-plugin-transform-es2015-classes
babel-traverse
,babel-types
- #3676 Remove the cycle from babel-types/babel-traverse.. (@loganfsmyth)
Lots of stuff in this release!
- #3624 A new preset for
es2017
: it includes the 2 previous stage-3 plugins: async/await (via transform-async-to-generator) and trailing commas in functions. (thanks to @bettiolo for the npm package)
npm install babel-preset-es2017 --save-dev
// .babelrc
{ "presets": ["es2017"] }
- #3625, #3673 A new preset called
latest
that transforms ES2015+ (currently ES2015, ES2016, ES2017). You can also pass options down to thees2015
preset.
We also will be working on getting a target/env (autoprefixer) preset soon.
npm install babel-preset-latest --save-dev
// .babelrc
{ "presets": ["latest"] }
// with options
{ "presets": [
["latest", {
"es2015": {
"modules": false
}
}]
] }
- #3671 We also are including a
spec
option for thees2015
preset since the arrow function/template string plugins support this option.
spec
for arrow functions uses.bind(this)
, instead of renaming, to makethis
available inside the transformed function. It also adds a runtime check to make sure they are not instantiated (since they transform into bound regular functions).spec
for template literals wraps all expressions inString
rather than simple string concatenation.
// .babelrc
{
"presets": [
["es2015", { "spec": true }]
]
}
-
#3659 @kittens added an optional
wrapPluginVisitorMethod
callback to transform to allow for performance tracking/introspection of plugins. More docs will be added on the website soon. -
#3658 sourcemaps will also now have a
names
field for identifiers to allow debuggers to do re-aliasing of mangled identifiers. -
#3518 For spec compilancy, we now will throw on a file with multiple export default.
- #3527 Fix class inheritance in IE <=10 without
loose
mode. - #3644 Support the
ignore
config option in.babelrc
. - #3655 Flow-only class props were not be stripped without
transform-class-properties
.
babel-core
- #3641 Fix exports of babel-core. (@thejameskyle)
- #3646 Remove Guy Fieri from Babel's source code. (@jdan)
It's also a lot folk's first PR (or first code PR)!
- Adam Leventhal (ahl)
- Boopathi Rajaa (boopathi)
- Diogo Franco (Kovensky)
- Jordan Scales (jdan)
- Kai Cataldo (kaicataldo)
- Marcelo Jorge Vieira (marcelometal)
- Paul O’Shannessy (zpao)
- Sota Yamashtia (sotayamashita)
- Thomas Aylott (subtleGradient)
babel-preset-es2015
babel-preset-latest
- #3673 add options to
babel-preset-latest
. (@hzoo) - #3625 Create
babel-preset-latest
. (@sotayamashita)
- #3673 add options to
babel-preset-es2017
- #3624 Add es2017-preset. (@sotayamashita)
babel-core
,babel-traverse
babel-cli
,babel-core
,babel-generator
,babel-plugin-transform-regenerator
,babel-template
,babel-traverse
babel-generator
,babel-types
babel-plugin-transform-es2015-modules-amd
,babel-plugin-transform-es2015-modules-commonjs
,babel-plugin-transform-es2015-modules-umd
- #3518 Throw error for multiple exports default. (@kaicataldo)
babel-core
,babel-helper-replace-supers
,babel-plugin-transform-class-properties
,babel-plugin-transform-es2015-classes
,babel-plugin-transform-es2015-function-name
,babel-plugin-transform-es2015-object-super
,babel-plugin-transform-es2015-parameters
babel-cli
- #3644 Fixes #6726 ignore config option. (@subtleGradient)
babel-plugin-transform-es2015-modules-systemjs
- #3650 System.register update expression consistency. (@guybedford)
babel-generator
babel-register
babel-plugin-transform-es2015-block-scoping
babel-traverse
babel-plugin-transform-flow-strip-types
- #3655 Strip flow-only class props without needing transform-class-properties.. (@loganfsmyth)
- Other
- #3651 Fixed typo in README.md. (@marcelometal)
babel-preset-es2015
,babel-preset-latest
babel-preset-es2015
- #3672 Fixes modules test to actually test modules. (@Kovensky)
- #3640 Update test name to reflect reality.. (@eventualbuddha)
- Other
Hi again, just fixing up logic from the backwards-compatibility fix which broke options in presets. Also added more tests and will update Babel to use the new preset options after this release.
babel-core
,babel-preset-es2015
- #3638 [Bug Fix] option manager: val = val.buildPreset should be before the check if the preset supports options (@christophehurpeau)
We had a regression in our new babel-preset-es2015@6.13.0 that made it unexpectedly backward-incompatible. This release introduces a new alternative plugin-options approach that is uglier but supports backward-compatiblity. Ideally new plugins would use the new module.exports = function(babel, options){ }
approach and simple skip supporting babel-core@<6.13.x
.
babel-core
,babel-preset-es2015
- #3635 Fix backward-compatibility of babel-preset-es2015. (@loganfsmyth)
Since the last release we've created https://github.com/babel/notes to track discussions on our slack and high level features/changes that could be added - definetely check it out if you're interested in Babel's development!
Some small but very important additions in this release:
Preset options (babel/notes)
Initially, presets were supposed to be one-off sets of plugins that didn't have any configuration. If you wanted to do something different you would make your own presets. There are > 600 presets on npm now. We want to give users more flexibility in certain cases: like when you want to pass the same option to multiple presets or to remove a default plugin.
This has been rather annoying. Having to install babel-preset-es2015-loose-native-modules
seems rather crazy when it could be an option.
With #3627, you can pass 2 options in:
loose
- Enable "loose" transformations for any plugins in this preset that allow them (Disabled by default).modules
- Enable transformation of ES6 module syntax to another module type (Enabled by default to"commonjs"
). Can befalse
to not transform modules, or one of["amd", "umd", "systemjs", "commonjs"]
// for loose and native modules
{
presets: [
["es2015", { "loose": true, "modules": false }]
]
}
- #3613 Move the decorators transform.
- #3626 Make a more informative error message when using the default decorators transform and link to the legacy transform
- #3611 Move class properties transform.
babel-preset-es2017
,babel-preset-latest
(still deciding the name), supporting codemods, and more!
babel-core
,babel-preset-es2015
- #3627 es2015: transpile the preset, modify modules option to support "amd,umd,systemjs" as well, tests. (@hzoo)
- #3331 Support passing options to presets.. (@loganfsmyth)
babel-preset-stage-1
,babel-preset-stage-2
- #3613 Move decorators to stage 2. (@doug-wade)
- #3611 Move
babel-plugin-transform-class-properties
to stage 2. (@kripod)
babel-traverse
- #3557 Fix bug where
path.evaluate
treats repeated identifiers as undefined. (@erikdesjardins)
- #3557 Fix bug where
babel-plugin-transform-decorators
babel-types
babel-plugin-syntax-async-functions
,babel-plugin-syntax-async-generators
,babel-plugin-syntax-class-constructor-call
,babel-plugin-syntax-class-properties
,babel-plugin-syntax-decorators
,babel-plugin-syntax-do-expressions
,babel-plugin-syntax-exponentiation-operator
,babel-plugin-syntax-export-extensions
,babel-plugin-syntax-flow
,babel-plugin-syntax-function-bind
,babel-plugin-syntax-function-sent
,babel-plugin-syntax-jsx
,babel-plugin-syntax-object-rest-spread
,babel-plugin-syntax-trailing-function-commas
babel-plugin-transform-inline-environment-variables
,babel-plugin-transform-member-expression-literals
,babel-plugin-transform-merge-sibling-variables
,babel-plugin-transform-minify-booleans
,babel-plugin-transform-node-env-inline
,babel-plugin-transform-property-literals
,babel-plugin-transform-remove-console
,babel-plugin-transform-remove-debugger
,babel-plugin-transform-simplify-comparison-operators
,babel-plugin-transform-undefined-to-void
- Other
- #3622 Update mocha to version 3.0.0 🚀. (@greenkeeperio-bot)
- Daniel Tseng (kpman)
- Douglas Wade (doug-wade)
- Erik Desjardins (erikdesjardins)
- Greenkeeper (greenkeeperio-bot)
- Henry Zhu (hzoo)
- Kristóf Poduszló (kripod)
- Logan Smyth (loganfsmyth)
- Add a
helpers: false
option totransform-runtime
to not bundle in babel helpers. - Add a
exactGlobals
option tomodules-umd
- Fix a regression with
modules-systemjs
- Fix a hoisting issue with
react-constant-elements
(@kittens is back!)
babel-plugin-transform-react-constant-elements
,babel-traverse
babel-plugin-transform-es2015-modules-systemjs
babel-plugin-transform-runtime
babel-plugin-transform-es2015-modules-umd
- Reverts #3523 since it caused some issues with code coverage tools.
- Update readme to explain Babel packages
babel-register
babel-plugin-transform-es2015-modules-systemjs
Thanks to Rob Eisenberg (EisenbergEffect), Keyan Zhang (keyanzhang), Rolf Timmermans (rolftimmermans), Thomas Grainger (graingert),
we have few fixes: fix babel-register
file paths on error, infer class name for classes with class properties, fix export *
to account for previously compiled modules.
babel-plugin-transform-es2015-modules-amd
,babel-plugin-transform-es2015-modules-commonjs
,babel-plugin-transform-es2015-modules-systemjs
,babel-plugin-transform-es2015-modules-umd
- #3591 Fix buildExportAll to account for commonjs/amd/systemjs. (@hzoo) - thanks (@EisenbergEffect) and (@jmm)
babel-register
- #3523 Correct source map paths for babel-register. (@rolftimmermans)
- #3588 Fix typo in config: sourceMaps -> sourceMap. (@graingert)
babel-plugin-transform-class-properties
- #3589 Infer class name for classes that have static property initializer(s). (@keyanzhang)
In this release among other things are some more optimizations for babel-generator (#3584, #3580) as well as refactors.
@jamestalmage did some awesome clean for OptionsManager and some tests which may help future improvements to babel-register
performance.
babel-plugin-transform-remove-console
,babel-plugin-transform-remove-debugger
,babel-traverse
babel-plugin-transform-regenerator
- #3586 Avoid duplicated identifier sharing location - Fixes #7436. (@loganfsmyth)
babel-cli
babel-core
- #3564 Extract config file resolution from OptionsManager . (@jamestalmage)
babel-generator
,babel-plugin-transform-es2015-modules-commonjs
- #3584 babel-generator: More refactoring and optimizations. (@loganfsmyth)
babel-plugin-transform-es2015-parameters
- #3574 Default parameters cleanup. (@jridgewell)
babel-generator
- #3581 babel-generator: Misc cleanup and stale code removal. (@loganfsmyth)
- #3580 Further optimize babel-generator Buffer. (@jridgewell)
- Daniel Tschinder (danez)
- Henry Zhu (hzoo)
- James Talmage (jamestalmage)
- Jhen-Jie Hong (jhen0409)
- Justin Ridgewell (jridgewell)
- Logan Smyth (loganfsmyth)
The main fix is @loganfsmyth's changes of some parts in babel-generator in #3565 to fix issues with exponential code generation times in certain cases.
Items: the size of the array being generated Time: The time in ms to generate the code Length: The number of characters in the output code
Items | Old Time | New Time | Length |
---|---|---|---|
2 | 9 | 7 | 239 |
4 | 2 | 5 | 465 |
8 | 6 | 5 | 917 |
16 | 6 | 6 | 1840 |
32 | 15 | 11 | 3696 |
64 | 25 | 3 | 7408 |
128 | 93 | 13 | 14917 |
256 | 380 | 18 | 30149 |
512 | 1399 | 45 | 60613 |
1024 | 5301 | 63 | 121614 |
2048 | 20676 | 117 | 246542 |
- Fix rest param optimization bug
- Allow disabling "use strict" when using the cjs module transform.
- Fix typo with es2016 preset
babel-plugin-transform-es2015-parameters
- #3573 Fix error in rest parameter length optimization. (@jridgewell)
babel-generator
- #3567 Use the first item in the queue since it is the most recent.. (@loganfsmyth)
babel-plugin-transform-es2015-modules-commonjs
,babel-plugin-transform-strict-mode
- #3562 Adds strictMode option to strict-mode transform. (@thejameskyle)
babel-preset-es2016
- #3563 Use the proper transform plugin for preset-es2016.. (@loganfsmyth)
babel-generator
- #3566 Remove unused Position#unshift. (@jridgewell)
- #3565 Make the code generator write-only to avoid exponential time generation. (@loganfsmyth)
- James Kyle (thejameskyle)
- Justin Ridgewell (jridgewell)
- Logan Smyth (loganfsmyth)
- #3558 Fix non-unique 'ref' binding name for async functions. (@loganfsmyth)
babel-types
Update docs + scripts @ForbesLindesay
- In this release, there's now an
es2016
preset which includes the exponentiation operator (thanks for (@ysmood) for giving us the npm package). - The
trailing-function-commas
plugin has been moved fromstage-2
preset tostage-3
preset. babel-plugin-transform-react-jsx-self
has been added to thereact
preset indevelopment
mode. There is a new dev warning being added in react and this plugin adds the__self={this}
JSX attribute to all JSX elements.babel-plugin-es2015-unicode-regex
has it'sregexpu-core
dependency updated to2.x
.- Babel now uses lerna 2.x!
babel-preset-es2016
- #3531 Add
es2016
preset. (@chicoxyzzy)
- #3531 Add
babel-preset-stage-2
,babel-preset-stage-3
- #3522 Promote
trailing-function-commas
to stage 3. (@jacobrask)
- #3522 Promote
babel-plugin-transform-react-jsx-self
,babel-preset-react
babel-plugin-transform-es2015-unicode-regex
- #3338 Update to
regexpu-core@2.0.0
for ES2016 compliance. (@mathiasbynens)
- #3338 Update to
babel-plugin-transform-react-jsx-self
- #3550 Fix some mistakes in the jsx-self transform. (@loganfsmyth)
babel-generator
- #3548 Fix incorrect Flow object whitespacing. (@sampepose)
- Other
babel-code-frame
- Henry Zhu (hzoo)
- Jacob Rask (jacobrask)
- Jesse McCarthy (jmm)
- Jim (jimfb)
- Logan Smyth (loganfsmyth)
- Mathias Bynens (mathiasbynens)
- Sam Pepose (sampepose)
- Sergey Rubanov (chicoxyzzy)
- Simon Lydell (lydell)
babel-traverse
- Fix NodePath#evaluate to avoid a possible max-recursion-depth from an evaluation cycle (@kittens)
babel-core
- Bump the from
2.x
to3.x
forminimatch
to avoid a deprecation warning (@theJian)
- Bump the from
babel-plugin-transform-es2015-modules-commonjs
- #3532 Allow export statements with no export specifiers (@loganfsmyth)
@loganfsmyth made some awesome optimizations and better whitespace handling for babel-generator
again (~10-15% performance improvement)!
Also a small fix for babel/babel-eslint#321
- Other
babel-generator
- #3492 Refactor space insertion and remove some unneeded function options. (@loganfsmyth)
- #3525: Remove the nonfunctional -s shorthand for
--skip-initial-build
(@lxe) - #3526: Fix an issue with the switch handing from PR #3490 (@loganfsmyth)
- Do not compile files before watching
$ babel src -d dest --watch --skip-initial-build
babel-plugin-transform-es2015-block-scoping
: Create a new lexical environment inside switch statement blocks for identifier bindings (#3490, T7324) (@jayphelps)
let foo = false;
switch (true) {
default:
let foo = true;
}
alert(foo); // should be false
babel-types
,babel-generator
: Support changes in flow parsing in babylon
Add support for a TypeParameter
node.
type A<T = string> = T;
class A<S = number, T: ?string = string> {};
- Clean up language/consistency in CONTRIBUTING.md (#3517) (@kaicataldo)
- Fix up broken links in monorepo.md (#3519) (@koenkivits)
Fixup missing dependency.
babel-runtime
: Fix an issue with gettingCannot find module 'regenerator-runtime'
because it was set as a devDependency instead of a dependency.
Just 2 fixes this release!
- A class property fix (set
this
correctly when using async arrow function class properties without a super class). - A fix for
react-constant-elements
plugin to help optimize react more (the plugin wasn't applying to JSX with text).
Also, thanks to @mucsi96 for catching the extraneous code coverage comments we were leaving when publishing!
We are removing/deprecating
babel-regenerator-runtime
in favor of depending on the originalregenerator-runtime
since the differences are resolved. Thanks to (@benjamn) for the suggestion to maintain it (and for originally creating it!).
babel-core
The fix correctly set this: var _this;
-> var _this = this;
// input
class MyClass {
myAsyncMethod = async () => {
console.log(this);
}
}
// output
class MyClass {
constructor() {
var _this = this; // _this wasn't being set to `this`
this.myAsyncMethod = babelHelpers.asyncToGenerator(function* () {
console.log(_this);
});
}
}
babel-plugin-transform-react-constant-elements
,babel-types
JSX with text in it was not being hoisted as other constant elements.
// input
var Foo = React.createClass({
render() {
return <div>Text</div>; // text wasn't considered constant
}
});
// output
var _ref = <div>Text</div>;
var Foo = React.createClass({
render() {
return _ref;
}
});
-
#3513 Make sure the env is production when publishing. (@hzoo)
-
babel-regenerator-runtime
-
babel-core
-
babel-polyfill
,babel-regenerator-runtime
,babel-runtime
- Update
core-js
from2.1.0
to2.4.0
. Check the releases for more info. - Add a
systemGlobal
option in the systemjs transform.
["transform-es2015-modules-systemjs", {
// outputs scoped_system.register(...)
"systemGlobal": "scoped_system" // defaults to System.register
}]
- Bug fixes for
class-properties
andreact-jsx-source
plugins.
babel-types
babel-plugin-transform-runtime
,babel-polyfill
,babel-register
,babel-runtime
babel-plugin-transform-es2015-modules-systemjs
- #3482 Add
systemGlobal
option to allow changing theSystem
inSystem.register
to besystemGlobal
. Also moveuse strict
wrapping. (@guybedford)
- #3482 Add
babel-plugin-transform-react-jsx-source
babel-plugin-transform-class-properties
babel-traverse
babel-plugin-transform-es2015-parameters
- #3481 also visit
ClassProperty
for rest param deopt check, fixes T7311. (@jayphelps)
- #3481 also visit
- #3498 Fix grammar in CHANGELOG. (@graingert)
Upgrade to lodash 4.
babel-traverse
babel-helper-fixtures
babel-generator
babel-cli
,babel-core
,babel-generator
,babel-helper-builder-react-jsx
,babel-helper-define-map
,babel-helper-fixtures
,babel-helper-regex
,babel-helper-transform-fixture-test-runner
,babel-plugin-transform-es2015-block-scoping
,babel-plugin-transform-es2015-function-name
,babel-plugin-transform-proto-to-assign
,babel-preset-es2015
,babel-register
,babel-runtime
,babel-template
,babel-traverse
,babel-types
Thanks to amasad, dlwalsh, forivall, frantic, graingert, guybedford, jayphelps, jhen0409, loganfsmyth, shuhei, zloirock!
Babel is now compiled with Babel 6!
TLDR: This fixes the npm deduping issues regarding babel-runtime 5 and 6.
- Because all Babel packages were compiled with Babel 5 and using babel-runtime@5, npm can't dedupe any of them if a consumer of Babel also added a dependency on babel-runtime@6.
Example:
└─┬ babel-plugin-transform-exponentiation-operator@6.5.0
├─┬ babel-helper-builder-binary-assignment-operator-visitor@6.6.5
│ ├─┬ babel-helper-explode-assignable-expression@6.6.5
│ │ └── babel-runtime@5.8.38
│ └── babel-runtime@5.8.38
├─┬ babel-plugin-syntax-exponentiation-operator@6.5.0
│ └── babel-runtime@5.8.38
└── babel-runtime@5.8.38
Now it should be more like:
└─┬ babel-runtime@6.8.0
└─┬ babel-plugin-transform-exponentiation-operator@6.8.0
├─┬ babel-helper-builder-binary-assignment-operator-visitor@6.8.0
│ ├─┬ babel-helper-explode-assignable-expression@6.8.0
├─┬ babel-plugin-syntax-exponentiation-operator@6.8.0
Related issues: T7252, T7275, T6689, sindresorhus/ava#660, vuejs/vue-loader#96, etc.
- #3438 Self host on babel6. (@hzoo)
- #3477 turn transform into a simple
for
loop. (@mattkrick)
- #3484 Travis: add node 6, remove iojs. (@hzoo)
- #3491 babel-template is an implementation of quasiquotes. (@rektide)
- #3479 Remove unused import in README (@oliviertassinari)
-
babel-code-frame
-
babel-core
- #3422 - Insert
this
references inconstructor
aftersuper()
(@loganfsmyth)
- #3422 - Insert
-
babel-generator
- #3463 - Better sourcemaps for function bodies (@loganfsmyth)
-
babel-plugin-transform-es2015-modules-commonjs
-
babel-generator
,babel-types
- #3475 - Performance improvements for the code generator (@loganfsmyth)
babel-traverse
- #3458: Revert PR #3433 which introduced https://phabricator.babeljs.io/T7272 (@loganfsmyth)
-
babel-traverse
- #3433: Only attempt to rename export declarations, not expressions. (@loganfsmyth)
-
babel-core
/babel-cli
- #3448: Make sure input to path.{dir,base}name is a string. (@addaleax)
- #3451: Handle input sourcemaps with mappings to nothing to better support sourcemaps from other tools in a pipeline. (@loganfsmyth)
-
babel-helper-builder-react-jsx
-
babel-generator
- #3421: Wrap parens around default exports starting with function/class. (@loganfsmyth)
-
babel-plugin-transform-runtime
- #3258: Expanded documentation (@trodrigues)
- #3441: Improve babel-code-frame. Kill the line-numbers dependency. (@lydell)
-
babel-traverse
- #3442: Remove the old NodePath validation check (@loganfsmyth)
- #3447: Stop traversing when target type is found. (@nkzawa)
-
babel-traverse
-
#3419: Keep the context stack balanced to ensure that contexts are properly popped off. (@loganfsmyth)
This bug was causing issues internally because the context system relies on the queues being balanced when deciding what nodes need to be re-processed and which do not. When it becomes imbalanced, nodes can be forgotten or skipped, causing issues like https://phabricator.babeljs.io/T7199 which broke ES6 modules on IE8 with the ES3 transforms.
-
#3420: Invalidate the scope cache when nodes are moved. (@loganfsmyth)
This bug was causing scoping issues in some cases if a node was moved to a new location that was not nested inside a new scope. When this case was hit, the old cached scope would be used, causing issues like https://phabricator.babeljs.io/T7194, https://phabricator.babeljs.io/T6934, and https://phabricator.babeljs.io/T6728.
-
-
babel-runtime
-
babel-plugin-transform-react-jsx
babel-traverse
- #3432: Fix a spelling mistake in an error message. (@simeonwillbanks)
- #3400: Fix an issue that could cause a local clone of Babel to error out if the github repo was in a location with a parent
.babelrc
file. (@callumlocke) - #3431: Fix an issue that was causing the local-development watcher to occasionally rebuild with the incorrect file content. (@loganfsmyth)
- #3436: Update our linting utility version. (@hzoo)
- #3437: Remove an unused dependency. (@hzoo)
babel-core
babel-code-frame
- Dropped problematic
line-numbers
dependency which was broken due to the unexpected unpublishing of its dependencyleft-pad@0.0.3
.
- Dropped problematic
babel-traverse
- Fix a bug which caused the new Flow binding warning to show more often than expected (@amasad).
Flow fix, mention babylon move
babel-traverse
- #3414: Warn on Flow-based bindings and don't count as a const violation. (@amasad)
We are treating static type information as part of the runtime scope information. So a Flow type declaration was being considered a binding on the scope. This was specifically problematic when we thinking that we're overwriting a binding:
The following code:
declare class foo {}
const foo = 1;
Will result in the error: "foo" is read-only
Since removing support for flow-based bindings would be a breaking change, in this release I'm adding a warning whenever someone tries to use Flow types as bindings.
babel-code-frame
,babel-generator
,babel-messages
,babel-plugin-undeclared-variables-check
,babel-polyfill
,babel-register
,babel-traverse
,babel-types
babylon
- #3413 move babylon to https://github.com/babel/babylon. (@kittens)
babel-plugin-transform-es2015-block-scoping
The following code:
let foo = () => {
foo = () => { };
};
foo();
Was generating:
var foo = function foo() {
foo = function foo() {};
};
foo();
Notice how the function name foo
was is shadowing the upper scope variable. This was fixed and the generated code now is:
var _foo = function foo() {
_foo = function foo() {};
};
_foo();
Notable changes:
- Various async function fixes (const read-only error, wrong this, etc)
- Proper sourcemaps for import/export statements
- Moved internal Babel cache out of the AST
Move cache into a clearable WeakMap, adds traverse.clearCache
and traverse.copyCache
. This doubles as a bug fix because previously reusable AST Nodes would carry their cache with them even if they're used across multiple files and transform passes.
babel-generator
,babel-plugin-transform-flow-comments
,babel-plugin-transform-flow-strip-types
,babylon
- #3385 Add support for Flow def-site variance syntax. (@samwgoldman)
// examples
class C<+T,-U> {}
function f<+T,-U>() {}
type T<+T,-U> = {}
This syntax allows you to specify whether a type variable can appear in
a covariant or contravariant position, and is super useful for, say,
Promise
. @samwgoldman can tell you more 😄.
More docs on this in the babel-generator
README
Make sure all existing let/const bindings are removed and replaced with vars after the block-scoping plugin is run.
This fixes: SyntaxError: src/foo.js: "baz" is read-only (This is an error on an internal node. Probably an internal error. Location has been estimated.)
async function foo() {
async function bar() {
const baz = {}; // was creating a read-only error
}
}
babel-core
,babel-traverse
,babel-helper-remap-async-to-generator
,babel-helper-replace-supers
,babel-plugin-transform-async-to-generator
,babel-plugin-transform-async-to-module-method
- #3405 Fix shadow function processing for async functions (@loganfsmyth)
Should fix the majority of issues dealing with async functions and use of parameters, this
, and arguments
.
// fixes
class Test {
static async method2() {
setTimeout(async (arg) => {
console.log(this); // was showing undefined with arg
});
}
async method2() {
setTimeout(async (arg) => {
console.log(this); // was showing undefined with arg
});
}
}
babel-helper-remap-async-to-generator
,babel-plugin-transform-async-to-generator
,babel-plugin-transform-async-to-module-method
- #3381 Fix named async FunctionExpression scoping issue.. (@keijokapp)
The problem is that the name bar
of FunctionExpression
is only visible inside that function, not in foo
or ref
.
// input
var foo = async function bar() {
console.log(bar);
};
// before
var foo = function () {
var ref = babelHelpers.asyncToGenerator(function* () {
console.log(bar);
});
return function bar() {
return ref.apply(this, arguments);
};
}();
// now
var foo = function () {
var ref = babelHelpers.asyncToGenerator(function* () {
console.log(bar);
});
function bar() {
return ref.apply(this, arguments);
}
return bar
}();
babel-plugin-transform-es2015-parameters
Many fixes to rest params: function asdf(...rest) { ... }
-
babel-template
-
babel-plugin-transform-es2015-modules-commonjs
- #3409 Fix source map generation for import and export statement.
babel-plugin-transform-es2015-modules-commonjs
amasad, divmain, hzoo, jmm, keijokapp, loganfsmyth, samwgoldman
And.. some more bug fixes!
babel-plugin-transform-es2015-computed-properties
// lead to `ReferenceError: b is not defined` at runtime
var obj = {
["a"]: 5,
set b(x) { console.log('set b', x); }
};
obj.b = 55;
babel-plugin-transform-object-rest-spread
,babel-types
- #3395 Recognize object rest properties as binding identifiers - Fixes T7178. (@loganfsmyth)
import props from 'props';
console.log(props);
(function(){
const { ...props } = this.props;
console.log(props); // props was referencing the imported props rather than in object spread
})();
babel-plugin-transform-es2015-block-scoping
Scope binding info wasn't updated after converting const/let/block bindings to var which could lead to errors with other transforms.
- #3398 Revert "Remove flow". (@amasad)
- #3397 Make sure lib is clean before publishing. (@hzoo)
babel-core
,babel-plugin-transform-es2015-block-scoping
,babel-plugin-transform-es2015-classes
babel-plugin-transform-es2015-modules-amd
,babel-plugin-transform-es2015-modules-commonjs
,babel-plugin-transform-es2015-modules-umd
AgentME, amasad, benjamn, hzoo, loganfsmyth
Some more fixes!
babel-plugin-transform-es2015-duplicate-keys
// sample code that was erroring
const obj = {
set a (a) {
values.a = a;
},
get a () {
return values.a;
}
};
babel-core
// .babelrc
{
"plugins": ["./myPluginDir/somePlugin.js"]
}
Babel will now resolve the plugin above relative to the directory that contains the .babelrc file rather than the process.cwd()
.
A lot of packages
- #3392 Remove flow. (@samwgoldman)
Since users were getting error reports since Babel's codebase wasn't typechecking correctly. (Ref T7114) - Will be adding it back into the codebase itself soon.
babel-plugin-transform-es2015-modules-commonjs
,babel-traverse
- #3387 Fix regression with T7165 - let is not being transpiled when using export all (block-scoping transform wasn't run) (@loganfsmyth)
// example code
`export * from './a'`
babel-plugin-transform-es2015-modules-commonjs
,babel-traverse
- #3386 Fix regression with T7160 - exported arrow functions with default parameters (@loganfsmyth)
// example code
export var bar = (gen, ctx = null) => {}
babel-runtime
,babel-polyfill
: Fix publishing issue (wasn't updated from before).
Whoo a 🐸 leap day release!
We finally fixed both T2817, T6863 where using both transform-es3-member-expression-literals
and transform-es2015-modules-commonjs
!
exports.default = {};
// was not to transformed to
exports["default"] = {};
You should be able to remove es3ify
(a useful workaround for this issue). Thanks everyone for your patience, and much thanks to @loganfsmyth for the fix!
- If you are using a .babelrc with babel 5 options that were removed (there is a specific message for each one)
# before
ReferenceError: [BABEL] unknown: Unknown option: base.stage
# now
ReferenceError: [BABEL] unknown: Using removed Babel 5 option: base.stage
- Check out the corresponding stage-x presets http://babeljs.io/docs/plugins/#presets
# another example
ReferenceError: [BABEL] unknown: Using removed Babel 5 option: base.externalHelpers
- Use the `external-helpers` plugin instead. Check out http://babeljs.io/docs/plugins/external-helpers/
- If you are trying to use a babel 5 plugin
# before
babel Plugin is not a function
# now
The object-assign Babel 5 plugin is being run with Babel 6.
core-js
was updated to^2.1.0
.
babel-plugin-transform-es2015-duplicate-keys
,babel-preset-es2015
babel-plugin-transform-es2015-duplicate-keys
is a new plugin that is included in the es2015 preset. It was added since ES5 doesn't allow duplicate properties (it is valid in ES2015 strict mode however).
It will compile objects with duplicate keys to computed properties, which can be compiled with the transform-es2015-computed-properties
plugin.
Example:
// .babelrc
{ "plugins": ["transform-es2015-duplicate-keys"] }
// Input
var x = { a: 5, "a": 6 };
// Output
var x = { a: 5, ["a"]: 6 };
babel-plugin-transform-es2015-modules-umd
- #3366 [UMD] Fixed T6832. (@clayreimann)
// Adds a new plugin option to let you override the names of globals
// .babelrc
{
"plugins": [
["transform-es2015-modules-umd", {
"globals": {
"es6-promise": "Promise"
}
}]
]
}
babel-plugin-transform-es2015-modules-commonjs
,babel-traverse
- #3368 Fix the module plugin to properly requeue so the ES3 transforms can work. (@loganfsmyth)
babylon
- #3355 Clean up babylon bundle to allow it to be re-bundled - Fixes T6930. (@loganfsmyth)
babel-generator
- #3358 Fix generator with empty token list and force a newline for line comments in concise mode. (@gzzhanghao)
babel-plugin-transform-es2015-parameters
// .babelrc
{ plugins: ["transform-es2015-parameters"] }
// Fixes an internal error with the code:
function x (...items) {
items[0] = 0;
}
babel-helper-remap-async-to-generator
,babel-plugin-transform-es2015-parameters
- #3336 Fixes T3077 (incorrect _arguments for async arrow functions with rest params). (@erikdesjardins)
// .babelrc
{
"plugins": ["external-helpers", "transform-es2015-parameters", "transform-async-to-generator"]
}
// Fixes an issue with using incorrect `arguments`
var x = async (...rest) => {
if (noNeedToWork) return 0;
return rest;
};
babel-plugin-transform-regenerator
,babel-traverse
- #3359 Queue regeneratorRuntime so it is transformed before Program#exit. (@loganfsmyth)
Fixes the _regeneratorRuntime is not defined
error when using transform-runtime
/transform-regenerator
(this happened when using polyfillable code in core-js
.
babylon
- #3356 Properly fail to parse >== and <== - Fixes T2921. (@loganfsmyth)
babel-plugin-transform-es2015-block-scoping
babel-generator
// input
void (() => {});
// correct output
void (() => {});
// wrong
void () => {};
babel-generator
// input
(0xFFFF).toString()
// correct output
0xFFFF.toString()
// wrong
0xFFFF..toString()
babel-plugin-transform-regenerator
babel-plugin-transform-object-set-prototype-of-to-assign
- #3369 fix babel-plugin-transform-proto-to-assign readme url. (@tiemevanveen)
babel-cli
- #3378 Remove Flow annotations and pragmas. (@samwgoldman)
- #3361 Switch to kcheck*, fix some lint rules. (@kittens)
babel-plugin-transform-runtime
,babel-polyfill
,babel-register
,babel-runtime
babel-core
,babel-traverse
- #3365 Replace arrow expression body with block statement. (@jridgewell)
babel-core
babel-core
We have 15 committers this release!
Thanks to: AgentME, clayreimann, erikdesjardins, forivall, gzzhanghao, hzoo, jmm, jridgewell, kittens, loganfsmyth, samwgoldman, schmod, siroky, tiemevanveen, zloirock
Changes to note:
- Reverting the class properties semicolon parser error.
- Fix regression with plugin ordering with
babel-register
.
babel-plugin-transform-class-properties
,babylon
- #3332 Revert to standard ASI behavior for class properties. (@loganfsmyth)
-
babel-core
,babel-register
- #3348 Merge config options into list after babelrc options - fixes T7079. (@loganfsmyth)
- This fixes a regression from #3168
-
babel-plugin-transform-es2015-spread
- #3326 Fix spread to work with
super
method calls. (@eetulatja)
// input super.method(...args); // wrong output super.method.apply(super, babelHelpers.toConsumableArray(args)); // new fixed output super.method.apply(this, babelHelpers.toConsumableArray(args));
- #3326 Fix spread to work with
-
babel-plugin-transform-function-bind
,babel-types
- #3334 Check
BindExpression
callee for reference - fixes T6984. (@loganfsmyth)
- #3334 Check
babel-register
babel-plugin-transform-async-to-module-method
,babel-plugin-transform-es2015-arrow-functions
,babel-plugin-transform-es2015-classes
,babel-plugin-transform-es2015-computed-properties
,babel-plugin-transform-es2015-for-of
,babel-plugin-transform-es2015-modules-commonjs
,babel-plugin-transform-es2015-spread
,babel-plugin-transform-es2015-template-literals
,babel-plugin-transform-react-jsx
,babel-plugin-transform-regenerator
,babel-plugin-transform-runtime
,babel-plugin-transform-strict-mode
- #3352 Fix a typo. (@pra85)
babel
- #3337 Don't preferGlobal on the
babel
package.. (@loganfsmyth)
- #3337 Don't preferGlobal on the
babylon
- #3344 Travis: Remove 0.10, since it's covered by Circle. (@hzoo)
- #3343 Travis CI: Switch from deprecated
stable
NodeJS to latest 4.x.x & 5.x.x. (@ntwb) - #3341 bin-version-check is unnecessary now. (@chicoxyzzy)
- #3339 Know how to write good shell scripts. (@hzoo)
- Bug Fix
- bc2f84f3712a4bcf5619161955c5597298db5c5b Fix options being ignored in
babel-register
. - #3329 Fix
ExportSpecifier
node validator validatingimported
instead ofexported
.
- bc2f84f3712a4bcf5619161955c5597298db5c5b Fix options being ignored in
- Polish
- #3333 Improve the error messaging for using the wrong CLI script.
Happy Superbowl Sunday! There's many contributors (17 + core) this release!
This is an experimental feature that will most likely change. Depending on usage/feedback, we will switch the way this is used to instead define a explicit preset-level config flag (rather than the global one below). This will give more control over how you want to use this option.
@DmitrySoshnikov added a new option you can put in your .babelrc
!
{
passPerPreset: true,
presets: [
{
plugins: ['plugin-1']
},
'preset-2',
{
plugins: ['plugin-2']
}
]
}
// this will create 3 traversals
passPerPreset: true
will modify how babel traverses through plugins. Instead of a single traversal in which all plugins/presets are merged together, each preset will get their own traversal.
This allows users to have a specific order to how presets/plugins are applied and can help avoid potential collisions between plugins (and probably some known issues).
@gzzhanghao made some awesome changes to improve our code generator's performance (babel-generator
). The original issue is here.
Based on his test (on parsing jquery.js
), performance improved ~3x.
===== origin/master (ms) =====
babylon 265
babel generator 2238 <-- old
acorn 107
escodegen 355
esprima 95
escodegen 322
===== Optimized (ms) =====
babylon 296
babel generator 662 <-- new
acorn 113
escodegen 355
esprima 106
escodegen 317
A big change had to do with keeping this.last
as an instance variable in the buffer instead of this.buf[this.buf.length -1]
.
You can read more about his changes here. Hoping to see more PR's like this!
We will try to setup some perf tests soon to track these stats for the future (or you can help!).
babel-core
- #3168 Use the
babelrc
option inbabel-register
. (@CrocoDillon)
- #3168 Use the
babel-core
- #3281
passPerPreset
option in.babelrc
: iftrue
, babel will create a new traversal for each preset. (@DmitrySoshnikov)
- #3281
babel-helper-transform-fixture-test-runner
,babel-plugin-transform-react-jsx-source
This plugin (useful for tooling) will turn
// this/file.js
<sometag />
into
var _jsxFileName = "this/file.js"; // the output will be an absolute path
var x = <sometag __source={{
fileName: _jsxFileName,
lineNumber: 1
}} />;
babel-template
- #3304 Allow passing in
babylon
options intobabel-template
. (issue T7046) (@jamestalmage)
- #3304 Allow passing in
babel-core
// analyse not analyze :D
// usage
babel.analyse("foobar;", {}, {
Program: function (path) {
path.mark("category", "foobar");
}
}).marked[0].message // outputs "foobar"
// allows for either `|` or `&`
type union =
| {type: "A"}
| {type: "B"}
;
This was added in flow in
7fb56ee9d8
.
Code samples below each bullet
babel-helper-define-map
,babel-helper-function-name
,babel-plugin-transform-es2015-classes
// When the same name as a method in a class is used
class Foo {
constructor(val) {
this._val = val;
}
foo2() {
return foo2(this._val); // was erroring since foo2 is used
}
}
babel-helper-remap-async-to-generator
,babel-plugin-transform-async-to-generator
- #3297 Fixes the wrong
this
for nested arrow functions. (Issue T2765#72428) (@horpto)
- #3297 Fixes the wrong
// nested arrow functions
class A {
async method() {
() => {
() => this; // `this` in nested arrow function was incorrect
}
}
}
-
babel-template
- #3314 Only strip node info if no
node.loc
. Fixes an issue with sourcemap generation for SystemJS withbabel-template
. (Issue T6903) (@guybedford)
- #3314 Only strip node info if no
-
babel-traverse
- #3300 Fix an issue with transpiling generator functions with default arguments. (Issue T2776) (@gzzhanghao)
// a generator with a default argument
export class Test {
*memberGenerator(arg = 0) {
console.log(arg);
}
start() {
this.memberGenerator(1).next();
}
}
babel-generator
var fn = () => ({}).key;
babel-helper-remap-async-to-generator
,babel-plugin-transform-es2015-modules-commonjs
- #3312 Fix async functions not being hoisted. (Issue T6882) (@erikdesjardins)
foo();
async function foo() {} // this should be hoisted above foo();
babel-generator
// nested for loop
for (function(){for(;;);} && (a in b);;);
babylon
- #3305 Fix: Arrow functions with trailing comma + return type parsing error. (Issue T7052) (@jviereck)
const X = (
props: SomeType,
): ReturnType => (
3
);
- #3321 Docs: add information on writing tests in babylon. (@hzoo)
- #3308 Update compiler-environment-support.md. (@sappharx)
- #3293 ast/spec: update
Decorator
property. (@hzoo) - #3295 ast/spec: add
BindExpression
. (@hzoo) - #3287 Correct use of possessive case. (@nettofarah)
- #3301 ast/spec: add
Literal
andPattern
interfaces, updateIdentifier
interface. (@jmm)
- #3317
make publish
: addmake build
in case it wasn't run. (@hzoo) babel-generator
babel-core
,babel-generator
,babel-traverse
,babel-types
,babylon
babel-core
babel-plugin-transform-async-to-generator
babel-generator
- #3299 Add a test to ensure that we do not break mutli-byte handling. (@robcolburn)
babel-cli
babel-types
babel-types
babel-generator
- #3283 Improve generator performance. (Issue T6884) (@gzzhanghao)
- Bug Fix
babel-helper-remap-async-to-generator
: #3288 Async arrow functions should compile to regular functions because they referencearguments
.
-
Bug Fix
-
babel-plugin-transform-es2015-modules-commonjs
: #3118 Fix bad import hoisting interaction (copy_blockHoist
values) regarding import statements. (T6738). Thanks @benjamn for your patience for this one!- This fixes:
var _templateObject = (0, _taggedTemplateLiteral3.default)(["foo"], ["foo"]); // this should come after _taggedTemplateLiteral 2 and 3 var _taggedTemplateLiteral2 = require("babel-runtime/helpers/taggedTemplateLiteral"); var _taggedTemplateLiteral3 = _interopRequireDefault(_taggedTemplateLiteral2); tag(_templateObject);
-
babel-types
,babel-plugin-transform-es2015-modules-commonjs
,babel-generator
: #3183 Fix various source map issues. (T6851). Thanks for your work @kpdecker! Committed asde51bf5
-
babel-helper-remap-async-to-generator
: #3257 Fix issue with usingthis
inside an arrow function (T2765). Thanks @horpto!- This fixes:
class A { async method() { () => this; // this `this` wasn't being transpiled correctly } }
-
babylon
: #3272 Dedupe parser opts from passsed in multiple times. (T3084). Thanks @AgentME!- This fixes a specific issue with the react preset since it includes
syntax-flow
andtransform-flow-strip-types
which caused an issue with the flow types not to be stripped and the general case of other people are including the flow syntax option in their own plugins.
- This fixes a specific issue with the react preset since it includes
-
babel-helper-define-map
,babel-traverse
,babel-plugin-transform-es2015-classes
: #3274 Prevent method names in classes from being locally bound to the transformed function body. (T6712). Thanks @willheslam for helping to debug and coming up with alternative solutions for this issue!- This fixes:
SyntaxError: index.js: "foo" is read-only (This is an error on an internal node. Probably an internal error. Location has been estimated.) 1 | class Component { 2 | foo() { 3 | const foo = obj; 4 | } 5 | } 6 |
-
babel-helpers
: #3276 Add missing return statements toasyncToGenerator
helper. -
babel-plugin-transform-es2015-modules-commonjs
: #3282 Fixes an issue with usingdefault
as a specifier in an export.- This fixes an issue with:
export {default as foo} from "foo";
-
Documentation
-
babel-traverse
: #3269 Document visitors.explode. Thanks @forivall! -
Internal
-
babel-plugin-transform-es2015-parameters
: #3263 Test coverage. -
#3275 Temporarily change flow types to fix lint.
-
#3277 Fixup Makefile
.bin
references. Thanks @charliesome! -
#3278 Use local bin references instead of implied global in Makefile.
-
babylon
: #3284 Add some more flow types. Thanks @bmeck! -
Polish
-
babel-plugin-transform-es2015-parameters
: #3264 Simplify code, add comments.
babel-plugin-transform-regenerator
: Publishing issue (T2892).
-
Bug Fix
-
babel-plugin-transform-es2015-typeof-symbol
: #3250 The typeof transform should always use the globalSymbol
. -
babel-plugin-transform-es2015-modules-amd
: #3252 Stop leaking directives -
babel-pluginn-transform-es2015-unicode-regex
: #3259 Use onlyregexpu-core
instead of all ofregexpu
-
babel-generator
: Fix minified labeledStatement printing -
babel-plugin-transform-regenerator
: #3162 Make sure babel helper picks upregeneratorRuntime
-
Polish
-
babel-types
: #3261 Add ArrayExpression.elements.default -
babel-register
: #3232 Make sure the cache file's directory exists -
Documentation
-
babel-generator-options
: #3251 Document babel-generator options
- Bug Fix
babylon
: #3244 fix error location for class properties with a missing semicolon (Ref #3225).babel-plugin-transform-es2015-parameters
: #3246 Support expressions in rest arg access forarguments.length
optimization.babel-generator
: #3247 Parenthesize await/yield expression inBinaryExpression
(Ref #3229).
Thanks to @samwgoldman for all the new flow support!
-
New Feature
-
babylon
,babel-types
,babel-generator
: #3202 Add support forthis
flow type. -
babylon
,babel-types
,babel-generator
: #3236 Add support forexport interface
flow syntax. -
babylon
,babel-types
,babel-generator
,babel-plugin-transform-flow-strip-types
,babel-plugin-transform-flow-comments
: #3230 Add support fordeclare type
anddeclare interface
flow syntax. -
babylon
,babel-types
,babel-generator
,babel-plugin-transform-flow-strip-types
,babel-plugin-transform-flow-comments
: #3203 Add support for flow mixins. -
babel-cli
: #3221: Handle--nolazy
flag. -
babel-plugin-transform-es2015-modules-systemjs
: #3166 Add__moduleName
support toSystem.register
. Thanks @guybedford! -
Bug Fix
-
babel-plugin-transform-es2015-parameters
: #3214 Bugfix forarguments.length
optimization having the wrong length. Thanks @fabiomcosta! -
babylon
: #3220 Don't parse parenthesized string as aDirective
. -
babel-helpers
: #3218 Defer to the built-intypeof
if support for Symbols exists. Thanks @jdalton! -
babel-generator
: #3213 Fix various parentheses bugs. -
babel-plugin-transform-react-display-name
: #3216 More relaxeddisplayName
inference. -
babel-helper-function-name
: #3215 Set function names fromAssignmentExpression
. Thanks @spicyj! -
babel-generator
: #3210 Use a print stack to determine in parenthesis needs to be added. -
babel-plugin-transform-runtime
: #3235 Ensureopts.polyfill = false
behaves correctly for all visitors. Thanks @guybedford! -
babel-plugin-transform-runtime
: Ensureregenerator
option doesn't cancel out core-js polyfill. -
babel-generator
: #3229 Check for parentheses forAwaitExpressions
and fix over-parentheses inYieldExpressions
. -
Breaking Change (Accidental)
-
babylon
: #3225 throw parse error if class properties do not have a semicolon. -
babel-types
: #3195 AllowJSXText
node inJSXElement
children property and removeStringLiteral
. -
Documentation
-
babel-generator
: #3240 Fix small in babel-generator README sample code. Thanks @athaeryn! -
Internal
-
babel-plugin-external-helpers
: #3205 Renamed frombabel-plugin-external-helpers-2
due to someone taking the npm name beforehand. -
#3233 Update LICENSE end date to 2016. Thanks @maclover7!
-
babylon
: #3204 Prevent users from patching by building it. -
babel-types
: #3217 AddBinary
alias toAssignmentExpression
.
-
Bug Fix
-
babel-plugin-transform-es2015-parameters
: #3191 Fix the order of arguments initialization (fixes T6809) -
babel-traverse
: #3198 Inevaluate()
, it should not mistake lack of confidence for falsy -
Spec Compliancy
-
babylon
,babel-generator
,babel-plugin-transform-regenerator
: #3190: Removeawait *
frombabylon
and raise an error for that syntax since it was removed from the proposal and was causing an issue at runtime but not at compile time (fixes T6688). -
Internal
-
Fix gulp build path to work on windows (fixes T6855).
-
babel
: #3193 Point users to the cli docs -
babel-core
: #3196 Add a test for checking plugins/presets are resolved relative tofilename
-
Bug Fix
-
babylon
: #3187 Multiple"use strict"
in function causes outer scope to be parsed as strict -
babel-generator
: #3188 Correctly setformat.quotes
toopts.quotes
-
babel-generator
: #3189 JSX attributes should use double qoutes -
babel-traverse
: #3192 Fixed static evaluation bug -
Internal
-
babel-plugin-transform-es2015-parameters
: #3165 Optimizearguments
access
- Bug Fix
- #3184 Fixed overly permissive type inference.
Skipped 6.3.22.
- Internal
- Renamed the
Flow Comments
plugin frombabel-plugin-flow-comments
tobabel-plugin-transform-flow-comments
for naming consistency.
-
Bug Fix
-
babel-generator
: #3173 Fix unhandled new-precedence edge cases regarding parentheses (fixes T6829). -
babel-generator
: #3180 Handle nestedIfStatement
with an `alternate. -
babel-generator
: #3182 ParenthesizeArrowFunctionExpression
when part of aLogicalExpression
orBinaryExpression
(fixes T6836). -
babel-traverse
: #3171 Fix infinite recursion bug withintrospection
method. -
transform-es2015-function-name
: #3176 Stop transformingObjectMethod
(MethodDefinition
) to aFunctionExpression
since thetransform-es2015-shorthand-properties
plugin already does it. -
transform-es2015-parameters
: #3143 Optimizations forRestElement
such as usingarguments.length
(fixes T6774). -
Documentation
-
babel-core
: #3177 Clarify description ofcomments
file config. -
Internal
-
*
: #3179 Update flow to 0.20.0 and add@noflow
until types are added in. -
babel-generator
: #3178 Fix type annotation forshouldPrintComment
.
- Bug Fix
babel-generator
: #3170 Fix invalid code generation for numericMemberExpression
(5.toString()
->5..toString()
).babel-types
: #3172 AddExpression
alias toBindExpression
.
-
New Feature
-
babel-plugin-flow-comments
: #3157 Movebabel-plugin-flow-comments
to the babel repo and update for babel 6. -
Bug Fix
-
babel-runtime
: #3142 Add a custom transform forbabel-runtime
builds to avoid circular dependencies (Fixes thebabel-runtime/helpers/typeof
issue). -
babel-traverse
: #3161 Only rename the *outer function bindings on name conflict. -
babel-generator
: #3167 Use the left most node from the right to check if we need spaces inBinaryExpressions
.
-
Bug Fix
-
babylon
: #3107 Fix incorrect directive parsing -
babel-generator
: #3158 Parenthesize object expression when it may end up at the start of an expression -
babel-plugin-transform-regenerator
: #3160 Fix typo -
Polish
-
babel-types
: #2933 Generate documentation for babel-types. -
babel-plugin-transform-es2015-parameter
: #2833 Optimizearguments
usage. -
babel-messages
: #3123 clarifytraverseNeedsParent
message.
-
Bug Fix
-
babel-types
: #3153 DoWhileStatement should take node typeStatement
as body. -
New Feature
-
babel-generator
: #3152 Add a new minified format option to do possibly dangerous byte saving. -
Internal
-
babel-traverse
: #3151 Support ObjectProperty inScope.isPure
-
Polish
-
babel-cli
: #3150 Do not prefer global when installing babel-cli
-
Bug Fix
-
babel-traverse
:- #3137 Set the correct
parent
andparentPath
for new aNodePath
(fixes an issue withexport * from './a'
andes2015-modules-commonjs
).
- #3137 Set the correct
-
babel-generator
: -
Internal
-
babel-traverse
:- #3138 Support
UnaryExpression
inisPure
check.
- #3138 Support
- Bug Fix
babel-generator
:- #3111 Compact Mode: remove unnecessary
()
from aNewExpressions
when possible (new x()
->new x
).
- #3111 Compact Mode: remove unnecessary
babel-helper-function-name
:- #3138 Skip name inference on certain uses of classes until we can handle them.
babel-traverse
:- #3141 Fix bug with evaluating an expression on its own binding.
babel-plugin-transform-es2015-destructuring
:- #3136 Seperate the destructuring statement from the export statement before converting.
babel-plugin-transform-es2015-classes
:
- Bug Fix
babel-traverse
:
Testing lerna - A tool for managing JavaScript projects with multiple packages.
- Bug Fix
babylon
,babel-types
,babel-generator
:- #3130 Add support for
NullLiteralTypeAnnotation
(null
literal type) in flow.
- #3130 Add support for
- Bug Fix
babel-core
:- #3108 Omit sourcemaps that cannot be used and fix source path.
babel-register
:- #3116 Disable processing
.babelrc
a second time.
- #3116 Disable processing
babel-traverse
:- #3127 Ensure we always push into a
BlockStatement
(fixes ababel-plugin-transform-class-properties
issue).
- #3127 Ensure we always push into a
babel-plugin-transform-class-properties
:- #3113 Fix issue with using static class properties.
babel-plugin-transform-es2015-classes
:- #3112 Fix issue with
return super()
in class constructor causing asuper() hasn't been called
error.
- #3112 Fix issue with
babel-plugin-transform-inline-environment-variables
:- Fix typo with
replaceWith
.
- Fix typo with
babel-plugin-transform-regenerator
:- #3119 Ensure that generator functions always have an
Identifier
(fixes an issue with exporting a generator as a default).
- #3119 Ensure that generator functions always have an
- Bug Fix
babel-generator
:- #3121 Fix spacing in binary expression when right is a binary expression and has a unary on the left in compact mode. Ex:
(a+(+b*2))
should be ->a+ +b*2
- #3121 Fix spacing in binary expression when right is a binary expression and has a unary on the left in compact mode. Ex:
-
Bug Fix
-
Fix use of old
literal
to usestringLiteral
in babel-types. -
Fix issue with
babel-template
crashing in IE due to unpopulated error stack. -
Check for empty decorators list in
transform-class-properties
-
Fix babylon parser not allowing multiple parameters in arrow functions with flow types
-
Fix exported async functions being hoisted and as a result being undefined.
-
Polish
-
Add validation to more JSX node types.
-
Add validation for CallExpression, NewExpression, SequenceExpression, ArrayExpression, and TemplateLiteral.
-
Add
ObjectMember
abstract type to AST forObjectProperty
andObjectMethod
. -
Optimize
asyncToGenerator
helper template. -
Respect spacing for assignment, binary expressions, and while loop in compact mode.
-
Fix up semicolon omission in compact mode.
- Bug Fix
- Fix ES2015 classes being revisited twice causing state issues when inside.
- Polish
- Add
dirname
to unknown plugin resolution error.
- New Feature
- Add support for
function.sent
. - Internal
- Bump
invariant
depenency version. - Polish
- Infer filename from the base directory when resolving plugins and presets.
- Allow JSX pragma to be specified in line comments.
- Bug Fix
- Print a block when encountering consequents that are if statements.
- Fix some issues related to printing of auxiliary comments.
- Bug Fix
- Add check to avoid revisiting classes.
- Internal
- Add internal aliases for plugins for debugging.
- Bug Fix
- Avoid duplicate auxiliary starts if inside an aux section.
- Polish
- Only infer whitespace when we've been passed tokens in the code generator.
- Refactor JSX inlining to reduce parsing cost.
- Bug Fix
- Fix queueing of nested paths being pushed onto the priority queue.
- Bug Fix
- Add config check to
package.json
babel
reading. - Fix source maps merging.
- Ignore callee supers when doing spread compilation
- Polish
- Add hard error when we see decorators.
- Bug Fix
- Fix class transformation bug for export declarations with no
id
. - Fix regenerator plugin being passed an invalid function
id
. - Add support for async to generator helper on object and class methods.
- Fix looking up undefined nodes when walking back up the tree in typeof symbol plugin.
- Fix accidental serialisation of template literals in the code generator when the object of a member expression.
- Add missing
Expression
alias toTypeCastExpression
. - Move
children
prop pushing to after props to ensure correct order in the react inline elements plugin. - Fix
buildExternalHelpers
script ignoring non-underscored helpers. - Fix exported classes with static class properties.
- Spec Compliancy
- Add support for computed mutators in
babel-plugin-transform-es2015-computed-properties
. - Polish
- Make interop for plugins with the
__esModule
work for all plugins no matter how they're imported/specified. - Make it illegal for plugins to specify a catch-all
enter
/exit
visitor method. - Ignore
babel-runtime
version mismatch inbabel-doctor
. - Omit
defaultProps
helper when there are no props in the react inline elements plugin. - Add validators for ES2015 export nodes.
- Add missing core node validators.
- Update
runtime
plugincore-js
definitions. - Internal
- Add
babel-plugin-transform-react-display-name
to thereact
preset. - Clean up scope cache.
- Move
babel/register
into a separatebabel-register
package. - Add
react-jsx-source
plugin and add it to thereact
preset.
- Internal
- Add
allowTopLevelThis
option tobabel-plugin-transform-es2015-modules-commonjs
.
- Bug Fix
- Fix bug where the parser wouldn't allow typed annotated default parametesr in arrow functions.
- Add existence check to
NodePath#has
to ensure safeness when making comparisons. - Protect against replacing a class expression with a name inferred version that would result in it never being transformed.
- When transforming JSX to an inline object, make sure invalid identifier keys are quoted.
- Fix recursion in async to generator transforms due to referring to the inner generator function.
- Convert arrow functions to normal functions when remapping to a generator.
- Fix source map merging.
- Add line break test to the
updateContext
ofname
tokens in the parser to fix parsing of JSX and regexs with ASI. - Fix object rest/spread in arrow function parameters not being allowed in the parser.
- Ensure that unaries are parenthesised the same as function expressions.
- Internal
- Move
Symbol.hasInstance
transform out ofbabel-plugin-es2015-symbols
tobabel-plugin-es2015-instanceof
as it has nothing to do with symbols. - Add
babel-browser
package with the browser build. - Polish
- Add npm 3 check to
babel-doctor
. - Autoclear the
babel/register
cache when it gets too big to be serialised. - Spec Compliancy
- Add support for flow existential type parameters.
- Bug Fix
- Stop looking for configs in
babel-doctor
when we get to the root.
- New Feature
- Add
babel-doctor
CLI.
- Bug Fix
- In the callable class constructor plugin, don't transform derived classes as the constructor call cannot be inherited.
- Fix JSX inline elements plugin from attempting to create properties out of JSX containers.
- Fix infinite recursion error when attempting to resolve the execution status of functions that contain references to themselves.
- Bug Fix
- Fix function paths not being accurate.
- Polish
- Change
t.getOuterBindingIdentifiers
to completely ignore function expressions as they cause no outer bindings to be set. - Clean up
auxiliaryComment
option.
- Polish
- Add error when calling builder methods with too many arguments than it can take.
- Rename
RegexLiteral
node toRegExpLiteral
. - Rename
NumberLiteral
node toNumericLiteral
. - Bug Fix
- Make all fields of a
ForStatement
optional.
- Polish
- Add
Symbol
existence check totypeof
helper. - Bug Fix
- When merging options, take precedence over the current array.
- Fix export of parameters when renaming the binding of exported functions.
- Fix minify booleans plugin.
- Fix simplify comparison operator plugin.
- Don't include children if it's empty in react inline elements plugin.
- Internal
- Instead of throwing on a foreign node path. Ignore it and create a new one.
- Bug Fix
- Ensure there's a newline after prepended original shebang.
- Ignore non-origin template nodes when replacing placeholders in
babel-template
. - Fix
runtime
plugin helper generation. - Fix bug where async class methods weren't having their
await
s converted toyield
s in the async to generator helper.
- Bug Fix
- Fix async function remap helper from outputing incorrect calls causing wrong scoping.
- Spec Compliancy
- Update exponentiation operator precedence.
- Fix parser bug where arrow functions have a higher precedence than they should.
- Bug Fix
- Fix SystemJS module formatter exporting function parameters.
- Ensure that invalid identifier JSX attribute keys are quoted when transforming to calls.
- Fix ES3 property literal plugin.
- Fix parameters after defaults in arrow functions refering to the wrong
arguments
.
- Bug Fix
- Don't consider uncomputed object method property identifier to be a reference.
- Bug Fix
- Rename misspelt
babel-plugin-transform-class-constructor-call
package. - Add strict mode plugin to module transforms.
- Only ignore cloning of plugin instances when cloning babelrc configs.
- Add shebang to bin file in
babel
complain package. - Remove asserts from
babel-transform-regenerator
as we may have multiple packages interacting. - Add
babel-plugin-transform-es2015-modules-commonjs
tobabel-preset-es2015
.
- Internal
- Split up internals into packages.
- Breaking Change
- Remove
loose
option in favor of plugin options. - Remove
optional
,whitelist
andblacklist
options since plugins are now explicitly defined. - Plugins now just return a plain object rather than construct a
Plugin
instance. - Change the signature of visitor methods to
.call(state, path, state)
rather than.call(path, node, parent, scope, state)
. - All plugin traversals are now merged for performance.
- The
MethodDefinition
node type has been renamed toClassMethod
and it'sFunctionExpression
value
property has been coerced into the main method node. - The
Property
node type has been renamed toObjectProperty
. - The
Property
node type with the boolean flagmethod
has been renamed toObjectMethod
and it'sFunctionExpression
value
property has been coerced into the main method node. - The
Literal
node type has been unoverloaded and split intoBooleanLiteral
,RegExpLiteral
,NumericLiteral
,StringLiteral
andNullLiteral
. - The
SpreadProperty
(fromobject-rest-spread
) node type has been split intoRestProperty
(forObjectPattern
) andSpreadProperty
(forObjectExpression
) - Remove
module.exports
export interop for CommonJS module formatter. externalHelpers
option has been moved into the pluginbabel-plugin-external-helpers-2
.- Remove ability to use
enter
/exit
catch-all handlers in plugins. - New Feature
- Add plugin options.
- Add callable class constructor.
- Internal
- Republish to get fix for runtime
typeof-react-element
helper.
- Internal
- Rename
define
method to avoid webpack assuming those files are AMD.
- Spec Compliancy
- Updated
optimisation.react.inlineElements
transformer to React 0.14 output. Thanks @spicyj! - Polish
- Add support for evaluating more static nodes. Thanks @hzoo!
- Bug Fix
- Fix a bug where pushed scope bindings weren't properly being registered.
- Bug Fix
- Fix bug causing regexes to cause a syntax error after a block.
- Internal
- Expose
File
.
- New Feature
- Add support for Flow export types.
- Bug Fix
- Fix flow type annotations on object properties being lost.
- Fix bug effecting nested arrow functions.
- Check valid
export default
function
/class
token when parsing export default before converting to a declaration to avoid turning expressions into declarations. - Polish
- Add an exception to non-existent bindings when checking if we need to wrap block scoping blocks in a closure.
- Make comment retainment for multiple replacement nodes more predictable.
- Internal
- Remove
operator
property fromAssignmentPattern
nodes. - Update
es7.asyncFunctions
andes7.objectRestSpread
to stage 2.
The CHANGELOG was broken for these releases. Git tags were not pushed in the correct order and are therefore incorrect. It's recommended you NOT use any versions within this range.
- New Feature
- Add
es6.spec.modules
transformer. - Bug Fix
- Don't register export declarations as a module binding.
- Register import bindings to the specifier instead of the declaration.
export *
should not exportdefault
.- Clear `rawValue from JSX attribute values to avoid outputting the raw source verbatim.
- Add support for boolean flow literals.
- Fix bug where files that babel can compile weren't being written when ignored with the
--copy-files
flag. - Create new raw identifiers instead of cloning the original user one when exploding export specifiers to fix source map issues resulting in incorrect locations.
- Break on hitting a terminator paren triggering character to avoid pushing multiple starting parens.
- Consider comment starting character to be a terminatorless separator to avoid starting comments breaking terminatorless nodes.
- Internal
- Use
json5
for parsing.babelrc
files andJSON
forpackage.json
. - Update Regenerator dependency to
0.8.35
. - Remove flow types from being scope tracked.
- Polish
- Only register export declarations in scope tracking if they're of a valid type.
- Only output code frame and message on syntax errors in CLI.
- Set decorated initialisers that have no
initialiser
toundefined
. - Optimise common
typeof
cases ines6.spec.symbols
transformer.
- Bug Fix
- Fix bug in lookahead causing decorators to be cleared.
- Bug Fix
- Check if module options are nully instead of falsy to allow empty strings as
moduleRoot
etc. - Fix bug where reassigning the rest parameter wouldn't result in a deoptimisation.
- Bug Fix
- Fix issue in parser where the flow plugin wasn't using state to refer to whether it as in a type or not causing lookaheads to cause breakages.
- Bug Fix
- Fix comments not being attached if they're touching the start of their node.
- Never published, environment issues, again.
- Bug Fix
- Remove
rawValue
for JSX inner text.
- Polish
- Rewrite parentheses insertion for terminatorless nodes such as
BreakStatement
to be much more stable and cleaner. - Use
Object.setPrototypeOf
and fallback to__proto__
ininherits
helper.
Issues with publish process.
- Bug Fix
- Fix regression where async arrow functions couldn't have type annotation parameters.
- Output type annotations of type instantiation parameters.
- Polish
- Prepend to highest loop when performing rest parameter allocation optimisation.
- Add comment attachment to parser.
- Add support for retaining inner comments of empty blocks.
- Never released due to publish environment issues.
- Bug Fix
- Fix comments containg
@flow
being completely removed from output rather than just the specific directive.
- Bug Fix
- Add shim file for broken file path that old versions of the CLI would attempt to use.
- Bug Fix
- Fix performance issue in code generator when comment columns would attempt to match up in
compact
mode causing large amounts of whitespace. - Fix single line comments not outputting a newline in
compact
mode. - Polish
- Add support for flow return types for arrow functions.
- Bug Fix
- Add back mistakenly removed
replaceWithSourceString
method.
- Bug Fix
- Deopt on spread elements when performing array destructuring unpack optimisation.
- New Feature
- Add
shouldPrintComment
option to control comment output. - Add
.babelignore
file to be consistent with other tools. - Allow
.babelrc
configs to be specified viapackage.json
. - Polish
- Don't ignore comments when using
compact: true
option. - Add support for Flow
import typeof
. - Fix incorrect inheritance method position when using loose mode classes and constructor isn't the first item.
- Internal
- Completely fork Acorn with
babylon
. - Rewrite build system to accommodate for multiple packages.
- Bug Fix
- Fix
CodeGenerator.findCommonStringDelimiter
causing a stack overflow.
- Internal
- Fix
recast
version to avoid pulling in a newer version. - New Feature
- Add support for functions in
util.shouldIgnore
. - Polish
- Strip flow directives in flow transformer.
- Add a check for out of bounds default parameters, drastically improving performance and removes engine deoptimisations.
- Various performance optimisations by @samccone 💅✨
- Delay
this
assignment when referencing this inside an arrow function pre-bare super in derived class constructors. - Split up class body pushing if the constructor is in the wrong order.
- Bug Fix
- Fix hoisting of
ForInStatement
init
variables insystem
module formatter. PathHoister
: Don't hoist to the same function as their original paths function parent.PathHoister
: Push each violation paths ancestry to the breakOnScopePaths collection to avoid constant hoisting to nested paths.fix tail call recursion on functions with less arguments than parameters.- Disallow
super.*
beforesuper()
in derived class constructors. - Properly regenerate scope for replaced nodes. Thanks @loganfsmyth!
- Move up template literal simplification logic to avoid breaking on single elements.
- Setting up automatic Travis releases.
- Bug Fix
- Fix finding parent for top-level shadowed functions.
** Internal
- Merge
es6.parameters.rest
andes6.parameters.default
transformers. See commit c0fd4c1f9e0b18231f585c4fa793e4cb0e01aed1 for more info.
- Bug Fix
- Fix faulty internal require check.
- Polish
- Add support for trailing commas in arrow function parameter lists.
- Bug Fix
- Fix binary expressions colliding with unary expression operators in compact mode.
- Fix node properties being set to
null
when using computed properties.
- Bug Fix
- Fix hoisting of
ForXStatement
left
var
s when inserting a block scoping IIFE. - Polish
- Combine all leading computed property initialisers into the root object in loose mode.
- Internal
- Deprecate returning of replacement strings from visitor methods.
- Bug Fix
- Fix weird parser bug where
void
type annotations were being parsed as keywords causing the tokeniser to lose track of context.
- Bug Fix
- Fix nested functions causing rest parameter optimisation to not properly detect when it should deopt on a reference.
- Internal
- Update Regenerator
0.8.31
.
- Internal
- Add
ParenthesizedExpression
node type.
- Bug Fix
- Fix rest parameter array allocation loop being incorrectly aliased.
- Bug Fix
- Fix method key literals not turning into computed member expression in loose mode.
- Elect rest parameters in spread element position as candidates instead of replacing them in place.
- Bug Fix
- Fix istanbul interop for register hook when registering for non-existence extension.
- Fix super class constructor call differing for no constructor in derived classes.
- Disable module import receiver when in loose mode.
- Fix duplicate filenames when using
babel
CLI when passing multiple matching patterns. - Register labels as bindings to fix undeclared variable checks.
- Polish
- Remove unnecessary string binary expressions when transforming template literals.
- Support module live bindings in arbitary positions not in Program statement position.
- Throw error when attemping to replace a
Program
root node with another node not of typeProgram
. - Optimise rest parameters in spread element position and allocate rest array at the earliest common ancestor of all references.
- Generate original number representation when value was not changed.
- Check for invalid binding identifiers when generating inferred method names.
- Don't terminate CLI when watching files fail compilation on init.
- New Feature
- Add new plugin API.
- Internal
- Split react displayName addition into a plugin.
- Add check for
JSXMemberExpression
tot.isReferenced
. - Move
validation.undeclaredVariableCheck
transformer up. - Start great core-to-plugin exodus.
- Add
BindingIdentifier
virtual type. - Hidden class optimisations.
- Array allocation optimisations.
- Update
regenerator
. - Update
js-tokens
. - Sync with upstream Acorn.
- Internal
- Remove extremely unprofessional and harsh error message for those hotlinking to
resolve-rc
.
- Bug Fix
- Push newline after decorators when doing code gen.
- Rewriting error handling to normalise options before merging them.
- Remove duplicate keys in
alias-keys.json
causing errors in strict mode. - Fix
$ babel --help
not showing optional transformers as such. - New Feature
- Add
auxiliaryCommentBefore
andauxiliaryCommentAfter
options.
- Bug Fix
- Fix
let
binding collision in loop head not properly replacingAssignmentExpression
s.
- Bug Fix
- Fix
file.opts
not being set beforefile.log.deprecate
was called causing aReferenceError
as it was checking for a property on it.
- Bug Fix
- Add back missing
shouldIgnore
check. - Log message on deprecated options rather than throw an error.
- Fix name of
auxiliaryComment
option when attempting Istanbul interop inbabel/register
.
- Bug Fix
- Fix weird state bug when traversing overa
node
ClassProperty
instead ofpath
in thees6.classes
transformer.
- Bug Fix
- Fix
NodePath#isPure
onProperty
nodes. - Use cwd instead of entry file directory when working out relative directory for
babel/register
. - Internal
- Add scary warning for those few who choose to use the WIP experimental transformers.
- Bug Fix
- Remove
ClassProperty
nodes always in theFlow
transformer. This is fine now since class properties aren't supported in any engine that supports classes but thees7.classProperties
transformer will need to be updated in the future to desugar to ES6 classes instead of relying on thees6.classes
transformer from being ran.
- Bug Fix
- Allow pushing declarations to
SwitchStatement
s. - Fix
minification.removeDebugger
to removeDebuggerStatement
s rather thanExpressionStatement
s with an identifier ofdebugger
. - Check LHS in
ForInStatement
andForOfStatement
for constant violations. - Register function
id
as a reference when naming methods to avoid collisions. - Support key literals when checking for the existence of
displayName
property when attempting to add it forReact.createClass
. - Remove
ExportDefaultSpecifier
check fromt.isDefaultSpecifier
. - Don't consider
JSXIdentifier
HTML tag identifiers to be references. - Polish
- Update
minification.deadCodeElimination
transformer to remove all statements after completion statements. - Update
minification.deadCodeElimination
transformer to not inline single used bindings that exist in different scopes. - When performing Istanbul interop in
babel/register
, add the auxiliary comment"istanbul ignore text"
to get more accurate coverage. - Add
--nolazy
argument tobabel-node
. - Add support for
cluster
forking. - Perform scope tracking in a single pass instead of multiple.
- Smarten up type inferrence and resolution to support the whole array of language constructs.
- Optimise module metadata retrieval into a single pass.
- Ignore trailing commas when inferring newlines.
- Rename
minification.inlineExpressions
transformer tominification.constantFolding
. - Check path relative to entry file when checking to see if we're inside
node_modules
when usingbabel/register
. - Upgrade
regenerator
.
- Bug Fix
- Don't consider
JSXAttribute
names
to be validReferencedIdentifier
s.
- Bug Fix
- Fix
spec.functionName
transformer incorrectly attempting to rename a binding that doesn't exist as it's a global. - Internal
- Deprecate custom module formatters.
- Bug Fix
- Add
JSXIdentifier
as a validReferencedIdentifier
visitor virtual type. - Ignore
CallExpression
_prettyCall
when theretainLines
option is enabled. - Inherit comments to new declaration node when exploding module declarations.
- Fix
es6.tailCall
transformer failing on calls that exceed the max parameters of the function.
- Bug Fix
- Fix bug where replacing variable declarations in the head of a
for
loop would turn them intoExpressionStatement
s. - Fix renaming of assignment expressions that were non-identifiers ie. patterns.
- Force space before
class
id
to avoid breaking named classes when usingcompact
mode. - Add assignment pattern explosion to avoid initial duplicate nodes.
- Ignore this and arguments when performing TCO on shadowed functions.
- Polish
- Rename
sourceMapName
option tosourceMapTarget
. Thanks @getify! - Better detection of completion records, ignore those in
Function
s. - Clarified descriptions of the options that are enabled by default.
- Resolve
\
babel-plugin-${name}`plugin names **before** just checking the
name`. Thanks @jquense! - Update AMD module formatter to add import default remapping.
- Bug Fix
- Fix
module
being incorrectly rewritten when used as in an export declaration. - When performing single-reference inlining, ensure that the single reference isn't a child of the binding itself.
- Fix a bug in
minification.deadCodeElimination
where a new binding instance was being created for local class bindings instead of just inheriting the parent one. - Fix bug with paren printing in
compact
andretainLines
mode where a left paren was already printed before catching up. - Internal
- Handle contexts for paths much better. This will ensure that the path node location info is in sync.
- Polish
ignore
andonly
patterns are now very liberal. The pattern can now exist anywhere in the path.
- Bug Fix
- Add missing
slash
dependency. Thanks @browncolyn! - Polish
- Clean up
shouldIgnore
algorithm to work how you'd expect rather than being a hacky piece of shit. It now crawls the entire path, checking each section of it against the input ignore/only patterns. This means that the patternfoo
will ignore the pathsfoo/bar.js
,bar/foo
etc.
- New Feature
- Added function bind syntax behind stage 0. Thanks @RReverser!
- Added
env
option. Especially handy when using the.babelrc
. - Bug Fix
- Fix files not properly being ignored when
babel.transform
ignores them when using$ babel
. - Fix scope tracking registering loop head bindings to their
VariableDeclaration
instead ofVariableDeclarator
. - Polish
- Normalise path separators for souce map paths when using
$ babel
. - Rework
PathHoister
to ignore global references and to not deopt on reassignments to referenced bindings, instead it tries to hoist to the highest scope. - Added missing exponential operator inlining. Thanks @nkt!
- Optimise
regenerator
transformer. Thanks @benjamn!
- Bug Fix
- Fix
minification.deadCodeElimination
transformer incorrectly trying to inline import declarations. - Fix
minification.inlineExpression
transformer getting into an infinite loop.
- Bug Fix
- Fix patterns not being considered when hoisting variables in the
es6.blockScoping
transformer.
- Bug Fix
- Fix unique export specifiers not being cloned when exploding class and function exports,
- Polish
- Turn import remaps to sequence expressions to remove their context and improve performance.
Speeeeeeed
- Spec Compliancy
- Allow trailing param commas for methods when using the
es7.trailingCommas
transformer. - Bug Fix
- Fix
es6.blockScoping
transformer not properly ignoringbreak
inSwitchCase
. - Fix lookahead context saving to avoid weird tokenizer state.
- Explode duplicate identifiers in export/import specifiers and property shorthand to create unique objects.
- Skip loose mode for class methods when they have decorators.
- When removing nodes, share their comments with their siblings.
- Properly hoist temp param declarations when doing TCO.
- Internal
- Add
--harmony_generators
flag to$ babel-node
. - Internal AST traversals have been minimised drastically. Transformers have been grouped together which means entire tree traversals are much fewer. Visiting nodes is now also skipped if the traversal context can detect that the handler is a noop. This sames precious cycles as it avoids constructing traversal paths and creating a new traversal context. See issues #1472 and #1486 for related discussion.
- Polish
- Move many
utility
transformers tominification
.
- Bug Fix
- Fix auxiliary comments not properly being attached to function declaration helpers.
- Add
Super
node type toast-types
patch. - Ignore parameter bindings when attempting to inline them in the
minification.deadCodeElimination
transformer. - Correct
extensions
arguments when using the Babel CLI.
- Bug Fix
- Fix plugins being disabled when using the whitelist.
- Fix correct function scope being passed to
nameMethod.property
when inferring the function name for class methods. - Fix incorrect extensions reference causing weird issues when using the Babel CLI.
- Fix destructuring param reference replacements not inheriting from their original param.
- Spec Compliancy
- Fix order that method decorators are ran in.
- Bug Fix
- Fix initializer descriptor add attempt if it doesn't exist.
- Bug Fix
- Fix bug with initializer decorators where the descriptors weren't being defined if there was no
initializer
property. - Internal
- Expose
retainLines
option to CLI. - Fix
retainLines
option not being taken into consideration when doing multiple variable declaration declarators generation. - Expose minified and unminified copies of dist scripts.
- Bug Fix
- Fix
ExportDeclaration
s being incorrectly removed when using theutility.deadCodeElimination
transformer. - Fix position of
utility
transformers. - New Feature
- Add built-in
esquery
support. - Internal
- Consolidate notion of "virtual types".
- Polish
- Make UID generation based on module declarations much nicer.
- Internal
- Remove internal check for traversal path replacement of self. This is a pattern that could come up in the wild and it could lead to pretty nasty code and may lead to internal regressions as the test coverage isn't 100% :( Instead, just put it in the fast path.
- Internal
- Rename
getModuleName
option togetModuleId
, doh.
- Bug Fix
- Fix numerous issues in
replaceWithSourceString
. Thanks @pangratz! - New Feature
- Add
getModuleName
option. Thanks @jayphelps!
- Bug Fix
- Fix
_blockHoist
transformer incorrectly sorting nodes on shitty environments that aren't spec compliant in their key order. - Fix broken
parse
API method reference to an undeclared import.
- Bug Fix
- Move
utility.deadCodeElimination
transformer up to avoid race conditions. - Fix shorthand property scope binding renaming.
- Polish
- Turn helper variable declarations into function declarations if possible.
- Internal
- Removed native inheritance support from classes.
- Added
replaceWithSourceString
path API. - Split up
es3.propertyLiterals
andes3.memberExpressionLiterals
transformers tominfication.propertyLiterals
andes3.memberExpressionLiterals
.
- Internal
- Fix transformer aliases being accidently set as deprecated ones.
- Expose
Pipeline
asTransformerPipeline
instead.
- Bug Fix
- Fix
parse
API not adding all the correct pipeline transformers.
- Bug Fix
- Fix race condition with the Node API being loaded awkwardly and not being able to initialise itself when used in the browser.
- Internal
- Expose
transform.pipeline
.
- Bug Fix
- Fix plugin containers being called with an undefined import. Thanks @timbur!
- Allow Flow object separators to be commas. Thanks @monsanto!
- Add missing
Statement
andDeclaration
node aliases to flow types.
- Internal
- Allow
util.arrayify
to take arbitrary types and coerce it into an array.
- Bug Fix
- Fix regression in
node/register
that causednode_modules
to not be ignored.
- Bug Fix
- Fix plugin strings splitting arbitrarily on
:
which caused full paths on Windows to fail as they include:
after the drive letter. - Call class property
initializer
s with their target instead of their descriptor. - Fix
ignore
andonly
not properly working on Windows path separators. Thanks @stagas! - Fix
resolveRc
running on files twice causing issues. Thanks @lukescott! - Fix shorthand properties not correctly being target for
isReferenced
checks. Thanks @monsanto! - Polish
- Allow passing an array of globs to
babel/register
only
andignore
options. Thanks @Mark-Simulacrum! - When inferring function names that collide with upper bindings, instead of doing the wrapper, instead rename them.
- Consider constant-like variable declaration functions to always refer to themselves so TOC can be performed.
- Process globs manually when using
$ babel
as some shells such as Windows don't explode them. Thanks @jden! - Add alternative way to execute plugins via a closure that's called with the current Babel instance.
- Internal
- Remove multiple internal transformers in favor of directly doing things when we need to. Previously, declarations such as
_ref
that we needed to create in specific scopes were done at the very end via the_declarations
transformer. Now, they're done and added to the scope right when they're needed. This gets rid of the crappy_declarations
property on scope nodes and fixes the crappy regenerator bug where it was creating a newBlockStatement
so the declarations were being lost. - Rework transformer traversal optimisation. Turns out that calling a
check
function for every single node in the AST is ridiculously expensive. 300,000 nodes timesed by ~30 transformers meant that it took tens of seconds to perform while it's quicker to just do the unnecessary traversal. Seems obvious in hindsight. - New Feature
- Add
jscript
transformer that turns named function expressions into function declarations to get around JScript's horribly broken function expression semantics. Thanks @kondi! - Add
@@hasInstance
support to objects when using thees6.spec.symbols
transformer. - Add
retainLines
option that retains the line (but not the columns!) of the input code.
- Polish
- Remove symbol check from
defineProperty
helper.
- Bug Fix
- Fix
resolveModuleSource
not being ran onExportAllDeclaration
s. - Fix
.babelrc
being resolved multiple times when using the require hook. - Fix parse error on spread properties in assignment position.
- Fix
externalHelpers
option being incorrectly listed as typestring
. - Internal
- Upgrade
core-js
to0.9.0
. - Spec Compliancy
- Fix object decorators not using the
initializer
pattern. - Remove property initializer descriptor reflection.
- Bug Fix
- Memoise and bind member expression decorators.
- Move JSX children cleaning to opening element visitor. Fixes elements not being cleaned in certain scenarios.
- Consider
SwitchStatement
s to beScopable
. - Fix
bluebirdCoroutines
callinginteropRequireWildcard
before it's defined. - Add space to
do...while
code generation. - Validate
super
use beforethis
onsuper
exit rather than entrance. - Polish
- Add Babel name to logger.
- Bug Fix
- Remove
makePredicate
from acorn in favor of anindexOf
. - Remove statements to expression explosion when inserting a block statement.
- Internal
- Remove runtime compatibility check.
- Bug Fix
- Fix class property initializers with
undefined
values not being correctly writable. - Fix self inferring generators incorrectly causing a stack error.
- Fix default export specifiers not triggering AMD
module
argument inclusion. - Fix assignments not having their module references properly remapped.
- Internal
- Upgrade to latest
acorn
. - Polish
- Make invalid LHS pattern error messages nicer.
- Bug Fix
- Only make parenthesized object pattern LHS illegal.
- Internal
- Add
parse
node API.
- Bug Fix
- Fix
runtime
built-in catchall not properly checking for local variables.
- Internal
- Bump
core-js
version.
- Polish
- Add missing
Reflect
methods to runtime transformer.
- Internal
- Switch entirely to vanilla regenerator.
- Clean up and make the parsing of decorators stateless.
- Bug Fix
- Don't do TCO on generators and async functions.
- Add missing
core-js
runtime definitions.
- Bug Fix
- Add
getIterator
andisIterable
tobabel-runtime
build script.
- Bug Fix
- Add missing runtime symbol definitions.
- Bug Fix
- Fix super reference when using decorators.
- Don't do array unpack optimisation when member expressions are present.
- Add missing descriptors for undecorated class properties.
- Don't consider
arguments
andeval
valid function names when doing function name inferrence. - Fix scope tracking of constants in loop heads.
- Parse
AwaitExpression
as a unary instead of an assignment. - Fix regex evaluation when attempting static evaluation.
- Don't emit tokens when doing a lookahead.
- Add missing
test
declaration toutility.deadCodeElimination
transformer. - Internal
- Upgrade
regenerator
to the latest and use my branch with the hope of eventually switching to vanilla regenerator. - Add support for the replacement of for loop
init
s with statements. - Upgrade dependencies.
- Polish
- When adding the scope IIFE when using default parameters, don't shadow the function expression, just
apply
this
andarguments
if necessary. - Use path basename as non-default import fallback.
- New Feature
- Add trailing function comma proposal. Thanks @AluisioASG!
- Add support for object literal decorators.
- Make core-js modular when using the
runtime
transformer.
- Bug Fix
- Fix incorrect remapping of module references inside of a function id redirection container.
- Bug Fix
- Fix new
for...of
loops not properly inheriting their original loop. - Internal
- Disable scope instance cache.
- Polish
- Allow comments in
.babelrc
JSON.
- Polish
- Use
moduleId
for UMD global name if available. - Bug Fix
- Fix UMD global
module
variable shadowing theamd
/common
module
variable. - Fix Flow param type annotation regression.
- Fix function name collision
toString
wrapper. Thanks @alawatthe!
- Bug Fix
- Fix falsy static class properties not being writable.
- Fix block scoping collisions not properly detecting modules and function clashes.
- Skip
this
beforesuper
for derived constructors on functions.
- New Feature
- Add
--ignore
and--only
support to the CLI. - Bug Fix
- Remove
HOMEPATH
environment variable from home resolution inbabel/register
cache. - Internal
- Disable WIP path resolution introducing infinite recursion in some code examples.
- Polish
- Add live binding to CommonJS default imports.
- Bug Fix
- Fix mangling of import references that collide with properties on
Object.prototype
. - Fix duplicate declarations incorrectly being reported for
var
.
- Internal
- Upgrade
core-js
. - Bug Fix
- Fix arrays not being supported in
util.list
.
- Polish
- Check for top level
breakConfig
inresolveRc
.
- Bug Fix
- Make relative location absolute before calling
resolveRc
. - Internal
- Switch to global UID registry.
- Add
breakConfig
option to prevent Babel from erroring when hitting that option.
- Bug Fix
- Fix duplicate declaration regression.
- Fix not being able to call non-writable methods.
- New Feature
- Decorators based on @wycat's stage 1 proposal.
- Class property initializers based on @jeffmo's stage 0 proposal.
- Export extensions based on @leebyron's stage 1 proposal.
- UMD module formatter now supports globals.
- Add
es3.runtime
,optimisation.react.inlineElements
andoptimisation.react.constantElements
transformers. - Add stage option that replaces the experimental one.
- Allow ES7 transformer to be enabled via
optional
instead of only viastage
. - Infer string quotes to use in the code generator.
- Consider
export { foo as default };
to be the same asexport default foo;
. - Add
nonStandard
option that can be set tofalse
to remove parser support for JSX and Flow. - Add
jsxPragma
option. - Automatically generate CLI options based on internal API options.
- Add support for
.babelrc
on absolute paths. - Plugin API!
- Internal
- Export
options
in browser API. - Rewritten parser.
- Don't block hoist when runtime transformer is enabled in system module formatter.
- Rewritten the internal traversal and node replacement API to use "paths" that abstracts out node relationships.
- Polish
- JSX output is now more inline with the official JSX transformer.
- Hoist block scoping IIFE - this improves memory usage and performance.
- Better IIFE detection - references are now checked to see if they're referencing the binding we're searching for.
- Check for import reassignments in constants transformer.
- Make method definitions with expression bodies illegal.
- Save register cache on tick instead of
SIGINT
. - Enable strict mode on babel-node eval flag.
- Bug Fixes
- Add support for live bindings. This change also increases the reliablity of export specifier renaming.
- Add support for super update and non equals assignment expressions.
- Rename shadow constructor binding in classes.
- Seed next iteration bindings with previous fresh bindings when reassinging loop block scoped variables.
- Fix new expression spread referencing the wrong constructor.
- Call
resolveModuleSource
on dynamic imports. - Added
param
to list of duplicate declaration kinds. - Breaking Changes
- The Babel playground has been removed.
- ES7 Abstract References have been removed.
- Experimental option has been removed in favor of a stage option.
- Rename
returnUsedHelpers
tometadataUsedHelpers
.
- Bug Fix
- Fix constructor spreading of typed arrays.
- Fix break/continue/return aliasing of non-loops in block scoping transformer.
- Bug Fix
- Fix constructor spreading of collections.
- Bug Fix
- Fix constructor spreading of
Promise
. - Internal
- Deprecate remaining playground transformers and abstract references.
- Bug Fix
- Handle comments on use strict directives.
- Fix assignment patterns with a left side pattern.
- Polish
- Special case
this
when doing expression memoisation.
- Bug Fix
- Deprecate
playground.methodBinding
.
- Bug Fix
- Fix unicode regexes stripping their unicode flag before being passed on two
regexpu
.
- Internal
- Deprecate
playground.methodBinding
andplayground.objectGetterMemoization
. - Bug Fix
- Fix
inputSourceMap
option. Thanks @Rich-Harris!
- Polish
- Allow
inputSourceMap
to be set tofalse
to skip the source map inference. - Infer computed literal property names.
- Bug Fix
- Fix nested labeled for-ofs.
- Fix block scoping
break
colliding with the parent switch case. - Internal
- Upgrade
acorn-babel
.
- Bug Fix
- Fix computed classes not properly setting symbols.
- Bug Fix
- Fix
types
API exposure.
- Bug Fix
- Fix non-Identifier/Literal computed class methods.
- Polish
- Add a fallback if
stack
on an error is unconfigurable. - Hoist
esModule
module declarations to the top of the file to handle circular dependencies better.
- Bug Fix
- Don't remap
break
s to call the iterator return. - Polish
- Use a different helper for computed classes for much nicer output. Also fixes a bug in symbols being non-enumerable so they wouldn't be set on the class.
- Bug Fix
- Rewrite named function expressions in optional async function transformers.
- Hoist directives.
- Remove
Number
from the list of validruntime
constructors. - Internal
spec.typeofSymbol
transformer has been renamed toes6.symbols
.
- New Feature
"both"
option forsourceMap
.- Add output types to external helpers. Thanks @neVERberleRfellerER!
- Bug Fix
- Fix node duplication sometimes resulting in a recursion error.
- Ignore
break
s within cases insidefor...of
. - Polish
- Split up variable declarations and export declarations to allow easier transformation.
- Bug Fix
- Add
alternate
to list ofSTATEMENT_OR_BLOCK
keys. - Add support for module specifiers to
t.isReferenced
. - New Feature
- Add
inputSourceMap
option. - Polish
- Throw an error on different
babel
andbabel-runtime
versions. - Replicate module environment for
babel-node
eval. - Clean up classes output.
- Spec Compliancy
- Make it illegal to use a rest parameter on a setter.
- Bug Fix
- Fix incorrect method call in
utility.deadCodeElimination
transformer. - Fix
es6.blockScopingTDZ
transformer duplicating binding nodes.
- Internal
useStrict
transformer has been renamed tostrict
.
- Bug Fix
- Fix
ForOfStatement
not proplery inheriting labels. - When in closure mode in block scoping transformer, properly check for variable shadowing.
- New Feature
- New
utility.inlineEnvironmentVariables
andutility.inlineExpression
transformers.
- Bug Fix
- Fix
arguments
being incorrectly aliased in arrow function rest parameter optimisation. - Make deoptimisation trigger safer.
- New Feature
- Flow types are now retained when blacklisting the
flow
transformer.
- Bug Fix
- Fix generators in template directory being transformed.
- Fix exposure of
util
for plugins.
- New Feature
- Desugar sticky regexes to a new constructor expression so it can be handled by a polyfill.
- Spec Compliancy
for...of
now outputs in a lengthytry...catch
this is to ensure spec compliancy in regards to iterator returns and abrupt completions. See google/traceur-compiler#1773 and babel/babel/#838 for more information.- Polish
- Rest parameters that are only refered to via number properties on member expressions are desugared into a direct
arguments
reference. Thanks @neVERberleRfellerER! $ babel
no longer exits on syntax errors.- Internal
- Upgrade
browserify
. - Upgrade
source-map
. - Publicly expose more internals.
- Polish
- Delete old extensions when overriding them in
babel/register
.
- Bug Fix
- Fix whitelisting logic for helper build script.
- New Feature
returnUsedHelpers
option and add whitelist tobuildHelpers
.- Bug Fix
- Fix function arity on self referencing inferred named functions.
- Internal
- Bump
acorn-babel
. - Start converting source to ES6...
Babel now compiles itself!
- New Feature
- Add
.babelrc
support. - Bug Fix
- Move use strict directives to the module formatter bodies.
- Internal
- Make default
bin/babel
behaviour to ignore non-compilable files and add a--copy-files
flag to revert to the old behaviour.
- Bug Fix
- Fix extending a class expression with no methods/only constructor. Thanks @neVERberleRfellerER!
- Allow
MemberExpression
as a validleft
ofForOfStatement
. - Polish
- Throw an error when people try and transpile code with the
@jsx React.DOM
pragma as it conflicts with the custom jsx constructo method detection. - Crawl all comments for
@jsx
pragma. - Internal
- Upgrade
chalk
. - Upgrade
core-js
.
- Internal
- Remove function self reference optimisation.
- Bug Fix
- Handle inferred function ids to be reassigned and deopt to a slower but working equivalent.
- Don't unpack array patterns that have more elements than their right hand array expression.
- Polish
- Improve syntax highlighting in the code frame. Thanks @lydell!
- Internal
- Upgrade
acorn-babel
.
- Bug Fix
- Fix
for...of
iterator break returns being duplicated. - Only call
return
on the iterator if it exists. - Internal
- Rename
selfContained
transformer toruntime
.
- New Feature
- Add
moduleId
option for specifying a custom module id.
- New Feature
/*** @jsx NAMESPACE **/
comments are now honored by thereact
transformer.getModuleName
option.- Infer function expression names. Thanks @RReverser!
- Bug Fix
- Add proper control flow for tail recursion optimisation.
- Internal
- Remove useless
format
options and move theformat.compact
option toformat
. - Polish
- Newline handling of the code generator has been heavily improved.
- Code generator now deopts whitespace if the input size is >100KB.
- Breaking Change
- Remove
commonStandard
module formatter and make it the default behaviour of all the strict module formatters.
- Polish
- Add auxiliary comment to let scoping closure flow control.
- Polish
- Use an assignment instead of a define for
__esModule
in loose mode. - Internal
- Add error for
eval();
usage and enable strict mode for parsing.
- New Feature
- Add
BABEL_CACHE_PATH
andBABEL_DISABLE_CACHE
environment variables. - Internal
- Replace many internal util functions with modules. Thanks @sindresorhus!
- Bug Fix
- Fix generators not properly propagating their internal declarations.
- Polish
- Update setter param length error message.
- Use ranges on dependencies.
- 6to5 is now known as Babel.
- Global helpers/runtime has now been given the more descriptive name of "external helpers".