初次在Vue项目使用TypeScript,需要做什么
前言
总所周知,vue新版本3.0 使用 typescript 开发,让本来就很火的 typescript 受到更多人的关注。虽然 typescript 在近几年才火,但其实它诞生于2012年10月,正式版本发布于2013年6月,是由微软编写的*和开源的编程语言。typescript 是 javascript 的一个超集,扩展了 javascript 的语法,添加了可选的静态类型和基于类的面向对象编程。
javascript开发中经常遇到的错误就是变量或属性不存在,然而这些都是低级错误,而静态类型检查恰好可以弥补这个缺点。什么是静态类型?举个栗子:
//javascript let str = 'hello' str = 100 //ok //typescript let str:string = 'hello' str = 100 //error: type '100' is not assignable to type 'string'.
可以看到 typescript 在声明变量时需要为变量添加类型,如果变量值和类型不一致则会抛出错误。静态类型只在编译时进行检查,而且最终编译出来的代码依然是 javascript。即使我们为 string 类型的变量赋值为其他类型,代码也是可以正常运行的。
其次,typescript 增加了代码的可读性和可维护性,类型定义实际上就是一个很好的文档,比如在使用函数时,只需要看看参数和返回值的类型定义,就大概知道这个函数如何工作。
目录
准备工作
npm
安装 typescript
npm install typescript @vue/cli-plugin-typescript -d
新增文件
在项目的根目录下创建 shims-vue.d.ts、shims-tsx.d.ts、tsconfig.json
- shims-vue.d.ts
import vue from 'vue'; declare module '*.vue' { export default vue; }
- shims-tsx.d.ts
import vue, { vnode } from 'vue'; declare global { namespace jsx { type element = vnode type elementclass = vue interface intrinsicelements { [elem: string]: any; } } }
- tsconfig.json
{ "compileroptions": { "target": "es5", "module": "esnext", "strict": true, "jsx": "preserve", "importhelpers": true, "moduleresolution": "node", "esmoduleinterop": true, "allowsyntheticdefaultimports": true, "experimentaldecorators":true, "sourcemap": true, "noimplicitthis": false, "baseurl": ".", "types": [ "webpack-env" ], "paths": { "@/*": [ "src/*" ] }, "lib": [ "esnext", "dom", "dom.iterable", "scripthost" ] }, "include": [ "src/**/*.ts", "src/**/*.tsx", "src/**/*.vue", "tests/**/*.ts", "tests/**/*.tsx" ], "exclude": [ "node_modules" ] }
eslint配置
为什么使用 eslint 而不是 tslint?
今年1月份,typescript官方发布博客推荐使用eslint来代替tslint。而 eslint 团队将不再维护 typescript-eslint-parser
,也不会在 npm 上发布,任何使用 tyescript-eslint-parser
的用户应该改用 @tyescript-eslint/parser
。
官方的解释:
我们注意到tslint规则的操作方式存在一些影响性能的体系结构问题,eslint已经拥有了我们希望从linter中得到的更高性能的体系结构。此外,不同的用户社区通常有针对eslint而不是tslint构建的lint规则(例如react hook或vue的规则)。鉴于此,我们的编辑团队将专注于利用eslint,而不是复制工作。对于eslint目前没有覆盖的场景(例如语义linting或程序范围的linting),我们将致力于将eslint的typescript支持与tslint等同起来。
如何使用
alloyteam 提供了一套全面的eslint配置规范,适用于 react/vue/typescript 项目,并且可以在此基础上自定义规则。
github
安装
npm install --save-dev eslint @typescript-eslint/parser @typescript-eslint/eslint-plugin eslint-config-alloy
配置项的说明查看alloyteam eslint 规则
配置
在项目的根目录中创建.eslintrc.js,然后将以下内容复制到其中:
module.exports = { extends: [ 'alloy', 'alloy/typescript', ], env: { browser: true, node: true, }, rules: { // 自定义规则 'spaced-comment': 'off', '@typescript-eslint/explicit-member-accessibility': 'off', 'grouped-accessor-pairs': 'off', 'no-constructor-return': 'off', 'no-dupe-else-if': 'off', 'no-import-assign': 'off', 'no-setter-return': 'off', 'prefer-regex-literals': 'off' } };
补充
如果想知道配置项更多使用,可以到eslint官网搜索配置项。
如果使用的是vscode,推荐使用eslint插件辅助开发。
文件改造
入口文件
- main.js 改为 main.ts
- vue.config.js 修改入口文件
const path = require('path') module.exports = { ... pages: { index: { entry: path.resolve(__dirname+'/src/main.ts') }, }, ... }
vue组件文件
随着typescript和es6里引入了类,在一些场景下我们需要额外的特性来支持标注或修改类及其成员。 装饰器(decorators)为我们在类的声明及成员上通过元编程语法添加标注提供了一种方式。
vue 也为我们提供了类风格组件的 typescript 装饰器,使用装饰器前需要在 tsconfig.json 将 experimentaldecorators 设置为 true。
安装vue装饰器
vue-property-decorator
库完全依赖vue-class-component
,在安装时要一起装上
npm install vue-class-component vue-property-decorator -d
改造.vue
只需要修改srcipt内的东西即可,其他不需要改动
<script lang="ts"> import { component, vue } from "vue-property-decorator"; import draggable from 'vuedraggable' @component({ created(){ }, components:{ draggable } }) export default class mycomponent extends vue { /* data */ private buttongrounp:array<any> = ['edit', 'del'] public dialogformvisible:boolean = false /*method*/ setdialogformvisible(){ this.dialogformvisible = false } addbutton(btn:string){ this.buttongrounp.push(btn) } /*compute*/ get routetype(){ return this.$route.params.type } } </script>
类成员修饰符,不添加修饰符则默认为public
- public:公有,可以*访问类的成员
- protected:保护,类及其继承的子类可访问
- private:私有,只有类可以访问
prop
!: 为属性使用明确的赋值断言修饰符,了解更多看
import { component, vue, prop } from "vue-property-decorator"; export default class mycomponent extends vue { ... @prop({type: number,default: 0}) readonly id!: number ... }
等同于
export default { ... props:{ id:{ type: number, default: 0 } } ... }
watch
import { component, vue, watch } from "vue-property-decorator"; export default class mycomponent extends vue { ... @watch('dialogformvisible') dialogformvisiblechange(newval:boolean){ // 一些操作 } ... }
等同于
export default { ... watch:{ dialogformvisible(){ // 一些操作 } } ... }
provide/inject
// app.vue import {component, vue, provide} from 'vue-property-decorator' @component export default class app extends vue { @provide() app = this } // mycomponent.vue import {component, vue, inject} from 'vue-property-decorator' @component export default class mycomponent extends vue { @inject() readonly app!: vue }
等同于
// app.vue export default { provide() { return { 'app': this } } } // mycomponent.vue export default { inject: ['app'] }
更多装饰器使用,参考vue-property-decorator文档
全局声明
*.d.ts 文件
目前主流的库文件都是 javascript 编写,typescript 身为 javascript 的超集,为支持这些库的类型定义,提供了类型定义文件(*.d.ts),开发者编写类型定义文件发布到npm上,当使用者需要在 typescript 项目中使用该库时,可以另外下载这个包,让js库能够在 typescript 项目中运行。
比如:md5
相信很多人都使用过,这个库可以将字符串转为一串哈希值,这种转化不可逆,常用于敏感信息进行哈希再发送到后端进行验证,保证数据安全性。如果我们想要在 typescript 项目中使用,还需要另外下载 @tyeps/md5
,在该文件夹的index.d.ts中可以看到为 md5
定义的类型。
/// <reference types="node" /> declare function md5(message: string | buffer | array<number>): string; declare namespace md5 {} export = md5;
typescript 是如何识别 *.d.ts
typescript 在项目编译时会全局自动识别 .d.ts文件,我们需要做的就是编写 .d.ts,然后 typescript 会将这些编写的类型定义注入到全局提供使用。
为vue实例添加属性/方法
当我们在使用this.$route
或一些原型上的方法时,typescript无法进行推断,在编译时会报属性$route
不存在的错误,需要为这些全局的属性或方法添加全局声明
对shims-vue.d.ts做修改,当然你也可以选择自定义*.d.ts来添加声明
import vue from 'vue'; import vuerouter, { route } from 'vue-router' declare module '*.vue' { export default vue; } declare module 'vue/types/vue' { interface vue { $api: any; $bus: any; $router: vuerouter; $route: route; } }
自定义类型定义文件
当一些类型或接口等需要频繁使用时,我们可以为项目编写全局类型定义,
根路径下创建@types文件夹,里面存放*.d.ts文件,专门用于管理项目中的类型定义文件。
这里我定义个global.d.ts文件:
//declare 可以创建 *.d.ts 文件中的变量,declare 只能作用域最外层 //变量 declare var num: number; //类型 type strornum = string | number //函数 declare function handler(str: string): void; // 类 declare class user { } //接口 interface obj { [propname: string]: any; [propname: number]: any; } interface res extends obj { resultcode: number; data: any; msg?: string; }
解放双手,transvue2ts转换工具
改造过程最麻烦的就是语法转换,内容都是一些固定的写法,这些重复且枯燥的工作可以交给机器去做。这里我们可以借助 transvue2ts 工具提高效率,transvue2ts 会帮我们把data、prop、watch等语法转换为装饰器语法。
安装
npm i transvue2ts -g
使用
安装完之后,transvue2ts 库的路径会写到系统的 path中,直接打开命令行工具即可使用,命令的第二个参数是文件的完整路径。
执行命令后会在同级目录生成转换好的新文件,例如处理view文件夹下的index.vue,转换后会生成indexts.vue。
处理单文件组件
transvue2ts d:\typescript-vue-admin-demo\src\pages\index.vue => 输出路径:d:\typescript-vue-admin-demo\src\pages\indexts.vue
处理文件夹下的所有vue组件文件
transvue2ts d:\typescript-vue-admin-demo\src\pages => 输出路径:d:\typescript-vue-admin-demo\src\pagests
补充
不要以为有工具真就完全解放双手,工具只是帮我们转换部分语法。工具未能处理的语法和参数的类型定义,还是需要我们去修改的。要注意的是转换后注释会被过滤掉。
该工具作者在对工具的介绍和实现思路
关于第三方库使用
一些三方库会在安装时,包含有类型定义文件,使用时无需自己去定义,可以直接使用官方提供的类型定义。
node_modules中找到对应的包文件夹,类型文件一般都会存放在types文件夹内,其实类型定义文件就像文档一样,这些内容能够清晰的看到所需参数和参数类型。
这里列出一些在 vue 中使用三方库的例子:
element-ui 组件参数
使用类型定义
import { component, vue } from "vue-property-decorator"; import { elloadingcomponent, loadingserviceoptions } from 'element-ui/types/loading' let loadingmark:elloadingcomponent; let loadingconfig:loadingserviceoptions = { lock: true, text: "加载中", spinner: "el-icon-loading", background: "rgba(255, 255, 255, 0.7)" }; @component export default class mycomponent extends vue { ... getlist() { loadingmark = this.$loading(loadingconfig); this.$api.getlist() .then((res:res) => { loadingmark.close(); }); } ... }
element-ui/types/loading,原文件里还有很多注释,对每个属性都做出描述
export interface loadingserviceoptions { target?: htmlelement | string body?: boolean fullscreen?: boolean lock?: boolean text?: string spinner?: string background?: string customclass?: string } export declare class elloadingcomponent extends vue { close (): void } declare module 'vue/types/vue' { interface vue { $loading (options: loadingserviceoptions): elloadingcomponent } }
vue-router 钩子函数
使用类型定义
import { component, vue } from "vue-property-decorator"; import { navigationguard } from "vue-router"; @component export default class mycomponent extends vue { beforerouteupdate:navigationguard = function(to, from, next) { next(); } }
在vue-router/types/router.d.ts中,开头就可以看到钩子函数的类型定义。
export type navigationguard<v extends vue = vue> = ( to: route, from: route, next: (to?: rawlocation | false | ((vm: v) => any) | void) => void ) => any
还有前面所使用到的router
、route
,所有的方法、属性、参数等都在这里被描述得清清楚楚
export declare class vuerouter { constructor (options?: routeroptions); app: vue; mode: routermode; currentroute: route; beforeeach (guard: navigationguard): function; beforeresolve (guard: navigationguard): function; aftereach (hook: (to: route, from: route) => any): function; push (location: rawlocation, oncomplete?: function, onabort?: errorhandler): void; replace (location: rawlocation, oncomplete?: function, onabort?: errorhandler): void; go (n: number): void; back (): void; forward (): void; getmatchedcomponents (to?: rawlocation | route): component[]; onready (cb: function, errorcb?: errorhandler): void; onerror (cb: errorhandler): void; addroutes (routes: routeconfig[]): void; resolve (to: rawlocation, current?: route, append?: boolean): { location: location; route: route; href: string; normalizedto: location; resolved: route; }; static install: pluginfunction<never>; } export interface route { path: string; name?: string; hash: string; query: dictionary<string | (string | null)[]>; params: dictionary<string>; fullpath: string; matched: routerecord[]; redirectedfrom?: string; meta?: any; }
自定义三方库声明
当使用的三方库未带有 *.d.ts 声明文件时,在项目编译时会报这样的错误:
could not find a declaration file for module 'vuedraggable'. 'd:/typescript-vue-admin-demo/node_modules/vuedraggable/dist/vuedraggable.umd.min.js' implicitly has an 'any' type. try `npm install @types/vuedraggable` if it exists or add a new declaration (.d.ts) file containing `declare module 'vuedraggable';`
大致意思为 vuedraggable 找不到声明文件,可以尝试安装 @types/vuedraggable(如果存在),或者自定义新的声明文件。
安装 @types/vuedraggable
按照提示先选择第一种方式,安装 @types/vuedraggable
,然后发现错误 404 not found,说明这个包不存在。感觉这个组件还挺多人用的(周下载量18w),没想到社区居然没有声明文件。
自定义声明文件
无奈只能选择第二种方式,说实话自己也摸索了有点时间(主要对这方面没做多了解,不太熟悉)
首先在 node_modules/@types 下创建 vuedraggable 文件夹,如果没有 @types 文件夹可自行创建。vuedraggable 文件夹下创建 index.d.ts。编写以下内容:
import vue from 'vue' declare class vuedraggable extends vue{} export = vuedraggable
重新编译后没有报错,解决问题。
建议及注意事项
改造过程
- 在接入 typescript 时,不必一次性将所有文件都改为ts语法,原有的语法也是可以正常运行的,最好就是单个修改
- 初次改造时出现一大串的错误是正常的,基本上都是类型错误,按照错误提示去翻译进行修改对应错误
- 在导入ts文件时,不需要加
.ts
后缀 - 为项目定义全局变量后无法正常使用,重新跑一遍服务器(我就碰到过...)
遇到问题
- 面向搜索引擎,前提是知道问题出在哪里
- 多看仔细文档,大多数一些错误都是比较基础的,文档可以解决问题
- github 找 typescript 相关项目,看看别人是如何写的
写在最后
抽着空闲时间入门一波 typescript,尝试把一个后台管理系统接入 typescript,毕竟只有实战才能知道有哪些不足,以上记录都是在 vue 中如何使用 typescript,以及遇到的问题。目前工作中还未正式使用到 typescript,学习新技术需要成本和时间,大多数是一些中大型的公司在推崇。总而言之,多学点总是好事,学习都要多看多练,知道得越多思维就会更开阔,解决问题的思路也就越多。