Code Monkey home page Code Monkey logo

typescript-notes's Introduction

Typescript notes

Notes on typescript taken from the Udemy Course TypeScript for Professionals by Basarat Ali Syed


Index

  1. Basics
  2. Intermediate
  3. Advanced
  4. Expert (Type manipulation)

Basics

  1. Primitive Types

let isBoolean: boolean = false/true;
let isNumber: number = 66.6;
let isString: string = 'hello world'

let isUndefined: undefined = undefined;
let isNull: null = null;

let isBigint: bigint = 24n;
  1. Instance Types

let date: Date = new Date();
let regex: RegExp = new RegExp('abc');

let array: Array<number> =  [1, 2, 3];
let s: Set<number> = new Set([1, 2, 3]);

// Stack class to push/pop items.
class Stack<T> {
  private data: Array<T> = [];
  push(item: T) {this.data.push(item)}
  pop(): T | undefined {return this.data.pop()}
}

let stack: Stack<number> = new Stack<number>();
stack.push(1);
console.log(stack.pop());
  1. Array & tuples

// Array
let array: string[] = ['abc', 'def', 'ijk'];
// Usage
array = ['mno']
array = [1] // error as array is declared as string[]

// Tuple
let tuple: [number, number] = [1. 2];
tuple = [5, 6];
tuple = [5, 99];
tuple = [5, 6, 11]; // Error
tuple = [5]; // Error
  1. Object Types & Type Aliases

type Point = {
  x: number;
  y: number;
};

let center: Point = {
  x: 11,
  y: 12
}
  1. const declaration

const helloWorld = 'Hello World'
helloWorld = 'New world' // error
  1. Functions

// returns addition of two numbers.
function add(a: number, b: number): number {
  return a+b;
}
console.log(add(5, 2));

// returns nothing.
function log(message: string): void {
  console.log('Message ' + message);
}
  1. Structural Typing

type Point2D = {x: number, y: number};
type Point3D = {x: number, y: number, z: number};

let point2D: Point2D = { x: 11, y: 12 };
let point3D: Point2D = { x: 11, y: 12, z: 13 };

point2D = point3D; // no error
point3D = point2D // error
  1. Classes

class Vehicle {
  name: string;
  constructor(name: string) {
    this.name = name;
  }
  drive() {
    console.log('Vehicle ' + this.name + ' is moving');
  }
}

let v = new Vehicle('truck');
v.drive();
  1. Generics

class Stack<T> {
  private data: Array<T> = [];
  push(item: T) {this.data.push(item)}
  pop(): T | undefined {return this.data.pop()}
}

let stack: Stack<number> = new Stack<number>();
stack.push(1);
console.log(stack.pop());

let stackString: Stack<string> = new Stack<string>();
stackString.push('ab');
console.log(stackString.pop());
  1. Type any & Unknown

let typeAny: any = 1;
typeAny = 'hello world';
typeAny = 111;
typeAny = false;

let typeBoolean: boolean = typeAny; // No, error

let typeUnknown: unknown = 1;
typeUnknown = 'hello world';
typeUnknown = 111;
typeUnknown = false;

let typeBoolean: boolean = typeUnknown; // Error
// correct
if (typeof typeUnknown === "boolean") {
  let typeBoolean: boolean = typeUnknown;
}
  1. Type Assertions

let hello = 'Hello World';

let stringLength = (hello as string).length;
// only works in ts file.
stringLength = (<string>hello).length;
  1. Type Casting

let yearString = '2023';
console.log(typeof yearString); // string

const yearNumber = +yearString;
console.log(typeof yearNumber); // number

Intermediate

  1. Lexical this

Example 1
class Vehicle {
  constructor(public name: string){}
  drive() {
    console.log('Vehicle ' + this.name + ' is driving');
  }
}

let vehicle = new Vehicle('Truck');
vehicle.drive(); // No, error
let drive = vehicle.drive;
drive(); // Error, this is undefined
Example 2
class Vehicle {
  constructor(public name: string){}
  // using arrow function preserves the called context
  drive = () => {
    console.log('Vehicle ' + this.name + ' is driving');
  }
}

let vehicle = new Vehicle('Truck');
vehicle.drive(); // No, error
let drive = vehicle.drive;
drive(); // No, error
  1. Readonly modifier

class Vehicle {
  constructor(public readonly name: string){}
  // using arrow function preserves the called context
  drive = () => {
    console.log('Vehicle ' + this.name + ' is driving');
  }
}

let vehicle = new Vehicle('Truck');
vehicle.name = 'Bus'; // Error, property name is readonly
  1. Union Types

// Accept & Return variables of different types string | string[]
function reverse(data: string | string[]): string | string[] {
  if (typeof data === 'string') {
    return data.split('').reverse().join('');
  }  
  return data.reverse();
}

console.log(reverse('Hello')); // olleH
console.log(reverse(['H', 'E', 'L', 'L', 'O'])); // ["O", "L", "L", "E", "H"]
  1. Literal Types

let car: string;
car = 'baleno';
car = 'b@leno';

let car: 'Baleno' | 'Nexon';
car = 'Nexon'; // No, error
car = 'Baleno'; // No, error
car = 'B@leno' // Error

type DiceValue = 1 | 2 | 3 | 4 | 5 | 6;
let face: DiceValue = 2; // No, error
face = 9; // Error
  1. Type Narrowing

let age: number = 1;
let checkIsNumber = typeof age === 'number';

class Car {
  constructor(public name: string){}
  drive() {
    console.log('Car ' + this.name + ' is driving.')
  }
}
let car = new Car('Maruti');
let isCarInstance = car instanceof Car;
  1. Class Parameter Properties

class Car {
  constructor(public name: string, private ownerAddress: string){}
  drive() {
    console.log('Car ' + this.name + ' is driving.')
  }
  showOwner() {
    console.log('Owner is + ' . this.owner);
  }
}
  1. Null vs Undefined

let isUndefined = undefined;
let isNull = null;

console.log(isUndefined === isNull) // false
console.log(isUndefined == isNull) // true
  1. Intersection Types

type Point2D = {
  x: number,
  y: number,
}

type Point3D = Point2D & {
  z: number,
}
  1. Optional Modifier

type Person = {
  name: string,
  email: string,
  phone?: string
}

const person1: Person = {
  name: 'abc',
  email: '[email protected]'
}

class Person {
  public name: string;
  public email: string;
  public phone?: string;
}
  1. Non-null Assertion Operator

type Point = {
  x: number;
}

let point: Point;
function getPoint() {
  point = { x: 10 };
}

getPoint();
console.log(point!.x)

Advanced

  1. Implements Keyword

type Vehicle = {
  name: string;
  drive(): void;
}

// Class honda implements Vehicle type/interface
class Honda implements Vehicle {
  constructor(public name: string) {}
  drive() {
    console.log('Vehicle ' + this.name + ' is driving');
  }
}

let hondaCar = new Honda('Honda Civic');
hondaCar.drive();
  1. Definitive Assignment operator

// Exclamation mark denotes this variable will never be null.
let point!: number;

function initializePoint() {
  point = 1;
}

initializePoint();

console.log(point === null) // false
  1. User Defined Type Guards

class Dog {
  bark() {
    console.log('Dog sound');
  }
}

class Cat {
  meow() {
    console.log('Cat sound');
  }
}

type Animal = Cat | Dog;

// User defined type guard
function isCat(animal: Animal): animal is Cat {
  return animal instanceof Cat;
}

// User defined type guard
function isDog(animal: Animal): animal is Dog {
  return animal instanceof Dog;
}

function makeSound(animal: Animal) {
  if (isCat(animal)) {
    animal.meow();
  }
  if (isDog(animal)) {
    animal.bark();
  }
}

makeSound(new Dog());
makeSound(new Cat());
  1. Function Overloading

function reverse(str: string[]): string[];
function reverse(str: string): string;
function reverse(str: string | string[]): string | string[] {
  if (typeof str === 'string') {
    return str.split('').reverse().join('');
  } else {
    return str.reverse();
  }
}
// type of hello == string
const hello = reverse("hello");
console.log(hello)
  1. Call Signature

// Short hand syntax for a function declaration.
type Add = (a: number, b: number) => number;

const add: Add = (a: number, b: number): number => {
  return a+b;
}

console.log(add(1, 4));
  1. Abstract Classes

abstract class Vehicle {
  constructor(public name: string){}
  abstract drive(): void;
}

let vehicle = new Vehicle(); // Error, not possible.

class Maruti extends Vehicle {
  drive() {
    console.log('Vehicle ' + this.name + ' is driving');
  }
}

let maruti = new Maruti('Ritz');
  1. Index Signature

type Person = {
  name: string,
}

type PersonDictionary = {
  [username: string]: Person,
}

// The index will be a string.
const persons: PersonDictionary = {
  abc: {name: 'ABC'}
}
  1. Readonly Arrays & Tuples

const readonlyArray: readonly number[] = [1, 2];
console.log(readonlyArray); // [1, 2]
readonlyArray[] = 3; // Error

type readonlyArray_1 = ReadonlyArray<number>;
type readonlyArray_2 = readonly number[];

function reverseArray(input: readonlyArray_1) {
  return input.slice().reverse();
}

console.log(reverseArray([1,2, 3, 4])); // [4, 3, 2, 1]
  1. Double Assertions

type Point2D = {x:number, y:number}
type Point3D = {x:number, y:number, z:number}
type Person = {name: string, age: number}

let point2D: Point2D = {x: 1, y: 2};
let point3D: Point3D = {x: 1, y: 2, z: 5};
let person: Person = {name: 'abc', age: 12};

point2D = point3D; // No, Error
point3D = point2D as Point3D; // Error avoided with asserting
  1. Const Assertion

const person = {
  name: 'abc',
  age: 11
}

person.name = 'xyz'; // No, Error

const vehicle = {
  name: 'abc_xyz',
  year: '2023'
} as const; // Const assertion usage.

vehicle.name = 'abc' // Error
  1. this parameter

function sqrt(this: {num: number}): number {
  return this.num * this.num; 
};

const getSquareRoot = {
  num: 10,
  sqrt: sqrt
};

console.log(getSquareRoot.sqrt());
  1. Generic Constraints

type Email = {
  email: string;
}

type Person = {
  name: string;
  age: number;
}

function printUSerDetails<T extends Email>(user: T): void {
  console.log("User Details");
  console.log("Email - " + user.email);
}

let person: Person = {name: 'abc', age: 12};
const userDetails = {
  ...person,
  email: '[email protected]'
}
printUSerDetails(userDetails);

Expert (Type manipulation)

  1. Typeof type operator

const Point = {
  x: 10,
  y: 10
};

// The new type created is similar to Point.
type newPoint = typeof Point;

// Short hand way of declaring variable
const anotherPoint: typeof Point = {
  x: 1,
  y: 1
}
  1. Lookup Types

type Login200Response = {
  token: {
    user: {
      email: string;
      age: number;
    }
  },
  session: {
    exp: number;
    created: number;
    isValid: boolean;
  }
}

// The return type of the function is a subset of type Login200Response
const checkSession = (): Login200Response['session'] => {
  return {
    exp: Date.now(),
    created: Date.now(),
    isValid: false
  };
}
  1. Keyof type Operator

type Person = {
  name: string;
  age: number;
  gender: string;
}

const person1: Person = {
  name: 'John',
  age: 22,
  gender: 'Male'
};

// Normal implementation
function getObjectValues(obj: Person, index: keyof Person) {
  return obj[index];
}

// Generic implementation
function getObjectValuesGeneric<T, K extends keyof T>(obj: T, key: K) {
  return obj[key];
}

console.log(getObjectValues(person1, 'age')); // No, Error
console.log(getObjectValues(person1, 'age1')); // Error

console.log(getObjectValuesGeneric(person1, 'age')); // No, Error
console.log(getObjectValuesGeneric(person1, 'age1')); // Error
  1. Mapped Types

type Point = {
  x: number;
  y: number;
  z: number;
}

// Example 1
type ReadonlyType = {
  readonly [Item in 'x' | 'y' | 'z']: number;
}

const point_1: ReadonlyType = {
  x: 1,
  y: 2,
  z: 3
};

// Example 2
type ReadonlyType_2 = {
  readonly [Item in keyof Point]: number | Point[Item];
}

const point_2: ReadonlyType_2 = {
  x: 1,
  y: 2,
  z: 3
};

console.log(point_2);

// Example 3
const point_3: Readonly<Point> = {
  x: 1,
  y: 2,
  z: 3
}

console.log(point_3);
  1. Mapped type modifiers

type Point = {
  x?: number;
  readonly y?: number;
  z?: number;
}

// Example 1
// Remove modifiers readonly & optional from above type by using '-' sign.
type ReadonlyType_2 = {
  -readonly [Item in keyof Point]-?: number | Point[Item];
}

// None of the members are optional or readonly now.
const point_1: ReadonlyType_2 = {
  x: 1,
  y: 2,
  z: 3
};

// Example 2
class State<T> {
  constructor(public current: T) {}
  getState(): T {
    return this.current;
  }
  // The Partial type modifier is provided by typescript, it makes all the members
  // of the passed object or the variable itself as optional.
  updateState(next: Partial<T>) {
    this.current = {...this.current, ...next};
  }
}

const s = new State({x: 1, y: 2});
console.log(s.getState());
s.updateState({y: 9});
  1. Template literal type

let word: Hello;
word = 'Hello'; // No, error
word = 'Heelo'; // Error
  1. Conditional Types

// Syntax : condition ? condition_is_True : condition_is_false, similar to javascript ternary operator.

interface Animal {
  move(): void;
}

interface Dog extends Animal {
  bark(): void;
}

interface Cat {
  meow(): void;
}

type Other = {
  paws: 4;
}

type Puppy = Dog extends Animal ? Dog : 'other'; // Type inferred is Dog

type PersianCat = Cat extends Animal ? Cat : Other; // Type inferred is 'other'.

// As Persian cat type expects a property whose value is a number.
const y: PersianCat = {
  paws: 4
}

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.