当前位置:首页 > 文章列表 > 文章 > 前端 > Top Advanced typescript concepts that Every Developer Should Know

Top Advanced typescript concepts that Every Developer Should Know

来源:dev.to 2024-12-01 19:34:09 0浏览 收藏

编程并不是一个机械性的工作,而是需要有思考,有创新的工作,语法是固定的,但解决问题的思路则是依靠人的思维,这就需要我们坚持学习和更新自己的知识。今天golang学习网就整理分享《Top Advanced typescript concepts that Every Developer Should Know》,文章讲解的知识点主要包括,如果你对文章方面的知识点感兴趣,就不要错过golang学习网,在这可以对大家的知识积累有所帮助,助力开发能力的提升。

typescript 是一种现代编程语言,由于其附加的类型安全性,通常比 javascript 更受青睐。在本文中,我将分享 10 个最重要的 typescript 概念,这将有助于提高您的 typescript 编程技能。准备好了吗?开始吧。

Top Advanced typescript concepts that Every Developer Should Know

1.泛型:使用泛型我们可以创建可重用的类型,这将有助于处理今天和明天的数据。
泛型示例:
我们可能想要 typescript 中的一个函数将参数作为某种类型,并且我们可能想要返回相同的类型。

function func(args:t):t{
    return args;
}

2.具有类型约束的泛型:现在让我们通过定义它只接受字符串和整数来限制类型 t:

function func(value: t): t {
    return value;
}

const stringvalue = func("hello"); // works, t is string
const numbervalue = func(42);      // works, t is number

// const booleanvalue = func(true); // error: type 'boolean' is not assignable to type 'string | number'

3.通用接口:
当您想要为使用各种类型的对象、类或函数定义契约(形状)时,接口泛型非常有用。它们允许您定义一个蓝图,该蓝图可以适应不同的数据类型,同时保持结构一致。

// generic interface with type parameters t and u
interface repository {
    items: t[];           // array of items of type t
    add(item: t): void;   // function to add an item of type t
    getbyid(id: u): t | undefined; // function to get an item by id of type u
}

// implementing the repository interface for a user entity
interface user {
    id: number;
    name: string;
}

class userrepository implements repository {
    items: user[] = [];

    add(item: user): void {
        this.items.push(item);
    }

     getbyid(idorname: number | string): user | undefined {
        if (typeof idorname === 'string') {
            // search by name if idorname is a string
            console.log('searching by name:', idorname);
            return this.items.find(user => user.name === idorname);
        } else if (typeof idorname === 'number') {
            // search by id if idorname is a number
            console.log('searching by id:', idorname);
            return this.items.find(user => user.id === idorname);
        }
        return undefined; // return undefined if no match found
    }
}

// usage
const userrepo = new userrepository();
userrepo.add({ id: 1, name: "alice" });
userrepo.add({ id: 2, name: "bob" });

const user1 = userrepo.getbyid(1);
const user2 = userrepo.getbyid("bob");
console.log(user1); // output: { id: 1, name: "alice" }
console.log(user2); // output: { id: 2, name: "bob" }

4.泛型类::当您希望类中的所有属性都遵循泛型参数指定的类型时,请使用此选项。这允许灵活性,同时确保类的每个属性都与传递给类的类型匹配。

interface user {
    id: number;
    name: string;
    age: number;
}

class userdetails {
    id: t['id'];
    name: t['name'];
    age: t['age'];

    constructor(user: t) {
        this.id = user.id;
        this.name = user.name;
        this.age = user.age;
    }

    // method to get user details
    getuserdetails(): string {
        return `user: ${this.name}, id: ${this.id}, age: ${this.age}`;
    }

    // method to update user name
    updatename(newname: string): void {
        this.name = newname;
    }

    // method to update user age
    updateage(newage: number): void {
        this.age = newage;
    }
}

// using the userdetails class with a user type
const user: user = { id: 1, name: "alice", age: 30 };
const userdetails = new userdetails(user);

console.log(userdetails.getuserdetails());  // output: "user: alice, id: 1, age: 30"

// updating user details
userdetails.updatename("bob");
userdetails.updateage(35);

console.log(userdetails.getuserdetails());  // output: "user: bob, id: 1, age: 35"
console.log(new userdetails("30"));  // error: "this will throw error" 

5.将类型参数约束为传递的类型:有时,我们希望参数类型依赖于其他一些传递的参数。听起来很混乱,让我们看下面的示例。

function getproperty(obj: type, key: keyof type) {
  return obj[key];
}

let x = { a: 1, b: 2, c: 3 };
getproperty(x, "a");  // valid
getproperty(x, "d");  // error: argument of type '"d"' is not assignable to parameter of type '"a" | "b" | "c"'.

6.条件类型:通常,我们希望我们的类型是一种类型或另一种类型。在这种情况下,我们使用条件类型。
一个简单的例子是:

function func(param:number|boolean){
return param;
}
console.log(func(2)) //output: 2 will be printed
console.log(func("true")) //error: boolean cannot be passed as argument

有点复杂的例子:

type hasproperty = k extends "age" ? "has age" : "has name";

interface user {
  name: string;
  age: number;
}

let test1: hasproperty;  // "has age"
let test2: hasproperty; // "has name"
let test3: hasproperty; // error: type '"email"' is not assignable to parameter of type '"age" | "name"'.

6.交集类型:当我们想要将多种类型合并为一个类型时,这些类型非常有用,允许特定类型继承各种其他类型的属性和行为。
让我们看一个有趣的例子:

// defining the types for each area of well-being

interface mentalwellness {
  mindfulnesspractice: boolean;
  stresslevel: number; // scale of 1 to 10
}

interface physicalwellness {
  exercisefrequency: string; // e.g., "daily", "weekly"
  sleepduration: number; // in hours
}

interface productivity {
  taskscompleted: number;
  focuslevel: number; // scale of 1 to 10
}

// combining all three areas into a single type using intersection types
type healthybody = mentalwellness & physicalwellness & productivity;

// example of a person with a balanced healthy body
const person: healthybody = {
  mindfulnesspractice: true,
  stresslevel: 4,
  exercisefrequency: "daily",
  sleepduration: 7,
  taskscompleted: 15,
  focuslevel: 8
};

// displaying the information
console.log(person);

7.infer 关键字:当我们想要有条件地确定特定类型时,infer 关键字很有用,并且当条件满足时,它允许我们从该类型中提取子类型。
这是一般语法:

type conditionaltype = t extends sometype ? inferredtype : othertype;

示例:

type returntypeofpromise = t extends promise ? u : number;

type result = returntypeofpromise>;  // result is 'string'
type errorresult = returntypeofpromise;      // errorresult is 'never'

const result: result = "hello";
console.log(typeof result); // output: 'string'

8.type variance:这个概念讨论了子类型和父类型如何相互关联。
它们有两种类型:
协方差:可以在需要父类型的地方使用子类型。
让我们看一个例子:

class vehicle { }
class car extends vehicle { }

function getcar(): car {
  return new car();
}

function getvehicle(): vehicle {
  return new vehicle();
}

// covariant assignment
let car: car = getcar();
let vehicle: vehicle = getvehicle(); // this works because car is a subtype of vehicle


在上面的示例中,car 继承了 vehicle 类的属性,因此将其分配给需要超类型的子类型是绝对有效的,因为子类型将具有超类型所具有的所有属性。
逆变:这与协变相反。我们在子类型应该出现的地方使用超类型。

class vehicle {
  startengine() {
    console.log("vehicle engine starts");
  }
}

class car extends vehicle {
  honk() {
    console.log("car honks");
  }
}

function processvehicle(vehicle: vehicle) {
  vehicle.startengine(); // this works
  // vehicle.honk(); // error: 'honk' does not exist on type 'vehicle'
}

function processcar(car: car) {
  car.startengine(); // works because car extends vehicle
  car.honk();        // works because 'car' has 'honk'
}

let car: car = new car();
processvehicle(car); // this works because of contravariance (car can be used as vehicle)
processcar(car);     // this works as well because car is of type car

// contravariance failure if you expect specific subtype behavior in the method


使用逆变时,我们需要小心不要访问特定于子类型的属性或方法,因为这可能会导致错误。

9。反思: 这个概念涉及在运行时确定变量的类型。虽然 typescript 主要关注编译时的类型检查,但我们仍然可以利用 typescript 运算符在运行时检查类型。
typeof 运算符:我们可以利用 typeof 运算符在运行时查找变量的类型

const num = 23;
console.log(typeof num); // "number"

const flag = true;
console.log(typeof flag); // "boolean"

instanceof 运算符:instanceof 运算符可用于检查对象是否是类或特定类型的实例。

class vehicle {
  model: string;
  constructor(model: string) {
    this.model = model;
  }
}

const benz = new vehicle("mercedes-benz");
console.log(benz instanceof vehicle); // true

我们可以使用第三方库在运行时确定类型。

10.依赖注入:依赖注入是一种模式,允许您将代码引入组件中,而无需在组件中实际创建或管理它。虽然它看起来像是使用库,但它有所不同,因为您不需要通过 cdn 或 api 安装或导入它。

乍一看,它似乎也类似于使用函数来实现可重用性,因为两者都允许代码重用。然而,如果我们直接在组件中使用函数,可能会导致它们之间的紧密耦合。这意味着函数或其逻辑的任何变化都可能影响它使用的每个地方。

依赖注入通过将依赖项的创建与使用它们的组件解耦来解决这个问题,使代码更易于维护和测试。

没有依赖注入的示例

// health-related service classes without interfaces
class mentalwellness {
  getmentalwellnessadvice(): string {
    return "take time to meditate and relax your mind.";
  }
}

class physicalwellness {
  getphysicalwellnessadvice(): string {
    return "make sure to exercise daily for at least 30 minutes.";
  }
}

// healthadvice class directly creating instances of the services
class healthadvice {
  private mentalwellnessservice: mentalwellness;
  private physicalwellnessservice: physicalwellness;

  // directly creating instances inside the class constructor
  constructor() {
    this.mentalwellnessservice = new mentalwellness();
    this.physicalwellnessservice = new physicalwellness();
  }

  // method to get both mental and physical wellness advice
  gethealthadvice(): string {
    return `${this.mentalwellnessservice.getmentalwellnessadvice()} also, ${this.physicalwellnessservice.getphysicalwellnessadvice()}`;
  }
}

// creating an instance of healthadvice, which itself creates instances of the services
const healthadvice = new healthadvice();

console.log(healthadvice.gethealthadvice());
// output: "take time to meditate and relax your mind. also, make sure to exercise daily for at least 30 minutes."

依赖注入示例

// Health-related service interfaces with "I" prefix
interface IMentalWellnessService {
  getMentalWellnessAdvice(): string;
}

interface IPhysicalWellnessService {
  getPhysicalWellnessAdvice(): string;
}

// Implementations of the services
class MentalWellness implements IMentalWellnessService {
  getMentalWellnessAdvice(): string {
    return "Take time to meditate and relax your mind.";
  }
}

class PhysicalWellness implements IPhysicalWellnessService {
  getPhysicalWellnessAdvice(): string {
    return "Make sure to exercise daily for at least 30 minutes.";
  }
}

// HealthAdvice class that depends on services via interfaces
class HealthAdvice {
  private mentalWellnessService: IMentalWellnessService;
  private physicalWellnessService: IPhysicalWellnessService;

  // Dependency injection via constructor
  constructor(
    mentalWellnessService: IMentalWellnessService,
    physicalWellnessService: IPhysicalWellnessService
  ) {
    this.mentalWellnessService = mentalWellnessService;
    this.physicalWellnessService = physicalWellnessService;
  }

  // Method to get both mental and physical wellness advice
  getHealthAdvice(): string {
    return `${this.mentalWellnessService.getMentalWellnessAdvice()} Also, ${this.physicalWellnessService.getPhysicalWellnessAdvice()}`;
  }
}

// Dependency injection
const mentalWellness: IMentalWellnessService = new MentalWellness();
const physicalWellness: IPhysicalWellnessService = new PhysicalWellness();

// Injecting services into the HealthAdvice class
const healthAdvice = new HealthAdvice(mentalWellness, physicalWellness);

console.log(healthAdvice.getHealthAdvice());
// Output: "Take time to meditate and relax your mind. Also, Make sure to exercise daily for at least 30 minutes."


在紧密耦合的场景中,如果您今天 mentalwellness 类中有一个stresslevel 属性,并决定明天将其更改为其他属性,则需要更新所有使用它的地方。这可能会导致许多重构和维护挑战。

但是,通过依赖注入和接口的使用,你可以避免这个问题。通过构造函数传递依赖项(例如 mentalwellness 服务),具体的实现细节(例如stresslevel 属性)被抽象到接口后面。这意味着只要接口保持不变,对属性或类的更改不需要修改依赖类。这种方法可确保代码松散耦合、更易于维护且更易于测试,因为您可以在运行时注入所需的内容,而无需紧密耦合组件。

今天关于《Top Advanced typescript concepts that Every Developer Should Know》的内容就介绍到这里了,是不是学起来一目了然!想要了解更多关于的内容请关注golang学习网公众号!

版本声明
本文转载于:dev.to 如有侵犯,请联系study_golang@163.com删除
上海电脑回收:环保理念与资源利用上海电脑回收:环保理念与资源利用
上一篇
上海电脑回收:环保理念与资源利用
如何正确选择笔记本电脑软件,下载安全又实用的软件技巧
下一篇
如何正确选择笔记本电脑软件,下载安全又实用的软件技巧
查看更多
最新文章
查看更多
课程推荐
  • 前端进阶之JavaScript设计模式
    前端进阶之JavaScript设计模式
    设计模式是开发人员在软件开发过程中面临一般问题时的解决方案,代表了最佳的实践。本课程的主打内容包括JS常见设计模式以及具体应用场景,打造一站式知识长龙服务,适合有JS基础的同学学习。
    542次学习
  • GO语言核心编程课程
    GO语言核心编程课程
    本课程采用真实案例,全面具体可落地,从理论到实践,一步一步将GO核心编程技术、编程思想、底层实现融会贯通,使学习者贴近时代脉搏,做IT互联网时代的弄潮儿。
    508次学习
  • 简单聊聊mysql8与网络通信
    简单聊聊mysql8与网络通信
    如有问题加微信:Le-studyg;在课程中,我们将首先介绍MySQL8的新特性,包括性能优化、安全增强、新数据类型等,帮助学生快速熟悉MySQL8的最新功能。接着,我们将深入解析MySQL的网络通信机制,包括协议、连接管理、数据传输等,让
    497次学习
  • JavaScript正则表达式基础与实战
    JavaScript正则表达式基础与实战
    在任何一门编程语言中,正则表达式,都是一项重要的知识,它提供了高效的字符串匹配与捕获机制,可以极大的简化程序设计。
    487次学习
  • 从零制作响应式网站—Grid布局
    从零制作响应式网站—Grid布局
    本系列教程将展示从零制作一个假想的网络科技公司官网,分为导航,轮播,关于我们,成功案例,服务流程,团队介绍,数据部分,公司动态,底部信息等内容区块。网站整体采用CSSGrid布局,支持响应式,有流畅过渡和展现动画。
    484次学习
查看更多
AI推荐
  • AI Make Song:零门槛AI音乐创作平台,助你轻松制作个性化音乐
    AI Make Song
    AI Make Song是一款革命性的AI音乐生成平台,提供文本和歌词转音乐的双模式输入,支持多语言及商业友好版权体系。无论你是音乐爱好者、内容创作者还是广告从业者,都能在这里实现“用文字创造音乐”的梦想。平台已生成超百万首原创音乐,覆盖全球20个国家,用户满意度高达95%。
    17次使用
  • SongGenerator.io:零门槛AI音乐生成器,快速创作高质量音乐
    SongGenerator
    探索SongGenerator.io,零门槛、全免费的AI音乐生成器。无需注册,通过简单文本输入即可生成多风格音乐,适用于内容创作者、音乐爱好者和教育工作者。日均生成量超10万次,全球50国家用户信赖。
    13次使用
  •  BeArt AI换脸:免费在线工具,轻松实现照片、视频、GIF换脸
    BeArt AI换脸
    探索BeArt AI换脸工具,免费在线使用,无需下载软件,即可对照片、视频和GIF进行高质量换脸。体验快速、流畅、无水印的换脸效果,适用于娱乐创作、影视制作、广告营销等多种场景。
    12次使用
  • SEO标题协启动:AI驱动的智能对话与内容生成平台 - 提升创作效率
    协启动
    SEO摘要协启动(XieQiDong Chatbot)是由深圳协启动传媒有限公司运营的AI智能服务平台,提供多模型支持的对话服务、文档处理和图像生成工具,旨在提升用户内容创作与信息处理效率。平台支持订阅制付费,适合个人及企业用户,满足日常聊天、文案生成、学习辅助等需求。
    16次使用
  • Brev AI:零注册门槛的全功能免费AI音乐创作平台
    Brev AI
    探索Brev AI,一个无需注册即可免费使用的AI音乐创作平台,提供多功能工具如音乐生成、去人声、歌词创作等,适用于内容创作、商业配乐和个人创作,满足您的音乐需求。
    17次使用
微信登录更方便
  • 密码登录
  • 注册账号
登录即同意 用户协议隐私政策
返回登录
  • 重置密码