JavaScript對比TypeScript
作為一名 JavaScript 工程師,我經常被問到:"為什么要使用 TypeScript?"或者"TypeScript 相比 JavaScript 有什么優(yōu)勢?"今天,讓我們通過實際的代碼示例來深入探討這個話題。
核心特性對比
1. 類型系統(tǒng):最顯著的區(qū)別
function calculateTotal(items) {
return items.reduce((total, item) => total + item.price, 0);
}
const items = [
{ price: 10 },
{ price: 20 },
{ notPrice: 30 }
];
console.log(calculateTotal(items));
interface Item {
price: number;
}
function calculateTotal(items: Item[]): number {
return items.reduce((total, item) => total + item.price, 0);
}
const items = [
{ price: 10 },
{ price: 20 },
{ notPrice: 30 }
];
2. 接口和類型定義
const user = {
name: 'John',
age: 30,
address: {
street: '123 Main St',
city: 'Boston'
}
};
function updateUser(user) {
user.name = 'Jane';
}
interface Address {
street: string;
city: string;
zipCode?: string;
}
interface User {
name: string;
age: number;
address: Address;
}
function updateUser(user: User): void {
user.name = 'Jane';
}
3. 函數重載
function process(input) {
if (typeof input === 'string') {
return input.toUpperCase();
} else if (Array.isArray(input)) {
return input.map(item => item.toUpperCase());
}
throw new Error('Unsupported input type');
}
function process(input: string): string;
function process(input: string[]): string[];
function process(input: string | string[]): string | string[] {
if (typeof input === 'string') {
return input.toUpperCase();
} else {
return input.map(item => item.toUpperCase());
}
}
4. 泛型
function firstElement(arr) {
return arr[0];
}
const numResult = firstElement([1, 2, 3]);
const strResult = firstElement(['a', 'b', 'c']);
function firstElement<T>(arr: T[]): T | undefined {
return arr[0];
}
const numResult = firstElement([1, 2, 3]);
const strResult = firstElement(['a', 'b', 'c']);
TypeScript 特有的語法特性
1. 類型注解(Type Annotations)
let name = "John";
let age = 30;
let isStudent = true;
let numbers = [1, 2, 3];
let tuple = ["hello", 10];
* @param {string} name
* @returns {string}
*/
function greet(name) {
return `Hello, ${name}!`;
}
let name: string = "John";
let age: number = 30;
let isStudent: boolean = true;
let numbers: number[] = [1, 2, 3];
let tuple: [string, number] = ["hello", 10];
function greet(name: string): string {
return `Hello, ${name}!`;
}
2. 枚舉(Enums)
const Direction = {
Up: "UP",
Down: "DOWN",
Left: "LEFT",
Right: "RIGHT",
Object.freeze(Direction);
};
const Direction = {
Up: Symbol("UP"),
Down: Symbol("DOWN"),
Left: Symbol("LEFT"),
Right: Symbol("RIGHT")
};
let playerDirection = Direction.Up;
const StatusCode = {
OK: 200,
NotFound: 404,
Error: 500,
Object.freeze(StatusCode);
};
enum Direction {
Up = "UP",
Down = "DOWN",
Left = "LEFT",
Right = "RIGHT"
}
let playerDirection: Direction = Direction.Up;
enum StatusCode {
OK = 200,
NotFound = 404,
Error = 500
}
3. 類型斷言(Type Assertions)
let someValue = "this is a string";
let strLength = someValue.length;
if (typeof someValue === 'string') {
let strLength = someValue.length;
}
const myCanvas = document.getElementById('main_canvas');
if (myCanvas instanceof HTMLCanvasElement) {
const ctx = myCanvas.getContext('2d');
}
let someValue: any = "this is a string";
let strLength: number = (someValue as string).length;
let strLength: number = (<string>someValue).length;
const myCanvas = document.getElementById('main_canvas') as HTMLCanvasElement;
4. 訪問修飾符
class Employee {
#name;
_age;
department;
constructor(name, age, department, id) {
this.#name = name;
this._age = age;
this.department = department;
Object.defineProperty(this, 'id', {
value: id,
writable: false
});
}
#getDetails() {
return `${this.#name} (${this._age})`;
}
}
class Employee {
private name: string;
protected age: number;
public department: string;
readonly id: number;
constructor(name: string, age: number, department: string, id: number) {
this.name = name;
this.age = age;
this.department = department;
this.id = id;
}
private getDetails(): string {
return `${this.name} (${this.age})`;
}
}
5. 抽象類和接口
class Animal {
constructor() {
if (new.target === Animal) {
throw new Error('Animal is abstract');
}
}
makeSound() {
throw new Error('makeSound must be implemented');
}
move() {
console.log("Moving...");
}
}
class Pet {
constructor() {
if (this.play === undefined) {
throw new Error('Must implement play method');
}
if (!this.name) {
throw new Error('Must have name property');
}
}
}
class Dog extends Animal {
constructor(name) {
super();
this.name = name;
}
makeSound() {
console.log("Woof!");
}
play() {
console.log("Playing fetch!");
}
}
abstract class Animal {
abstract makeSound(): void;
move(): void {
console.log("Moving...");
}
}
interface Pet {
name: string;
play(): void;
}
class Dog extends Animal implements Pet {
name: string;
constructor(name: string) {
super();
this.name = name;
}
makeSound(): void {
console.log("Woof!");
}
play(): void {
console.log("Playing fetch!");
}
}
6. 聯(lián)合類型和交叉類型
function processValue(value) {
if (typeof value === "string") {
return value.toUpperCase();
}
if (typeof value === "number") {
return value * 2;
}
throw new Error('Invalid type');
}
const person = {
...{ name: "John" },
...{ age: 30 }
};
type StringOrNumber = string | number;
type NameAndAge = { name: string } & { age: number };
function processValue(value: StringOrNumber) {
if (typeof value === "string") {
return value.toUpperCase();
}
return value * 2;
}
const person: NameAndAge = {
name: "John",
age: 30
};
7. 可選鏈和空值合并
const user = {
name: "John"
};
const city = user.address?.city;
const street = user.address?.street ?? "Default Street";
const city = user && user.address && user.address.city;
const street = (user && user.address && user.address.street) || "Default Street";
interface User {
name: string;
address?: {
street?: string;
city?: string;
};
}
const user: User = {
name: "John"
};
const city = user.address?.city;
const street = user.address?.street ?? "Default Street";
8. 字面量類型
const CARDINAL_DIRECTIONS = ["North", "South", "East", "West"];
const DICE_VALUES = [1, 2, 3, 4, 5, 6];
function move(direction) {
if (!CARDINAL_DIRECTIONS.includes(direction)) {
throw new Error('Invalid direction');
}
console.log(`Moving ${direction}`);
}
move("North");
move("Northeast");
type CardinalDirection = "North" | "South" | "East" | "West";
type DiceRoll = 1 | 2 | 3 | 4 | 5 | 6;
function move(direction: CardinalDirection) {
console.log(`Moving ${direction}`);
}
move("North");
9. 類型別名和映射類型
const createPoint = (x, y) => ({
x,
y
});
const createReadonlyPoint = (x, y) =>
Object.freeze({
x,
y
});
const point = createReadonlyPoint(10, 20);
type Point = {
x: number;
y: number;
};
type Readonly<T> = {
readonly [P in keyof T]: T[P];
};
type ReadonlyPoint = Readonly<Point>;
const point: ReadonlyPoint = { x: 10, y: 20 };
10. 裝飾器(Decorators)
function log(target, propertyKey) {
console.log(`Accessing property: ${propertyKey}`);
}
class Example {
@log
name = "example";
}
function makeLoggable(target) {
const originalDescriptor = Object.getOwnPropertyDescriptor(target.prototype, 'name');
Object.defineProperty(target.prototype, 'name', {
get() {
console.log('Accessing property: name');
return originalDescriptor.get.call(this);
},
set(value) {
console.log('Setting property: name');
originalDescriptor.set.call(this, value);
}
});
return target;
}
@makeLoggable
class Example {
name = "example";
}
function log(target: any, propertyKey: string) {
console.log(`Accessing property: ${propertyKey}`);
}
class Example {
@log
name: string = "example";
}
這些語法特性使得 TypeScript 能夠:
- 提供更強大的類型檢查和編譯時驗證
- 支持面向對象編程的高級特性
- 提供更好的代碼組織和重用機制
- 增強代碼的可讀性和可維護性
- 提供更好的 IDE 支持和開發(fā)體驗
雖然很多特性在現(xiàn)代 JavaScript 中也可以實現(xiàn),但實現(xiàn)方式往往更復雜,且缺少編譯時的類型檢查。TypeScript 的優(yōu)勢在于它提供了更簡潔、更安全的語法,以及強大的類型系統(tǒng)支持。
如何在項目中使用 TypeScript
1. 初始化項目
mkdir my-ts-project
cd my-ts-project
npm init -y
npm install typescript --save-dev
npx tsc --init
2. 配置 tsconfig.json
{
"compilerOptions": {
"target": "es2020",
"module": "commonjs",
"strict": true,
"esModuleInterop": true,
"skipLibCheck": true,
"forceConsistentCasingInFileNames": true,
"outDir": "./dist",
"rootDir": "./src"
},
"include": ["src/**/*"],
"exclude": ["node_modules"]
}
3. 項目結構
my-ts-project/
├── src/
│ └── index.ts
├── package.json
├── tsconfig.json
└── node_modules/
4. 開發(fā)工作流
- 編寫 TypeScript 代碼(.ts 文件)
- 使用 tsc 編譯代碼:
npx tsc
- 運行編譯后的 JavaScript 代碼:
node dist/index.js
5. 推薦的開發(fā)工具
- VS Code:內置 TypeScript 支持
- ESLint 配置:
npm install --save-dev @typescript-eslint/parser @typescript-eslint/eslint-plugin eslint
總結
TypeScript 相比 JavaScript 的主要優(yōu)勢:
- 靜態(tài)類型檢查,提前發(fā)現(xiàn)潛在錯誤
- 更好的 IDE 支持,包括代碼補全和重構
- 接口和類型定義提供更清晰的代碼契約
- 更容易維護大型項目
- 通過類型推斷減少文檔需求
雖然需要一些學習成本,但 TypeScript 帶來的好處遠超過這些成本,特別是在大型項目中。作為一個 JavaScript 工程師,掌握 TypeScript 將顯著提升你的開發(fā)效率和代碼質量。