TypeScript

2025-04-14

Why TypeScript? A Beginner's Guide with Real Examples

TypeScript is a superset of JavaScript that adds static typing to your code. It helps catch errors at compile time instead of runtime, making your applications more robust and easier to maintain.

🚀 What is TypeScript?

At its core, TypeScript lets you specify the types of variables, function parameters, and return values.

// JavaScript
function greet(name) {
  return "Hello " + name;
}
// TypeScript
function greet(name: string): string {
  return "Hello " + name;
}

          

✅ Common TypeScript Types

Here are some of the most common types you'll use in TypeScript:

Type Example
string let name: string = "Alice";
number let age: number = 25;
boolean let isLoggedIn: boolean = true;
array let scores: number[] = [90, 85, 88];
object let user: { name: string; age: number }
any let value: any = "Could be anything";
unknown let input: unknown = getValue();
union `let id: string
tuple let pair: [string, number] = ["a", 1];
enum enum Role { Admin, User, Guest }
void function log(): void { console.log(...) }
never function error(): never { throw ... }

          

😖 Problems Before TypeScript (JavaScript Only)

1. No Type Safety

function multiply(a, b) {
  return a * b;
}
multiply("2", 5); // ❌ No error, but this is wrong!

2. No Autocomplete or IntelliSense

You're often left guessing what parameters a function expects or what properties are available on an object.

3. Risky Refactoring

Without type checking, changes in one file can silently break things elsewhere.

          

😎 How TypeScript Helps

✅ Type Safety

function multiply(a: number, b: number): number {
  return a * b;
}
// multiply("2", 5); // ❌ Error: Argument of type 'string' is not assignable to parameter of type 'number

✅ Developer Experience

TypeScript offers powerful autocomplete, inline documentation, and error hints in modern editors like VS Code.

✅ Safer Refactoring

TypeScript makes large-scale changes safer by catching mismatches and broken dependencies.

          

🧠 Final Thoughts

TypeScript may take some getting used to, but the benefits are clear:

  • Fewer bugs
  • Better collaboration
  • Stronger code quality

Whether you're working solo or on a team, TypeScript can make your JavaScript projects more scalable and maintainable.

sohaibb.dev