typescript 不是特别常用,容易忘的知识点

1、花括号对象通过方括号字符串形式取值

let obj = { name: 'asd', age: 21, salary: 400, desc: "asdasd", op: ['asd', 'as', 'qwe'] };for (let i in obj) {console.log(obj[i as keyof typeof obj]);
}let key = 'name';
console.log(obj[key as 'name']);
console.log(obj[key as keyof typeof obj]);

2、泛型约束

// 函数泛型约束
interface limit<Y> {value: Y[];length: () => number;join: (str?: Y) => Y;
}
// 对T约束
function fun<Y, T extends limit<Y>>(params: T): Y {let res: Y = params.join();return res;
}// 定义对象类型
type Obj1Type = {value: string[],length: () => number,join: (v1?: string) => string
};
// 定义对象
const obj1: Obj1Type = {value: ['123', '456'],length() {return this.value.length;},join() {return this.value.join('');}
};const result1 = fun<string, Obj1Type>(obj1);console.log(result1);

3、枚举

enum Fruits {Apple,Orange,Banana,Peach,Pear,Watermolen
}console.log(typeof Fruits[0], Fruits.Banana);// string, 2enum Fruits2 {Apple = '123',Orange = 'asd',Banana = '123t',Peach = '123d',Pear = 'asd',Watermolen = 'dasd'
}console.log(Fruits2.Banana);// 123tenum Fruits3 {Apple = 10,Orange,Banana,Peach = '123d',Pear = 'asd',Watermolen = 'dasd'
}console.log(Fruits3[10], Fruits3.Banana);// Apple,12

4、抽象类

abstract class Virtual {abstract name: string;abstract work(): void;
}class Human {}class Man extends Human implements Virtual {name;constructor(name: string) {super();this.name = name;}work() {}
}let m1 = new Man('Tom');

5、函数重载

// 函数重载
function handleData(x: string): string[];function handleData(x: number): string;function handleData(x: any): any {if (typeof x === 'string') {return x.split(' ');} else if (typeof x === 'number') {return String(x);} else {return 'error!';}
}console.log(handleData(3),handleData('as asdd asd 34'));

6、interface定义class的类型,interface继承

class Geometry {setAttribute() {}
}
//继承后 BoxGeometryType 要实现 Geometry的属性和方法
interface BoxGeometryType extends Geometry {width: number;height: number;depth: number;clone:()=>void;
}class BoxGeometry implements BoxGeometryType {width;height;depth;constructor(width: number, height: number, depth: number) {this.width = width;this.height = height;this.depth = depth;}clone(){}setAttribute() {}
}

7、构造函数的定义、继承

interface FatherType {name: stringage: number;salary: number;print: () => void;getName: Function;
};function Father(this: FatherType, name: string, age: number, salary: number) {this.name = name;this.age = age;this.salary = salary;this.print = function () {console.log(this.name, this.age, this.salary);}
}
Father.prototype.getName = function () {console.log(this.name);
}interface SonType extends FatherType {name: string;getName: Function;father: () => void;
};Son.prototype = Object.create(Father.prototype);
Son.prototype.constructor = Son;function Son(this: SonType, name: string, father: { name: string, age: number, salary: number }) {Father.call(this, father.name, father.age, father.salary);this.name = name;
}Son.prototype.getName = function () {console.log(this, this.name);
}Son.prototype.father = function () {console.log(this);
}const son = new (Son as any)("Tom", { name: "Tom1", age: 21, salary: 123123 });
son.father();
son.getName();export default {};

8、修饰器

在修饰器有:类修饰器、方法修饰器、参数修饰器、属性修饰器。

执行顺序:属性>方法>参数>类 。

        1、类修饰器,可以在类上添加一些属性和方法

// example 1
const MessageDecorator: ClassDecorator = (target: Function) => {target.prototype.message = (msg: string) => {console.log(msg)}
}@MessageDecorator
class Login {public login() {(this as any).message('登录成功');(<any>this).message('登录成功');}
}new Login().login();// example 2
function Decorate(type: string) {if (type == '1') {return (target: Function) => {console.log(target);target.prototype.p0 = () => {console.log('p1');}}} else {return (target: Function) => {target.prototype.p0 = () => {console.log('p2');}}}
}@Decorate('1')
class P1 { }@Decorate('2')
class P2 { }const pa = new P1();
const pb = new P2();
(pa as any).p0();
(<any>pb).p0();

        2、 方法修饰器,可以修改被调用的函数,或者在被调用的函数调用前后做一些事情。

// example 1
const showDecorator:MethodDecorator=(target: Object, propertyKey: string | symbol, descriptor: PropertyDescriptor)=>{// 修改show函数descriptor.value=()=>{console.log('function changed.');}// 在外部不可以改// descriptor.writable=false;
}class User{@showDecoratorpublic show(){console.log('show???');}
}const u1=new User();
u1.show();// example 2
const sleep = (time: number): MethodDecorator => {return (...args: any[]) => {const [, , descriptor] = args;// 保存原函数const method = descriptor.value;console.log('first');descriptor.value = () => {setTimeout(() => {// 在此处调用原函数method();}, time);}}
}class Sleep {@sleep(1000)public show() {console.log('print something out.');}
}new Sleep().show();

        3、属性修饰器,可以用来控制类中属性的获取和修改

// example 1
const property: PropertyDecorator = (target: object, propertyKey: string | symbol) => {let value:string;Object.defineProperty(target,propertyKey,{get:()=>{return value.toLowerCase();},set:(v)=>{value=v;}});
}export class Hd {@propertypublic title?: string | undefined ='123';public show(value) {this.title=value;}
}const h=new Hd()
h.show("abcHAGKSDJkjnas");
console.log(h.title)// example 2
import 'reflect-metadata'function Inject(target: any, key: string) {// 根据A的类型进行实例化,并赋值到a,'design:type'自动获取固定名称,不需要自己defineMetadatatarget[key] = new (Reflect.getMetadata('design:type', target, key))();
}class A{sayHello(){console.log('hello');}
}class B {@Injecta!: A;say() {this.a.sayHello();}
}new B().say();

        4、 参数修饰器,一般与方法修饰器配合使用,在调用类方法前,对方法参数进行提前处理。

导入import 'reflect-metadata'可以在修饰器之间进行传值

Reflect.defineMetadata('required', requiredParams, target, propertyKey);// 发送

 let pArray=Reflect.getMetadata('required', target, propertyKey); // 接收

import 'reflect-metadata'const params: ParameterDecorator = (target: object, propertyKey: string | symbol, parameterIndex: number) => {let requiredParams: number[] = [];requiredParams.push(parameterIndex);Reflect.defineMetadata('required', requiredParams, target, propertyKey)
}const validate: MethodDecorator = (target: object, propertyKey: string | symbol, descriptor: PropertyDescriptor) => {console.log( 'method decorate params =',target, propertyKey,descriptor);let pArray=Reflect.getMetadata('required', target, propertyKey);console.log(pArray);const method=descriptor.value;descriptor.value=(...args)=>{console.log('args=',args,'pArray=',pArray);for(let i in pArray){args[pArray[i]]+='!!!';}method(...args);}}export class User {@validatepublic find(@params name: string,age:number) {console.log(name,age);}
};new User().find("abcdef",21); // abcdef!!! 21!!!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/7477.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

富格林:正确杜绝欺诈实现出金

富格林悉知&#xff0c;现货黄金一直以来都是投资者们追逐的热门品种之一。其安全性和避险特性吸引着广大投资者。但在现货黄金市场中要想实现出金其实并不简单&#xff0c;是需要我们通过一定的技巧和方法去正确杜绝欺诈套路。下面为了帮助广大投资者正确杜绝欺诈实现出金&…

九、redis过期策略

目录 一、设置redis键的过期时间 1、删除过期时间 2、查看过期时间 二、过期删除策略 1、定时删除&#xff1a; 2、惰性删除&#xff1a; 3、定期删除&#xff1a; 4、惰性删除和定期删除配合使用 三、 1、设置redis最大内存 2、设置内存的淘汰方式 总结&#xff1…

运维自动化之 ansible

目录 一 常见的自动化运维工具 &#xff08;一&#xff09;有哪些常见的 自动化运维工具 &#xff08;二&#xff09;为什么后面都变成用 ansible 二 ansible 基本介绍 1&#xff0c; ansible 是什么 2&#xff0c;ansible能干什么 3&#xff0c;ansible 工作原…

桌面文件删除了怎么恢复?4个靠谱方法分享!

“我平常工作的时候喜欢将文件直接保存在电脑桌面上&#xff0c;但是今天一打开电脑&#xff0c;突然发现我的文件都不见了&#xff0c;有什么恢复桌面文件的简单方法吗&#xff1f;希望大家可以推荐几个。” 很多用户在使用电脑时可能都习惯了把文件直接放在桌面上&#xff0c…

RESTful API 构建 Web 应用程序

RESTful API 是一种设计风格&#xff0c;用于创建和管理 Web 应用程序的 API。REST&#xff08;Representational State Transfer&#xff09;表示一组规范和约定&#xff0c;用于在网络上传输和操作数据。RESTful API 使用 HTTP 方法&#xff08;如 GET、POST、PUT、DELETE&am…

基于.NET WinForms 数据CURD功能的实现

使用开发工具 VS 2022 C#&#xff0c;数据库MS SQL SERVER 2019 &#xff0c;基于NET WinForms&#xff0c;实现数据记录的创建(Create)、更新(Update)、读取(Read)和删除(Delete)等功能。主要控件包括&#xff1a;DataGridView&#xff0c;SqlDataApater &#xff0c; DataTab…

瑞萨RH850 SPI的异步传输

一、SPI工作原理 SPI (Serial Peripheralinterface),顾名思义就是串行外围设备接口。SPI是一种高速的&#xff0c;全双工&#xff0c;同步的通信总线&#xff0c;并且在芯片的管脚上只占用四根线&#xff0c;节约了芯片的管脚&#xff0c;同时为PCB的布局上节省空间&#xff0…

深度解读:Agent AI智能体如何重塑我们的现实和未来|TodayAI

​​​​​​​ 一、 引言 在当今时代&#xff0c;人工智能&#xff08;AI&#xff09;技术的快速发展正不断改变着我们的生活与工作方式。尤其是Agent AI智能体&#xff0c;作为AI技术中的一种重要形式&#xff0c;它们通过模拟人类智能行为来执行各种复杂任务&#xff0c;从…

如何从Mac上的清空垃圾箱中恢复已删除的文件?

Mac用户几乎每天都会删除文件。当您将文档删除到 Mac 垃圾箱时&#xff0c;该文件将被剪切到 Mac 垃圾箱中&#xff0c;并且可以轻松放回原处。但是&#xff0c;在某些情况下&#xff0c;您错误地删除了文档和文件&#xff0c;并在您意识到自己犯了一个大错误之前清空了垃圾箱。…

【Leetcode 42】 接雨水-单调栈解法

基础思路&#xff1a; 维持栈单调递减&#xff0c;一旦出现元素大于栈顶元素&#xff0c;就可以计算雨水量&#xff0c;同时填坑&#xff08;弹出栈顶元素&#xff09; 需要注意&#xff1a; 单调栈通常保存的是下标&#xff0c;用于计算距离 public static int trap2(int[…

TypeScript type类型别名

文章目录 1. 基本类型别名2. 对象类型别名3. 交叉类型&#xff08;Intersection Types&#xff09;4. 联合类型&#xff08;Union Types&#xff09;5. 映射类型&#xff08;Mapped Types&#xff09;6. 条件类型&#xff08;Conditional Types&#xff09;7. 索引访问类型&…

GRUB常见操作

1、内核启动参数——如何修改启动命令&#xff1f; 1、修改/etc/default/grub 这个文件是生成grub.cfg文件时候的基础参考文件&#xff0c;我们需要修改的内核启动参数就定义在GRUB_CMDLINE_LINUX。 # Set by curtin fast-path installer. GRUB_TIMEOUT5 GRUB_DEFAULT0 GRUB…

leetcode-缺失的第一个正整数-96

题目要求 思路 1.这里的题目要求刚好符合map和unordered_map 2.创建一个对应map把元素添加进去&#xff0c;用map.find(res)进行查找&#xff0c;如果存在返回指向该元素的迭代器&#xff0c;否则返回map::end()。 代码实现 class Solution { public:int minNumberDisappeare…

一文快速掌握高性能内存队列Disruptor

写在文章开头 Disruptor是英国外汇公司LMAX开源的一款高性能内存消息队列&#xff0c;理想情况下单线程可支撑600w的订单。所以本文会从使用以及设计的角度来探讨一下这款神级java消息队列。 Hi&#xff0c;我是 sharkChili &#xff0c;是个不断在硬核技术上作死的 java code…

【Java基础】JVM内存简单介绍

JVM把内存分为五块&#xff1a;栈、堆、方法区、本地方法区、寄存器当函数被调用时&#xff0c;函数内部的局部变量在栈中开辟内存&#xff0c;当局部变量的作用域结束时&#xff0c;立刻释放栈中所占据的内存。 栈 栈的特点&#xff1a;先进后出当函数被调用时&#xff0c;为…

unity制作app(5)--发送数据给数据库

这个之前做过&#xff0c;先不做照片的。下一节再做带照片的。 第一步 收集数据 1.先做一个AppModel结构体&#xff0c;这个结构体需要单做的。 using System; using System.Collections.Generic; using System.Linq; using System.Text; //using Assets.Model; public clas…

【Linux】System V 共享内存

文章目录 1. 共享内存示意图2. 共享内存数据结构3. 共享内存函数shmgetshmatshmdtshmctl 4. 实例代码测试共享内存5. 共享内存相关命令6. System V 消息队列&#xff08;了解&#xff09;7. System V 信号量&#xff08;了解&#xff09; 共享内存区是最快的 IPC 形式。一旦这样…

webpack4和webpack5区别3---缓存

webpack4缓存 使用打包的目的是提升项目启动速度&#xff0c;提升开发体验&#xff0c;webpack的打包方式就是把项目内全部文件都走一遍loader和babel处理&#xff0c;所以项目文件内容越来越多&#xff0c;启动的时间就越来越长&#xff0c;随随便便就 run 一分钟。 webpack4 …

力扣每日一题109:有序链表转换二叉搜索树

题目 中等 给定一个单链表的头节点 head &#xff0c;其中的元素 按升序排序 &#xff0c;将其转换为 平衡 二叉搜索树。 示例 1: 输入: head [-10,-3,0,5,9] 输出: [0,-3,9,-10,null,5] 解释: 一个可能的答案是[0&#xff0c;-3,9&#xff0c;-10,null,5]&#xff0c;它…

unity中浮点数只保留一位小数

如果你想在 Unity 中保留浮点数的一位小数&#xff0c;你可以使用 ToString() 方法并指定格式化字符串&#xff0c;或者使用 Mathf.Round() 方法来四舍五入到一位小数。以下是两种方法的示例&#xff1a; 使用 ToString() 方法&#xff1a; float floatValue 3.456f; floa…