- TypeScript Tutorial
- TypeScript Home
- TypeScript Introduction
- TypeScript Setup
- TypeScript First Program
- TypeScript vs JavaScript
- TypeScript Data Types
- TypeScript Type Inference
- TypeScript Type Annotations
- TypeScript Interfaces
- TypeScript Enums
- TypeScript Type Aliases
- TypeScript Type Assertions
- TypeScript Variables
- TypeScript Functions
- TypeScript Functions
- TypeScript Optional Parameters
- TypeScript Default Parameters
- TypeScript Rest Parameters
- TypeScript Arrow Functions
- Classes and Objects
- Introduction to Classes
- Properties and Methods
- Access Modifiers
- Static Members
- Inheritance
- Abstract Classes
- Interfaces vs Classes
- Advanced Types
- TypeScript Union Types
- TypeScript Intersection Types
- TypeScript Literal Types
- TypeScript Nullable Types
- TypeScript Type Guards
- TypeScript Discriminated Unions
- TypeScript Index Signatures
- TypeScript Generics
- Introduction to Generics
- TypeScript Generic Functions
- TypeScript Generic Classes
- TypeScript Generic Constraints
- TypeScript Modules
- Introduction to Modules
- TypeScript Import and Export
- TypeScript Default Exports
- TypeScript Namespace
- Decorators
- Introduction to Decorators
- TypeScript Class Decorators
- TypeScript Method Decorators
- TypeScript Property Decorators
- TypeScript Parameter Decorators
- Configuration
- TypeScript tsconfig.json File
- TypeScript Compiler Options
- TypeScript Strict Mode
- TypeScript Watch Mode
TypeScript First Program
Writing your first program in TypeScript involves creating a .ts
file, compiling it to JavaScript, and running it. This simple example demonstrates how TypeScript's type system works.
Steps to Create a TypeScript Program
Create a TypeScript File
Create a file named hello.ts
and write the following code:
function greet(name: string): string {
return `Hello, ${name}!`;
}
const message: string = greet("TypeScript");
console.log(message);
Compile the TypeScript File
Use the tsc
command to compile hello.ts
into JavaScript:
tsc hello.ts
This generates a file named hello.js
.
Run the Compiled JavaScript
Execute the JavaScript file using Node.js:
node hello.js
Output:
Hello, TypeScript!
Code Explanation
- Type Annotation: The
name: string
andmessage: string
ensure that the variables are of typestring
. - Template Literals: Use backticks (`) to embed expressions into strings.
- Type Safety: If you pass a non-string value to
greet
, TypeScript will throw an error during compilation.
Summary
Your first TypeScript program demonstrates type annotations, type safety, and how to compile and run TypeScript code. It highlights how TypeScript improves error detection during development.