Basic usageWe can describe the types of function arguments as well as the return value
// type "void" means that our function does not return anything
function logInfo(name: string, age: number): void {
console.log(`My name is ${name}, I'm ${age} y.o.`);
}
// Arrow function
const square = (x: number): number => x * x;
Default argumentsWhen default parameters are specified, their types are automatically determined by the passed values
function getNumbers(max: number = 99, min = 1): void {}
Optional arguments\
function greeting(name?: string): void {
if (name) {
console.log(`Welcome, ${name}!`);
} else {
console.log(`Welcome, annonymous user!`);
}
}
Unlimited argumentsYou can describe an indefinite number of arguments of the same type using spread operator
ModifiersVarious modifiers allow you to define the scope of variables and methods
class Example {
constructor(a: number, b: number) {
this.a = a;
this.b = b;
}
/* prevents assignments to the field outside
of the constructor */
readonly a: number;
/* visible only inside classes inherited from
the current class (not from outside) */
protected b: number;
/* visible only inside current class
(not from inherited and outside) */
private secret = "hello";
alert = () => {};
}
Extending a classClasses can easily be extended by adding new variables/methods. This also supports overriding methods, but in a way that ensures backward compatibility.
enum Bool {
yes = "YES",
no = "NO"
}
enum Server {
host = "server.com"
port = 5432
}
Generics
Basic usageGenerics allows to create a component that can work over a variety of types rather than a single one
function test<T>(value: T): T {
return value;
}
// "T" will be replaced by the type we specified
test<string>("Hello World");
test<number>(2022);
test<boolean>(true);
Type checkingYou can safely use type checking with the typeof operator to execute the appropriate logic
function logger<T>(value: T): void {
if (typeof value == "string") {
// we are pretty sure that only strings will get here
console.log(value.toLocaleUpperCase());
// therefore, we can use string methods
} else if (typeof value == "number") {
console.log(value.toFixed(2));
} else {
console.log(`${value} has the ${typeof value} type`);
}
}
logger<string>("Hello World"); // "HELLO WORLD"
logger<number>(2022); // 2022.00
logger<boolean>(true); // "true has the boolean type"
Multiple genericsYou can pass multiple generics, for example, to describe different input and output types in functions