Current status of this proposal is -1. It's in a theoretical state at the moment to better understand how types could function in Javascript and the long-term future benefits or complications they could cause to future proposals.
With TypedArrays and classes finalized, ECMAScript is in a good place to finally discuss types again. The demand for types as a different approach to code has been so strong in the past few years that separate languages have been created to deal with the perceived shortcomings. Types won't be an easy discussion, nor an easy addition, since they touch a large amount of the language; however, they are something that needs rigorous discussion.
The types described below bring ECMAScript in line or surpasses the type systems in most languages. For developers it cleans up a lot of the syntax, as described later, for TypedArrays, SIMD, and working with number types (floats vs signed and unsigned integers). It also allows for new language features like function overloading and a clean syntax for operator overloading. For implementors, added types offer a way to better optimize the JIT when specific types are used. For languages built on top of Javascript this allows more explicit type usage and closer matching to hardware.
The explicit goal of this proposal is to not just to give developers static type checking. It's to offer information to engines to use native types and optimize callstacks and memory usage. Ideally engines could inline and optimize code paths that are fully typed offering closer to native performance.
Since it would be potentially years before this would be implemented this proposal includes a new keyword enum
for enumerated types and the following types:
number
boolean
string
object
symbol
int8
, int16
, int32
, int64
uint8
, uint16
, uint32
, uint64
bigint
float16
, float32
, float64
, float80
, float128
decimal32
, decimal64
, decimal128
boolean8x16
, boolean16x8
, boolean32x4
, boolean64x2
, boolean8x32
, boolean16x16
, boolean32x8
, boolean64x4
int8x16
, int16x8
, int32x4
, int64x2
, int8x32
, int16x16
, int32x8
, int64x4
uint8x16
, uint16x8
, uint32x4
, uint64x2
, uint8x32
, uint16x16
, uint32x8
, uint64x4
float32x4
, float64x2
, float32x8
, float64x4
rational
complex
any
void
These types once imported behave like a const
declaration and cannot be reassigned.
This syntax is taken from ActionScript and other proposals over the years. It's subjectively concise, readable, and consistent throughout the proposal.
var a:Type = value;
let b:Type = value;
const c:Type = value;
typeof
's behavior is essentially unchanged. All numerical types return "number"
. SIMD, rational, and complex types return "object"
.
let a:uint8 = 0; // typeof a == "number"
let b:uint8|null = 0; // typeof b == "number"
let c:[]<uint8> = []; // typeof c == "object"
let d:(uint8):uint8 = x => x * x; // typeof d == "function"
TODO: Should there be a way to get the specific type? See https://github.com/sirisian/ecmascript-types/issues/60
THIS SECTION IS A WIP
if (a instanceof uint8) {}
Also this would be nice for function signatures.
if (a instanceof (uint8):uint8) {}
That would imply Object.getPrototypeOf(a) === ((uint8):uint8).prototype
.
I'm not well versed on if this makes sense though, but it would be like each typed function has a prototype defined by the signature.
All types except any
are non-nullable. The syntax below creates a nullable uint8
typed variable:
let a:uint8|null = null; // typeof a == "uint8|null"
A union type can be defined like:
let a:uint8|string = 'a';
Using any|null
would result in a syntax error since any
already includes nullable types. As would using []<any>
since it already includes array types. Using just []
would be the type for arrays that can contain anything. For example:
let a:[];
A generic syntax <T>
is used to type array elements.
let a:[]<uint8>; // []
a.push(0); // [0]
let b:[]<uint8> = [0, 1, 2, 3];
let c:[]<uint8>|null; // null
let d:[]<uint8|null> = [0, null];
let e:[]<uint8|null>|null; // null
The index operator doesn't perform casting just to be clear so array objects even when typed still behave like objects.
let a:[]<uint8> = [0, 1, 2, 3];
a['a'] = 0;
'a' in a; // true
delete a['a'];
let a:[4]<uint8>; // [0, 0, 0, 0]
// a.push(0); TypeError: a is fixed-length
// a.pop(); TypeError: a is fixed-length
a[0] = 1; // valid
// a[a.length] = 2; Out of range
let b:[4]<uint8> = [0, 1, 2, 3];
let c:[4]<uint8>|null; // null
Typed arrays would be zero-ed at creation. That is the allocated memory would be set to all zeroes.
function F(c:boolean):[]<uint8> { // default case, return a resizable array
let a:[4]<uint8> = [0, 1, 2, 3];
let b:[6]<uint8> = [0, 1, 2, 3, 4, 5];
return c ? a : b;
}
function F(c:boolean):[6]<uint8> { // Resizes a if c is true
let a:[4]<uint8> = [0, 1, 2, 3];
let b:[6]<uint8> = [0, 1, 2, 3, 4, 5];
return c ? a : b;
}
let a:[]; // Using []<any> is a syntax error as explained before
let b:[]|null = null; // nullable array
Deleting a typed array element results in a type error:
const a:[]<uint8> = [0, 1, 2, 3];
// delete a[0]; TypeError: a is fixed-length
Valid types for defining the length of an array are int8
, int16
, int32
, int64
, uint8
, uint16
, uint32
, and uint64
.
By default length
is uint32
.
Syntax uses the second parameter for the generic:
let a:[]<uint8, int8> = [0, 1, 2, 3, 4];
let b = a.length; // length is type int8
let a:[5]<uint8, uint64> = [0, 1, 2, 3, 4];
let b = a.length; // length is type uint64 with value 5
let n = 5;
let a:[n]<uint8, uint64> = [0, 1, 2, 3, 4];
let b = a.length; // length is type uint64 with value 5
Setting the length
reallocates the array truncating when applicable.
let a:[]<uint8> = [0, 1, 2, 3, 4];
a.length = 4; // [0, 1, 2, 4]
a.length = 6; // [0, 1, 2, 4, 0, 0]
let a:[5]<uint8> = [0, 1, 2, 3, 4];
// a.length = 4; TypeError: a is fixed-length
Like TypedArray
views, this array syntax allows any array, even arrays of typed objects to be viewed as different objects.
let view = []<Type>(buffer [, byteOffset [, byteElementLength]]);
let a:[]<uint64> = [1];
let b = []<uint32>(a, 0, 8);
By default byteElementLength
is the size of the array's type. So []<uint32>(...)
would be 4 bytes. The byteElementLength
can be less than or greater than the actual size of the type. For example:
class A {
a:uint8;
b:uint16;
constructor(value) {
this.b = value;
}
}
const a:A = [0, 1, 2];
const b = []<uint16>(a, 1, 3); // Offset of 1 byte into the array and 3 byte length per element
b[2]; // 2
Rather than defining index functions for various multidimensional and jagged array implementations the user is given the ability to define their own. Any lambda parameter passed to the "index constructor" creates an indexing function. More than one can be defined as long as they have unique signatures. The signature (x:string)
is reserved for keys and can't be used. Defining an index operator removes the default i => i operator to give developers control over possible usage errors.
An example of a user-defined index to access a 16 element grid with (x, y)
coordinates:
let grid = new [16, (x:uint32, y:uint32) => y * 4 + x]<uint8, uint32>;
// grid[0] = 10; Error, invalid arguments
grid[2, 1] = 10;
let grid = new [16, i => i, (x:uint32, y:uint32) => y * 4 + x]<uint8, uint32>;
grid[0] = 10;
grid[2, 1] = 10;
For a variable-length array it works as expected where the user drops the length:
var grid = new [(x, y, z) => z * 4**2 + y * 4 + x]<uint8>;
Views also work as expected allowing one to apply custom indexing to existing arrays:
var gridView = [(x, y, z) => z * 4**2 + y * 4 + x]<uint32>(grid);
The default numeric type Number would convert implicitly with precedence given to decimal128/64/32
, float128/80/64/32/16
, uint64/32/16/8
, int64/32/16/8
. (This is up for debate). Examples are shown later with class constructor overloading.
function F(a:float32) { }
function F(a:uint32) { }
F(1); // float32 called
F(uint32(1)); // uint32 called
let a = uint8(65535); // Cast taking the lowest 8 bits so the value 255, but note that a is still typed as any
Many truncation rules have intuitive rules going from larger bits to smaller bits or signed types to unsigned types. Type casts like decimal to float or float to decimal would need to be clear.
function F(a:int32, b:string, c:[]<bigint>, callback:(boolean, string) = (b, s = 'none') => b ? s : ''):int32 { }
While function overloading can be used to handle many cases of optional arguments it's possible to define one function that handles both:
function F(a:uint32, a?:uint32) {}
F(1);
F(1, 2);
let a:(int32, string):string; // hold a reference to a signature of this type
let b:(); // void is the default return type for a signature without a return type
let c = (s:string, x:int32) => s + x; // implicit return type of string
let d = (x:uint8, y:uint8):uint16 => x + y; // explicit return type
let e = x:uint8 => x + y; // single parameter
Like other types they can be made nullable. An example showing an extreme case where everything is made nullable:
let a:(uint32|null)|null:uint32|null = null;
This can be written also using the interfaces syntax, which is explained later:
let a:{ (uint32|null):uint32; }|null = null;
let a:int8 = -128;
a >> 1; // -64, sign extension
let b:uint8 = 128;
b >> 1; // 64, no sign extension as would be expected with an unsigned type
let a:int32 = 3;
a /= 2; // 1
In ECMAScript currently the following values are equal:
let a = 2**53;
a == a + 1; // true
In order to bypass this behavior a variable must be explicitly typed.
let a:uint64 = 2**53;
a == a + 1; // false
Ideally statements like the following will work as expected with the type propagating to the right hand side:
let a:uint64 = 9007199254740992 + 9007199254740993; // 18014398509481985
In the following case the type propagates to the arguments.
function F(a:uint64) {}
F(9007199254740992 + 9007199254740993); // 18014398509481985
Consider where the literals are not directly typed. In this case they are typed as Number:
function F(a:uint64) {}
var a = 9007199254740992 + 9007199254740993;
F(a); // 18014398509481984
Array destructuring with default values:
[a:uint32 = 1, b:float32 = 2] = F();
Object destructuring with default values:
{ (a:uint8) = 1, (b:uint8) = 2 } = { a: 2 };
Object destructuring with default value and new name:
let { (a:uint8): b = 1 } = { a: 2 }; // b is 2
Assigning to an already declared variable:
let b:uint8;
({ a: b = 1 } = { a: 2 }); // b is 2
Destructuring with functions:
(({ (a:uint8): b = 0, (b:uint8): a = 0}, [c:uint8]) =>
{
// a = 2, b = 1, c = 0
})({a: 1, b: 2}, [0]);
Nested/deep object destructuring:
const { a: { (a2:uint32): b, a3: [, c:uint8] } } = { a: { a2: 1, a3: [2, 3] } }; // b is 1, c is 3
Destructuring objects with arrays:
const { (a:[]<uint8>) } = { a: [1, 2, 3] } }; // a is [1, 2, 3] with type []<uint8>
let [a:uint8, ...[b:uint8]] = [1, 2];
b; // 2
A recursive spread version that is identical, but shown for example:
let [a:uint8, ...[...[b:uint8]]] = [1, 2];
b; // 2
Typing arrays:
let [a:uint8, ...b:uint8] = [1, 2];
b; // [2]
https://awesomeopensource.com/project/tc39/proposal-object-rest-spread
let { (x:uint8), ...(y:{ (a:uint8), (b:uint8) }) } = { x: 1, a: 2, b: 3 };
x; // 1
y; // { a: 2, b: 3 }
Renaming:
let { (x:uint8): a, ...(b:{ (a:uint8): x, (b:uint8): y }) } = { x: 1, a: 2, b: 3 };
a; // 1
b; // { x: 2, y: 3 }
Basic array destructuring:
function F():[uint8, uint32] {
return [1, 2];
}
const [a, b] = F();
Array defaults
function F():[uint8, uint32 = 10] {
return [1];
}
const [a, b] = F(); // a is 1 and b is 10
Basic object destructuring:
function F():{ a:uint8; b:float32; } {
return { a: 1, b: 2 };
}
const { a, b } = F();
Object defaults:
function F():{ a:uint8; b:float32 = 10; } {
return { a: 1 };
}
const { a, b } = F(); // { a: 1, b: 10 }
Overloaded example for the return type:
function F():[int32] {
return [1];
}
function F():[int32, int32] {
return [2, 3];
}
function F():{ a:uint8; b:float32; } {
return { a: 1, b: 2 };
}
const [a] = F(); // a is 1
const [b, ...c] = F(); // b is 2 and c is [3]
const { a:d, b:e } = F(); // d is 1 and e is 2
TODO: Define the behavior when defining the same signature for a function.
Explicitly selecting an overload:
function F():[int32] {
return [1];
}
function F():[float32] {
return [2.0];
}
const [a:int32] = F();
const [a:float32] = F();
TypeError example:
function F():[int32, float32] {
return [1, 2];
// return [1]; // TypeError, expected float32 in returned array for second element
}
Interfaces can be used to type objects, arrays, and functions. This allows users to remove redundant type information that is used in multiple places such as in destructuring calls. In addition, interfaces can be used to define contracts for classes and their required properties.
interface IExample {
a:string;
b:(uint32):uint32;
?c:any; // Optional property. A default value can be assigned like:
// c:any = [];
}
function F():IExample {
return { a: 'a', b: x => x };
}
Similar to other types an object interface can be made nullable and also made into an array with []
.
function F(a:[]<IExample>|null) {
}
An object that implements an interface cannot be modified in a way that removes that implementation.
interface IExample {
a:string;
}
function F(a:IExample) {
// delete a.a; // TypeError: Property 'a' in interface IExample cannot be deleted
}
F({ a: 'a' });
In this example the object argument is cast to an IExample since it matches the shape.
A more complex example:
interface A { a:uint32 }
interface B { a:string }
function f(a:A) { }
function f(b:B) { }
function g(a:A|B) {
a.a = 10; // "10" because parameter 'a' implement B
}
g({ a: 'a' });
interface IExample [
string,
uint32,
?string // Optional item. A default value can be assigned like:
// ?string = 10
]
function F():IExample {
return ['a', 1];
}
With function overloading an interface can place multiple function constraints. Unlike parameter lists in function declarations the type precedes the optional name.
interface IExample {
(string, uint32):void;
(uint32):void;
?(string, string):string; // Optional overload. A default value can be assigned like:
// (string, string):string = (x, y) => x + y;
}
function F(a:IExample) {
a('a', 1);
// a('a'); // TypeError: No matching signature for (string).
}
Signature equality checks ignore renaming:
interface IExample {
({(a:uint32)}):uint32
}
function F(a:IExample) {
a({a:1}); // 1
}
F(({(a:uint32):b}) => b); // This works since the signature check ignores any renaming
An example of taking a typed object:
interface IExample {
({a:uint32;}):uint32
}
function F(a:IExample) {
a({a:1}); // 1
}
F(a => a.a);
Argument names in function interfaces are optional. This is done in case named parameters are added later. Note that if an interface is used then the name can be changed in the passed in function. For example:
interface IExample {
(string = 5, uint32:named):void;
}
function F(a:IExample) {
a(named: 10); // 10
}
F((a, b) => b);
The interface in this example defines the mapping for "named" to the second parameter. This proposal isn't presenting named parameters, but the above is just an example that a future proposal might present.
It might not be obvious at first glance, but there are two separate syntaxes for defining function type constraints. One without an interface, for single non-overloaded function signatures, and with interface, for either constraining the parameter names or to define overloaded function type constraints.
function (a:(uint32, uint32):void) {} // Using non-overloaded function signature
function (a:{ (uint32, uint32):void; }) {} // Identical to the above using Interface syntax
Most of the time users will use the first syntax, but the latter can be used if a function is overloaded:
function (a:{ (uint32):void; (string):void; }) {
a(1);
a('a');
}
interface IA {
a:uint32;
}
interface IB {
(IA):void
}
/*
interface IB {
({ a:uint32; }):void
}
*/
Extending object interfaces:
interface A {
a:string;
}
interface B extends A {
b:(uint32):uint32;
}
function F(c:B) {
c.a = 'a';
c.b = b => b;
}
Extending function interfaces:
interface A {
(string):void;
}
interface B extends A {
(string, string):void;
}
function F(a:B) {
a('a');
a('a', 'b');
}
interface A {
a:uint32;
b(uint32):uint32;
}
class B {
}
class C extends B implements A {
b(a) {
return a;
}
}
const a = new C();
a.a = a.b(5);
Note that since b
isn't overloaded, defining the type of the member function b
in the class C
isn't necessary.
Once a class implements an interface it cannot remove that contract. Attempting to delete the member a
or the method b
would throw a TypeError.
A variable by default is typed any
meaning it's dynamic and its type changes depending on the last assigned value. As an example one can write:
let a = new MyType();
a = 5; // a is type any and is 5
If one wants to constrain the variable type they can write:
let a:MyType = new MyType();
// a = 5; // Equivelant to using implicit casting: a = MyType(5);
This redundancy in declaring types for the variable can be removed with a typed assignment:
let a := new MyType(); // a is type MyType
// a = 5; // Equivelant to using implicit casting: a = MyType(5);
This new form of assignment is useful with both var
and let
declarations. With const
it has no uses:
const a = new MyType(); // a is type MyType
const b:MyType = new MyType(); // Redundant, b is type MyType even without explicitly specifying the type
const c := new MyType(); // Redundant, c is type MyType even without explicitly specifying the type
const d:MyType = 1; // Calls a matching constructor
const e:uint8 = 1; // Without the type this would have been typed Number
class A {}
class B extends A {}
const f:A = new B(); // This might not even be useful to allow
This assignment also works with destructuring:
let { a, b } := { (a:uint8): 1, (b:uint32): 2 }; // a is type uint8 and b is type uint32
function F(x:[]<int32>) { return 'int32'; }
function F(s:[]<string>) { return 'string'; }
F(['test']); // "string"
Up for debate is if accessing the separate functions is required. Functions are objects so using a key syntax with a string isn't ideal. Something like F['(int32[])']
wouldn't be viable. It's possible Reflect
could have something added to it to allow access.
Signatures must match for a typed function:
function F(a:uint8, b:string) {}
// F(1); // TypeError: Function F has no matching signature
Adding a normal untyped function acts like a catch all for any arguments:
function F() {} // untyped function
function F(a:uint8) {}
F(1, 2); // Calls the untyped function
If the intention is to created a typed function with no arguments then setting the return value is sufficient:
function F():void {}
// F(1); // TypeError: Function F has no matching signature
Duplicate signatures are not allowed:
function F(a:uint8) {}
// function F(a:uint8, b:string = 'b') {} // TypeError: A function declaration with that signature already exists
F(8);
async
does not create a unique signature. Consider the following:
async function F() {}
// function F() { return new Promise(resolve => {}); } // TypeError: "A function with that signature already exists"
await F();
While async
functions and synchronous functions can overload the same name, they must have unique signatures.
Typed promises use a generic syntax where the resolve and reject type default to any.
Promise<R:any, E:any>
const a = new Promise<uint8, Error>((resolve, reject) => {
return 0; // or throw new Error();
});
Without extra syntax getting the same behavior is not possible with async function.
async function F():uint8 {
return 0;
}
const f = F();
This creates a type of Promise<uint8, any>
.
One would need syntax similar to Java which defines the reject type(s).
async function F():uint8 throws Error {
return 0;
}
const f = F();
Now the type is Promise<uint8, Error>
which matches the first example.
Since it's possible for a function to not throw then the syntax would also need a way to explicitly list that nothing throws. Simply not specifying anything works for that:
function f() throws {
return 0;
}
Refer to the try catch section on how different exception types would be explicitly captured: https://awesomeopensource.com/project/sirisian/ecmascript-types#try-catch
Functions that define their exceptions would cause a unique exception - UnexpectedException - that allows a developer to see exactly the culprit making debugging deep stack calls easier.
var o = {};
o[Symbol.iterator] =
[
function* ():int32 {
yield* [1, 2, 3];
},
function* ():[int32, int32] {
yield* [[0, 1], [1, 2], [2, 3]];
}
];
[...o:int32]; // [1, 2, 3] Explicit selection of the generator return signature
for (const a:int32 of o) {} // Type is optional in this case
[...o:[int32, int32]]; // [[0, 1], [1, 2], [2, 3]]
for (const [a:int32, b:int32] of o) {} // Type is optional in this case
Syntax:
let o = { (a:uint8): 1 };
This syntax is used because like destructuring the grammar cannot differentiate the multiple cases where types are included or excluded resulting in an ambiguous grammar. The parenthesis cleanly solves this.
let a = [];
let o = { a };
o = { a:[] };
o = { (a:[]<uint8>) }; // cast a to []<uint8>
o = { (a:[]<uint8>):[] }; // new object with property a set to an empty array of type uint8[]
This syntax works with any arrays:
let o = { a:[] }; // Normal array syntax works as expected
let o = { (a:[]): [] }; // With typing this is identical to the above
Object.defineProperty
and Object.defineProperties
have a type
key in the descriptor that accepts a type or string representing a type:
Object.defineProperty(o, 'a', { type: uint8 }); // using the type
Object.defineProperty(o, 'b', { type: 'uint8' }); // using a string representing the type
Object.defineProperties(o, {
'a': {
type: uint8,
value: 0,
writable: true
},
'b': {
type: string,
value: 'a',
writable: true
}
});
The type information is also available in the property descriptor accessed with Object.getOwnPropertyDescriptor
or Object.getOwnPropertyDescriptors
:
const o = { a:uint8 };
const descriptor = Object.getOwnPropertyDescriptor(o, 'a');
descriptor.type; // uint8
const descriptors = Object.getOwnPropertyDescriptors(o);
descriptors.a.type; // uint8
Note that the type
key in the descriptor is the actual type and not a string.
The key value
for a property with a numeric type defined in this spec defaults to 0. This modifies the behavior that currently says that value
is defaulted to undefined. It will still be undefined if no type
is set in the descriptor. The SIMD types also default to 0 and string defaults to an empty string.
class MyType {
x:float32; // Able to define members outside of the constructor
constructor(x:float32) {
this.x = x;
}
constructor(y:uint32) {
this.x = float32(y) * 2;
}
}
Implicit casting using the constructors:
let t:MyType = 1; // float32 constructor call
let t:MyType = uint32(1); // uint32 constructor called
Constructing arrays all of the same type:
let t = new [5]<MyType>(1);
For integers (including bigint) the parse function would have the signature parse(string, radix = 10)
.
let a:uint8 = uint8.parse('1', 10);
let b:uint8 = uint8.parse('1'); // Same as the above with a default 10 for radix
let c:uint8 = '1'; // Calls parse automatically making it identical to the above
For floats, decimals, and rational the signature is just parse(string)
.
let a:float32 = float32.parse('1.2');
TODO: Define the expected inputs allowed. (See: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/parseFloat). Also should a failure throw or return NaN if the type supports it. I'm leaning toward throwing in all cases where erroneous values are parsed. It's usually not in the program's design that NaN is an expected value and parsing to NaN just created hidden bugs.
Going from a scalar to a vector:
let a:float32x4 = 1; // Equivalent to let a = float32x4(1, 1, 1, 1);
let a:[]<MyType> = [1, 2, 3, uint32(1)];
Implicit array casting already exists for single variables as defined above. It's possible one might want to compactly create instances. The following syntax is proposed:
let a = new []<MyType> = [(10, 20), (30, 40), 10];
This would be equivalent to:
let a = new []<MyType> = [new MyType(10, 20), new MyType(30, 40), 10];
Due to the very specialized syntax it can't be introduced later. In ECMAScript the parentheses have defined meaning such that [(10, 20), 30]
is [20, 30]
when evaluated. This special syntax takes into account that an array is being created requiring more grammar rules to specialize this case.
Initializer lists work well with SIMD to create compact arrays of vectors:
let a = new []<float32x4> = [
(1, 2, 3, 4), (1, 2, 3, 4), (1, 2, 3, 4),
(1, 2, 3, 4), (1, 2, 3, 4), (1, 2, 3, 4),
(1, 2, 3, 4), (1, 2, 3, 4), (1, 2, 3, 4)
];
The syntax also has to work with typed functions intuitively:
function F(a:float32x4) {
}
F([(1, 2, 3, 4)]);
A compact syntax is proposed with signatures. These can be overloaded to work with various types. Note that the unary operators have no parameters which differentiates them from the binary operators.
See this for more examples: https://github.com/tc39/proposal-operator-overloading/issues/29
class A {
operator+=(rhs) { }
operator-=(rhs) { }
operator*=(rhs) { }
operator/=(rhs) { }
operator%=(rhs) { }
operator**=(rhs) { }
operator<<=(rhs) { }
operator>>=(rhs) { }
operator>>>=(rhs) { }
operator&=(rhs) { }
operator^=(rhs) { }
operator|=(rhs) { }
operator+(rhs) { }
operator-(rhs) { }
operator*(rhs) { }
operator/(rhs) { }
operator%(rhs) { }
operator**(rhs) { }
operator<<(rhs) { }
operator>>(rhs) { }
operator>>>(rhs) { }
operator&(rhs) { }
operator|(rhs) { }
operator^(rhs) { }
operator~() { }
operator==(rhs) { }
operator!=(rhs) { }
operator<(rhs) { }
operator<=(rhs) { }
operator>(rhs) { }
operator>=(rhs) { }
operator&&(rhs) { }
operator||(rhs) { }
operator!() { }
operator++() { } // prefix (++a)
operator++(nothing) { } // postfix (a++)
operator--() { } // prefix (--a)
operator--(nothing) { } // postfix (a--)
operator-() { }
operator+() { }
}
Examples:
class Vector2 {
x:float32;
y:float32;
constructor(x:float32 = 0, y:float32 = 0) {
this.x = x;
this.y = y;
}
length():float32 {
return Math.hypot(this.x, this.y); // uses Math.hypot(...:float32):float32 due to input and return type
}
operator+(v:Vector2) { // Same as [Symbol.addition](v:Vector2)
return new vector2(this.x + v.x, this.y + v.y);
}
operator==(v:Vector2) {
const epsilon = 0.0001;
return Math.abs(this.x - v.x) < epsilon && Math.abs(this.y - v.y) < epsilon;
}
}
const a = new Vector2(1, 0);
const b = new Vector2(2, 0);
const c = a + b;
c.x; // 3
Again this might not be viable syntax as it dynamically adds an operator and would incur performance issues:
var a = { b: 0 };
a[Symbol.additionAssignment] = function(value) {
this.b += value;
};
a += 5;
a.b; // 5
Classes can also implement static operator overloading.
class A {
static operator+=(value) {
this.x += value;
}
}
A.x = 0;
A += 5; // A.x is 5
This is kind of niche, but it's consistent with other method definitions, so it's included.
Example defined in say MyClass.js
defining extensions to Vector2
defined above:
class Vector2 {
operator==(v:MyClass) {
// equality check between this and MyClass
}
operator+(v:MyClass) {
return v + this; // defined in terms of the MyClass operator
}
}
Note that no members may be defined in an extension class. The new methods are simply appended to the existing class definition.
All SIMD types would have operator overloading added when used with the same type.
let a = uint32x4(1, 2, 3, 4) + uint32x4(5, 6, 7, 8); // uint32x4
let b = uint32x4(1, 2, 3, 4) < uint32x4(5, 6, 7, 8); // boolean32x4
It's also possible to overload class operators to work with them, but the optimizations would be implementation specific if they result in SIMD instructions.
Enumerations with enum
that support any type including functions and symbols.
enum Count { Zero, One, Two }; // Starts at 0
let c:Count = Count.Zero;
enum Count { One = 1, Two, Three }; // Two is 2 since these are sequential
let c:Count = Count.One;
enum Count:float32 { Zero, One, Two };
enum Counter:(float32):float32 { Zero = x => 0, One = x => x + 1, Two = x => x + 2 }
Custom sequential functions for types can be used. (Note these aren't closures):
enum Count:float32 { Zero = (index, name) => index * 100, One, Two }; // 0, 100, 200
enum Count:string { Zero = (index, name) => name, One, Two = (index, name) => name.toLowerCase(), Three }; // "Zero", "One", "two", "three"
enum Flags:uint32 { None = 0, Flag1 = (index, name) => 1 << (index - 1), Flag2, Flag3 } // 0, 1, 2, 4
An enumeration that uses a non-numeric type must define a starting value. If a sequential function or an overloaded assignment operator is not found the next value will be equal to the previous value.
// enum Count:string { Zero, One, Two }; // TypeError Zero is undefined
enum Count:string { Zero = '0', One, Two }; // One and Two are also '0' because string has no prefix increment operator
class A {
constructor(value) {
this.value = value;
}
operator+(value:Number) { // prefix increment
return new A(this.value + value);
}
}
enum ExampleA:A { Zero = new A(0), One, Two }; // One = new A(0) + 1, Two = One + 1 using the addition operator.
Index operator:
enum Count { Zero, One, Two };
Count[0]; // Count.Zero
Count['Zero']; // Count.Zero
Get enum
value as string:
Count.toString(Count.Zero); // 'Zero'
It seems like there needs to be an expression form also. Something akin to Function or GeneratorFunction which allows the construction of features with strings. It's not clear to me if this is required or beneficial, but it could be. I guess the syntax would look like:
new enum('a', 0, 'b', 1);
new enum(':uint8', 'a', 0, 'b', 1);
new enum(':string', 'None', 'none', 'Flag1', '(index, name) => name', 'Flag2', 'Flag3'); // This doesn't make much sense though since the value pairing is broken. Need a different syntax
Similar to Array
there would be a number of reserved functions:
enum.prototype.keys() // Array Iterator with the string keys
enum.prototype.values() // Array Iterator with the values
enum.prototype.entries() // Array Iterator with [key, value]
enum.prototype.forEach((key, value, enumeration) => {})
enum.prototype.filter((key, value, enumeration) => {}) // returns an Array
enum.prototype.map((key, value, enumeration) => {}) // returns an Array
enum.prototype[@@iterator]()
Iteration would work like this:
enum Count { Zero, One, Two };
for (const [key, value] of Count) {
// key = 'Zero', value = 0
}
Enum values can reference previous values:
enum E { A = 0, B = A + 5 };
function F(a:string, ...args:uint32) {}
F('a', 0, 1, 2, 3);
Rest parameters are valid for signatures:
let a:(...:uint8);
Multiple rest parameters can be used:
function F(a:string, ...args:uint32, ...args2:string, callback:()) {}
F('a', 0, 1, 2, 'a', 'b', () => {});
Dynamic types have less precedence than typed parameters:
function F(...args1, callback:(), ...args2, callback:()) {}
F('a', 1, 1.0, () => {}, 'b', 2, 2.0, () => {});
Rest array destructuring:
function f(...[a:uint8, b:uint8, c:uint8]) {
return a + b + c;
}
Catch clauses can be typed allowing for minimal conditional catch clauses.
try {
// Statement that throws
} catch (e:TypeError) {
// Statements to handle TypeError exceptions
} catch (e:RangeError) {
// Statements to handle RangeError exceptions
} catch (e:EvalError) {
// Statements to handle EvalError exceptions
} catch (e) {
// Statements to handle any unspecified exceptions
}
Arbitrary arrays can be allocated into using the placement new syntax. This works with both a single instance and array of instances.
Single instance syntax:
// new(buffer [, byteOffset]) Type()
let a = new(buffer, byteOffset) Type(0);
Array of instances syntax:
// new(buffer [, byteOffset [, byteElementLength]]) [n]<Type>()
let a = new(buffer, byteOffset, byteElementLength) [10]<Type>(0);
By default byteElementLength
is the size of the type. Using a larger value than the size of the type acts as a stride adding padding between allocations in the buffer. Using a smaller length is unusual as it causes allocations to overlap.
A table should be included here with every type and which values evaluate to executing. At first glance it might just be 0 and NaN do not execute and all other values do. SIMD types probably would not implicitly cast to boolean and attempting to would produce a TypeError indicating no implicit cast is available.
The variable when typed in a switch statement must be integral or a string type. Specifically int8/16/32/64
, uint8/16/32/64
, number
, and string
. Most languages do not allow floating point case statements unless they also support ranges. (This could be considered later without causing backwards compatability issues).
Enumerations can be used dependent on if their type is integral or string.
let a:uint32 = 10;
switch (a) {
case 10:
break;
case `baz`: // TypeError unexpected string literal, expected uint32 literal
break;
}
let a:float32 = 1.23;
//switch (a) { // TypeError float32 cannot be used in the switch variable
//}
By default the memory layout of a typed class - a class where every property is typed - simply appends to the memory of the extended class. For example:
class A {
a:uint8
}
class B extends A {
b:uint8
}
// So the memory layout would be the same as:
class AB {
a:uint8
b:uint8
}
Two new keys would be added to the property descriptor called align
and offset
. For consistency between codebases two reserved decorators would be created called @align
and @offset
that would set the underlying keys with byte values. Align defines the memory address to be a multiple of a given number. (On some software architectures specialized move operations and cache boundaries can use these for small advantages). Offset is always defined as the number of bytes from the start of the class allocation in memory. (The offset starts at 0 for each class. Negative offset values can be used to overlap the memory of base classes). It's possible to create a union by defining overlapping offsets.
Along with the member decorators, two object reserved descriptor keys would be created, alignAll
and size
. These would control the allocated memory alignment of the instances and the allocated size of the instances.
@alignAll(16) // Defines the class memory alignment to be 16 byte aligned
@size(32) // Defines the class as 32 bytes. Pads with zeros when allocating
class A {
@offset(2)
x:float32 // Aligned to 16 bytes because of the class alignment and offset by 2 bytes because of the property alignment
@align(4)
y:float32x4 // 2 (from the offset above) + 4 (for x) is 6 bytes and we said it has to be aligned to 4 bytes so 8 bytes offset from the start of the allocation. Instead of @align(4) we could have put @offset(8)
}
The following is an example of overlapping properties using offset
creating a union where both properties map to the same memory. Notice the use of a negative offset to reach into a base class memory.
class A {
a:uint8
}
class B extends A {
@offset(-1)
b:uint8
}
// So the memory layout would be the same as:
class AB { // size is 1 byte
a:uint8
@offset(0)
b:uint8
}
const ab = new AB();
ab.a = 10;
ab.b == 10; // true
These descriptor features only apply if all the properties in a class are typed along with the complete prototype chain. Adding properties later with Object.defineProperty
is allowed, and the memory layout is recalculated for the object.
WIP: The behavior of modifying plain old data classes that are already used in arrays needs to be well-defined.
class A {
a:uint8
constructor(a:uint8) {
this.a = a;
}
}
const a:[]<A> = [0, 1, 2];
Object.defineProperty(A, 'b', {
value: 0,
writable: true,
type: uint8
});
const b:[]<A> = [0, 1, 2];
// a[0].b // TypeError: Undefined property b
b[0].b; // 0
The following global objects could be used as types:
DataView
, Date
, Error
, EvalError
, InternalError
, Map
, Promise
, Proxy
, RangeError
, ReferenceError
, RegExp
, Set
, SyntaxError
, TypeError
, URIError
, WeakMap
, WeakSet
https://github.com/sirisian/ecmascript-types/issues/59
https://github.com/sirisian/ecmascript-types/issues/65
Types simplify how decorators are defined. By utilizing function overloading they get rid of the requirement to return a (value, context)
function for decorators that take arguments. This means that independent of arguments a decorator looks the same. Modifying a decorator to take argument or take none just requires changing the parameters to the decorator. Consider these decorators that are all distinct:
function f(value, context) {
// No parameters
}
function f(x:uint32, value, context) {
// x is 0
}
function f(x:string, value, context) {
// x is 'a'
}
class A {
@f
@f(0)
@f('a')
a:uint32
}
By moving the value
into the parameter list with the other ones this allows it to be specialized based on the type.
function f(x:string, value:uint32, context) {
// decorator on uint32
}
function f(x:string, value, context) {
// decorator on another type
}
class A {
@f('test')
a:uint32
@f('test')
b:string
}
Note that because rest parameters are allowed to be duplicated and placed anywhere this means it's legal to write:
function f(...x, value, context) {
// [], [0, 1, 2], ['a', 'b', 'c']
}
class A {
@f
a:bool
@f(0, 1, 2)
b:uint32
@f('a', 'b', 'c')
c:string
}
https://github.com/sirisian/ecmascript-types/issues/56
Types would work as expected with Records and Tuples:
interface IPoint { x:int32, y:int32 }
const ship1:IPoint = #{ x: 1, y: 2 };
// ship2 is an ordinary object:
const ship2:IPoint = { x: -1, y: 3 };
function move(start:IPoint, deltaX:int32, deltaY:int32):IPoint {
// we always return a record after moving
return #{
x: start.x + deltaX,
y: start.y + deltaY,
};
}
const ship1Moved = move(ship1, 1, 0);
// passing an ordinary object to move() still works:
const ship2Moved = move(ship2, 3, -1);
console.log(ship1Moved === ship2Moved); // true
// ship1 and ship2 have the same coordinates after moving
const measures = #[uint8(42), uint8(12), uint8(67), "measure error: foo happened"];
// Accessing indices like you would with arrays!
console.log(measures[0]); // 42
console.log(measures[3]); // measure error: foo happened
// Slice and spread like arrays!
const correctedMeasures = #[
...measures.slice(0, measures.length - 1),
int32(-1)
];
console.log(correctedMeasures[0]); // 42
console.log(correctedMeasures[3]); // -1
// or use the .with() shorthand for the same result:
const correctedMeasures2 = measures.with(3, -1);
console.log(correctedMeasures2[0]); // 42
console.log(correctedMeasures2[3]); // -1
// Tuples support methods similar to Arrays
console.log(correctedMeasures2.map(x => x + 1)); // #[43, 13, 68, 0]
This has been brought up before, but possible solutions due to compatability issues would be to introduce special imports. Brenden once suggested something like:
import {int8, int16, int32, int64} from "@valueobjects";
//import "@valueobjects";
This section is to show that a generic syntax can be seamlessly added with no syntax issues. A generic function example:
function A<T>(a:T):T {
let b:T;
}
A generic class example:
class Vector2<T> {
x:T
y:T
constructor(x:T = 0, y:T = 0) { // T could be inferred, but that might be asking too much. In any case T must have a constructor supporting a parameter 0 if this is a class.
this.x = x;
this.y = y;
}
}
Generic constraints aren't defined here but would need to be. TypeScript has their extends type syntax. Being able to constrain T
to an interface seems like an obvious requirement. Also being able to constrain to a list of specific types or specifically to numeric, floating point, or integer types. Another consideration is being able to support a default type. Also generic specialization for specific types that require custom definitions. There's probably more to consider, but those are the big ideas for generics.
Typedefs or aliases for types are a requirement. Not sure what the best syntax is for proposing these. There's a lot of ways to approach them. TypeScript has a system, but I haven't seen alternatives so it's hard for me to judge if it's the best or most ideal syntax.
I left value type classes out of this discussion since I'm still not sure how they'll be proposed. Doesn't sound like they have a strong proposal still or syntax.
Many languages have numeric literal suffixes to indicate a number is a specific data type. This isn't necessary if explicit casts are used. Since there are so many types, the use of suffixes would not be overly readable. The goal was to keep type names to a minimum number of characters also so that literals are less needed.
partial class MyType {
}
Partial classes are when you define a single class into multiple pieces. When using partial classes the ordering members would be undefined. What this means is you cannot create views of a partial class using the normal array syntax and this would throw an error.
If case ranges were added and switches were allowed to use non-integral and non-string types then the following syntax could be used in future proposals without conflicting since this proposal would throw a TypeError
restricting all cases of its usage keeping the behavior open for later ideas.
let a:float32 = 1 / 5;
switch (a) {
case 0..0.99:
break;
}
These are incredibly niche. That said I've had at least one person mention them to me in an issue. C itself has many rules like that property order is undefined allowing properties to be rearranged more optimally meaning the memory layout isn't defined. This would all have to be defined probably since some view this as a benefit and others view it as a design problem. Controlling options with decorators might be ideal. Packing and other rules would also need to be clearly defined.
Would allow the following types to define bit lengths.
boolean
int8/16/32/64
uint8/16/32/64
class Vector2 {
x:uint8(4); // 4 bits
y:uint8(4); // 4 bits
}
See https://github.com/sirisian/ecmascript-types/issues/22
A very compact syntax can be used later for exception filters:
catch (e:Error => e.message == 'a')
Or
catch (e:Error => console.log(e.message))
This accomplishes exception filters without requiring a keyword like "when". That said it would probably not be a true lambda and instead be limited to only expressions.
Named arguments comes up once in a while as a compact way to skip default parameters.
function F(a:uint8, b:string = 0, ...args:string) {}
F(8, args:'a', 'b');
function G(option1:string, option2:string) {}
// G(option2: 'a'); Error no signature for G matches (option2:string)
The above syntax is probably what would be used and it has no obvious conflicts with types.
By default all typed variables captured by a thread function would treated as shared. That means just like a SharedArrayBuffer they'd be able to be accessed in threads and used with Atomics.
let a:uint32 = 0;
function A() {
Atomics.add(a, 5);
}
async function B() {
A();
Atomics.add(a, 5);
}
// Naive call syntax to show these execute on their own thread and callThread returns a promise.
await Promise.all([A.callThread(), B.callThread()]); // Join
console.log(a); // 15
See https://github.com/sirisian/ecmascript-types/issues/67 for further details.
Packet bit writer/reader https://gist.github.com/sirisian/dbc628dde19771b54dec
Current Mailing List Thread: https://esdiscuss.org/topic/proposal-optional-static-typing-part-3
Second Thread: https://esdiscuss.org/topic/optional-static-typing-part-2
Original thread: https://esdiscuss.org/topic/es8-proposal-optional-static-typing
This one contains a lot of my old thoughts: https://esdiscuss.org/topic/proposal-for-new-floating-point-and-integer-data-types
https://esdiscuss.org/topic/optional-strong-typing
https://esdiscuss.org/topic/optional-argument-types