🤩 A “superset” of JavaScript.
npm install typescript
# Create a tscofig.json file
npx tsc --init
npx tsc <file_name.ts>
let myNumber: number;
let myString: string;
let myBoolean: boolean;
/* Array */
let myArray: number[];
myArray = [1, 2, 3, 4];
/* Object */
let person: {
name: string,
age: number
}
person = {
name: 'John',
age: 12
}
/* Object with array */
let people: {
name: string
age: number
}[];
If a variable is instatiated without a type definition, typescript will infer the type and generate an error if something doesn’t respect the type after the instantiation.
let name = 'John Snow';
// This will generate an error, because name should be a string
name = 124;
let varStringOrNull: string | null = 'John Snow';
// This will not generate an error
name = null;
type Person = {
name: string,
age: number
}
let firstPerson: Person
// Declaring the type is not necessary because it's inferred
function add(a: number, b:number): number {
return a + b;
}
function prepend<T>(theList: T, item: T) {
return [item, ...theList];
}
// New number list
let newNumberList = prepend([2, 3, 4, 5], 1);
// New string list
let newStringList = prepend(['b', 'c', 'd'], 'a');
class Student {
// firstName: string
// lastName: string
// age: number
// private courses: string[]
// with this method, its not necessary declare the attributes
constructor(
public firstName: string,
public lastName: string,
public age: number,
private courses: string[]
)
// methods
enrol(courseName: string) {
this.courses.push(courseName);
}
listCourses() {
return this.courses.slice();
}
}
const student = new Student("John", "Snow", 25, ["Angular"]);
student.enrol("Typescript");
student.listCourses();
interface Human {
firstName: string,
age: number
greet: () => void;
}
// To define a object structure
let oneHuman: Human;
oneHuman = {
name: "John",
age: 34,
greet() {
console.log("Hi!")
}
}
// To be implemented by a class
class Person implements Human {
firstName: "Maria"
age: 35,
greet() {
console.log("Hello!")
}
}