-
Notifications
You must be signed in to change notification settings - Fork 583
LanguageFeatures
This is the list of features that are turned on by default.
- Arrow Functions
- Block Scoped Binding
- Classes
- Computed Property Names
- Default Parameters
- Destructuring Assignment
- Iterators and For Of
- Generators
- Modules
- Numeric Literals
- Property Method Assignment
- Object Initializer Shorthand
- Rest Parameters
- Spread
- Template Literals
- Promises
All these features are either part of the official ECMAScript Harmony draft or proposals unless otherwise noted.
These are no longer part of ES6 and not turned on by default but are considered safe:
And these are only experimental and need to be turned on manually:
- Proper Tail Calls (ES6, but performance)
- Symbols (ES6, but performance?)
- Async Functions (ES8)
- Async Generators (Not part of ES)
- Types (Not part of ES)
- Annotations (Not part of ES)
var square = (x) => {
return x * x;
};
var square2 = x => x * x;
var objectify = x => ({ value: x }); // Immediate return of an object literal must be wrapped in parentheses
expect(square(4)).to.be.eql(16);
expect(square2(4)).to.be.eql(16);
expect(objectify(1)).to.be.eql({ value: 1 });
ES6 Spec: Arrow Functions
Block scoped bindings provide scopes other than the function and top level scope. This ensures your variables don't leak out of the scope they're defined:
{
const tmp = a;
a = b;
b = tmp;
}
alert(tmp); // error: 'tmp' is not defined.
It's also useful for capturing variables in a loop:
let funcs = [];
for (let i of [4,5,6]) {
funcs.push(function() { return i; });
}
for (var func of funcs) {
console.log(func()); // 4, 5, 6
}
ES6 Spec: Let and Const Declarations
This implements class syntax and semantics as described in the ES6 draft spec. In earlier versions of Traceur we had more feature rich classes but in the spirit of Harmony we have scaled back and are now only supporting the minimal class proposal.
Classes are a great way to reuse code. Several JS libraries provide classes and inheritance, but they aren't mutually compatible.
class Character {
constructor(x, y) {
this.x = x;
this.y = y;
}
}
class Monster extends Character {
constructor(x, y, name) {
super(x, y);
this.name = name;
this.health_ = 100;
}
attack(character) {
super.attack(character);
this.health_ += 10;
}
get isAlive() { return this.health_ > 0; }
get health() { return this.health_; }
set health(value) {
if (value < 0) throw new Error('Health must be non-negative.');
this.health_ = value;
}
}
var myMonster = new Monster(5,1, 'arrrg');
expect(myMonster.health).to.be.eql(100);
expect(myMonster.isAlive).to.be.eql(true);
expect(myMonster.x).to.be.eql(5);
myMonster.health = 10;
expect(myMonster.health).to.be.eql(10);
expect(myMonster.name).to.be.eql('arrrg');
Here's an example of subclassing an HTML button:
class CustomButton extends HTMLButtonElement {
constructor() {
this.value = 'Custom Button';
}
// ... other methods ...
}
var button = new CustomButton();
document.body.appendChild(button);
Warning This is currently not supported.
ES6 Spec: Classes
var x = 0;
var obj = {
[x]: 'hello'
};
expect(obj[0]).to.be.eql('hello');
Default parameters allow your functions to have optional arguments without needing to check arguments.length
or check for undefined
.
function f(list, indexA = 0, indexB = list.length) {
return [list, indexA, indexB];
}
expect(f([1,2,3])).to.be.eql([[1,2,3], 0, 3]);
expect(f([1,2,3], 1)).to.be.eql([[1,2,3], 1, 3]);
expect(f([1,2,3], 1, 2)).to.be.eql([[1,2,3], 1, 2]);
ES6 Spec: Default Parameters
Destructuring assignment is a nice way to assign or initialize several variables at once.
var [a, [b, c], [d]] = ['hello', [', ', 'junk'], ['world']];
expect(a + b + d).to.be.eql('hello, world');
It can also destructure objects:
var pt = {x: 123, y: 444};
var rect = {topLeft: {x: 1, y: 2}, bottomRight: {x: 3, y: 4}};
// ... other code ...
var {x, y} = pt; // unpack the point
var {topLeft: {x: x1, y: y1}, bottomRight: {x: x2, y: y2}} = rect;
expect(x + y).to.be.eql(567);
expect([x1, y1, x2, y2].join(',')).to.be.eql('1,2,3,4');
ES6 Spec: Destructuring Assignment
Iterators are objects that can traverse a container. It's a useful way to make a class work inside a for of loop. The interface is similar to the iterators-interface. Iterating with a for of loop looks like:
var res = [];
for (var element of [1, 2, 3]) {
res.push(element * element);
}
expect(res).to.be.eql([1, 4, 9]);
You can also create your own iterable objects. Normally this is done via the yield
keyword (discussed below in Generators but it could be done explicitly by
returning an object that has Symbol.iterator
):
function iterateElements(array) {
return {
[Symbol.iterator]: function() {
var index = 0;
var current;
return {
next: function() {
if (index < array.length) {
current = array[index++];
return {
value: current,
done: false
};
}
return {
value: undefined,
done: true
}
}
};
}
};
}
// Usage:
var g = iterateElements([1,2,3]);
var res = [];
for (var a of g) {
res.push(a);
}
expect(res).to.be.eql([1, 2, 3]);
Generators make it easy to create iterators. Instead of tracking state yourself
and implementing Symbol.iterator
, you just use yield
(or yield*
to yield each element
in an iterator).
// A binary tree class.
function Tree(left, label, right) {
this.left = left;
this.label = label;
this.right = right;
}
// A recursive generator that iterates the Tree labels in-order.
function* inorder(t) {
if (t) {
yield* inorder(t.left);
yield t.label;
yield* inorder(t.right);
}
}
// Make a tree
function make(array) {
// Leaf node:
if (array.length == 1) return new Tree(null, array[0], null);
return new Tree(make(array[0]), array[1], make(array[2]));
}
let tree = make([[['a'], 'b', ['c']], 'd', [['e'], 'f', ['g']]]);
// Iterate over it
var result = [];
for (let node of inorder(tree)) {
result.push(node); // a, b, c, d, ...
}
expect(result).to.be.eql(['a', 'b', 'c', 'd', 'e', 'f', 'g']);
A generator function needs to be annotated as function*
instead of just function
.
ES6 Spec: Generators
Modules are mostly implemented, with some parts of the Loader API still to be corrected. Modules try to solve many issues in dependencies and deployment, allowing users to create modules with explicit exports, import specific exported names from those modules, and keep these names separate.
// Profile.js
export var firstName = 'David';
export var lastName = 'Belle';
export var year = 1973;
// ProfileView.js
import {firstName, lastName, year} from './Profile.js';
function setHeader(element) {
element.textContent = firstName + ' ' + lastName;
}
// rest of module
These modules can be loaded in several ways. We'll just show a couple of ways to get you started.
In a Web page you can use script
tags with type="module"
:
<script src="../bin/BrowserSystem.js"></script>
<script>
System.loadScriptTypeModule();
</script>
<script type="module" src="ProfileView.js"></script>
See for example, async.html.
To load modules dynamically, use System.import
:
<script src="../bin/BrowserSystem.js"></script>
...
<script>
System.import('./repl-module.js').catch(function(ex) {
console.error('Internal Error ', ex.stack || ex);
});
</script>
See for example repl.html.
Our System
is primarily used to test the our compiler. A production ready System
is available in systemjs.
var binary = [
0b0,
0b1,
0b11
];
expect(binary).to.be.eql([0, 1, 3]);
var octal = [
0o0,
0o1,
0o10,
0o77
];
expect(octal).to.be.eql([0, 1, 8, 63]);
ES6 Spec: Numeric Literals
Method syntax is supported in object initializers, for example see toString()
:
var object = {
value: 42,
toString() {
return this.value;
}
};
expect(object.toString()).to.be.eql(42);
ES6 Spec: Object Initializer Shorthand
This allows you to skip repeating yourself when the property name and property value are the same in an object literal.
function getPoint() {
var x = 1;
var y = 10;
return {x, y};
}
expect(getPoint()).to.be.eql({
x: 1,
y: 10
});
ES6 Spec: Object Initializer Shorthand
Rest parameters allows your functions to have variable number of arguments without using the arguments
object.
The rest parameter is an instance of Array
so all the array methods just work.
function push(array, ...items) {
items.forEach(function(item) {
array.push(item);
});
}
var res = [];
push(res, 1, 2, 3);
expect(res).to.be.eql([1, 2, 3]);
ES6 Spec: Rest Parameters
The spread operator is like the reverse of rest parameters. It allows you to expand an array into multiple formal parameters.
function push(array, ...items) {
array.push(...items);
}
function add(x, y) {
return x + y;
}
var numbers = [4, 38];
expect(add(...numbers)).to.be.eql(42);
The spread operator also works in array literals which allows you to combine multiple arrays more easily.
var a = [1];
var b = [2, 3, 4];
var c = [6, 7];
var d = [0, ...a, ...b, 5, ...c];
expect(d).to.be.eql([0, 1, 2, 3, 4, 5, 6, 7]);
ES6 Spec: Spread Operator
var name = 'world';
var greeting = `hello ${name}`;
expect(greeting).to.be.eql('hello world');
ES6 Spec: Template Literals
We have a polyfill of Promises. It is used by the module loader and the async functions.
function timeout(ms) {
return new Promise((resolve) => {
setTimeout(resolve, ms);
});
}
timeout(100).then(() => {
console.log('done');
});
ES6 Spec: Promises
var array = [for (x of [0, 1, 2]) for (y of [0, 1, 2]) x + '' + y];
expect(array).to.be.eql([
'00', '01', '02', '10', '11', '12', '20', '21', '22'
]);
ES6 Spec: Array Comprehension
Lazy computed comprehensions.
var list = [1, 2, 3, 4];
var res = (for (x of list) x);
var acc = '';
for (var x of res) {
acc += x;
}
expect(acc).to.be.eql('1234');
ES6 Spec: Generator Comprehension
Calls in tail position do not grow the stack. Proper tail calls allow you to write in a functional or continuation passing style without having to worry about stack overflows.
function g1(n, m) {
return n === 0 ? m : g2(n - 1, n + m);
}
function g2(n, m) {
return n === 0 ? m : g1(n - 1, n + m);
}
function f(n) {
return g1(n, 0);
}
function sum(n) {
return n * (n + 1) / 2;
}
assert.equal(f(100000), sum(100000));
// --symbols
var s = Symbol();
var object = {};
object[s] = 42;
expect(object[s]).to.be.eql(42);
Async functions allow you to write asynchronous non-blocking code without writing callback functions, which don't compose well. With async functions, you can use JavaScript control flow constructs that you're used to, inline with the rest of your code.
An async function can contain await expressions. The operand of the await expression is treated as Promise and when the promise is fulfilled the execution continues.
function timeout(ms) {
return new Promise((resolve) => {
setTimeout(resolve, ms);
});
}
async function asyncValue(value) {
await timeout(50);
return value;
}
(async function() {
var value = await asyncValue(42).catch(console.error.bind(console));
assert.equal(42, value);
done();
})();
ES7 Proposal: Async Functions
Async generators allow you to write non-blocking code that asynchronously returns multiple values. Unlike an async function that eventually resolves to one value, an async generator produces of sequence of values much like an iterator. Unlike iterators, however, which are consumed while the consuming party is in charge of control, async generators push their values to their consumers, named observers, and remain in charge of control. For the observing part, there is also a language construct, the for on loop.
An async generator is a generator that can contain await expressions. As with async functions, the operand of the await expression is treated as Promise and when the promise is fulfilled the execution continues.
function timeout(ms) {
return new Promise((resolve) => {
setTimeout(resolve, ms);
});
}
async function* asyncStream() {
var i = 0;
while (true) {
await timeout(50);
yield i;
++i;
}
}
(async function() {
var count = 0;
for (value on asyncStream()) {
count += value;
if (value === 10) {
break; // stops the async generator as well
}
}
assert.equal(count, 55); // 55 = 1 + 2 + ... + 10
done();
})();
ES7 Proposal: Async Generators
Offical Strawman: Types
// --annotations
import {Anno} from './resources/setup.js';
@Anno
function Simple() {}
assertArrayEquals([new Anno], Simple.annotations);