vue-typescript

教你搭建typescript的vue项目

自尤大神去年9月推出vue对typescript的支持后,一直想开箱尝试vue+ts,最近一个新项目准备入手typescript,也遇到了很多坑,下面就一步步来吧!!!

1. 项目创建和初始化

1.1 安装脚手架、创建项目

全局安装 vue-cli脚手架

$ npm install -g @vue/cli
复制代码

等待安装完成后开始下一步,检查是否安装成功: Vue -v

1.2. 初始化项目

$ vue create vue-ts
复制代码
  1. 选择预设的模板
    选择更多功能 Manully select features
    回车后来到选择插件
  2. 选择插件
    这边选择了(Babel、Typescript、Router、Css预处理器、Linter / Formatter 格式检查、Unit测试框架)
    使用键盘空格选择插件
  3. 自动检测typescript(yes)
  4. 路由模式选择
    是否使用 history模式的路由 (Yes)
  5. 选择一个css预处理器 (Sass/SCSS)
  6. 选择格式检查规则(什么时候进行 tslint 校验: Line on save)
  7. 是否保存这份预设配置?(yes)
    选是的话,下次创建一个vue项目,可以直接使用这个预设文件,而无需再进行新的配置,直接使用选择的模板创建项目

等待所有的依赖完成

通过node生产组件和页面是基于lentoo的vuecli3-project基础上稍作更改

2. 通过node来生成组件

安装chalk

$ npm install chalk --save-dev
复制代码

在根目录中创建一个 scripts 文件夹,

2.1. 通过node来生成组件

新增一个generateComponent.js文件,放置生成组件的代码、

新增一个template.js文件,放置组件模板的代码 template.js文件

    /*** 将驼峰命名转为中横杠例如:PlInputGroup --> pl-input-group* @param str */
function toMiddleLine (str) {let temp = str.replace(/[A-Z]/g,function (match) {return "-" + match.toLowerCase()});if (temp.slice(0, 1) === '-') { //如果首字母是大写,执行replace时会多一个-,这里需要去掉temp = temp.slice(1)}return temp;
}/*** 首字母大写* @param {*} str 字符串* @returns*/
function initialToUp (str) {  return str.slice(0, 1).toUpperCase() + str.slice(1);  
}module.exports = {
vueTemplate: componentName => {return `<template><div class="${toMiddleLine(componentName)}">${toMiddleLine(componentName)}</div>
</template><script lang="ts">import { Vue, Component, Prop, Watch, Emit, Provide, Inject } from 'vue-property-decorator'@Component({})export default class ${initialToUp(componentName)} extends Vue {}
</script><style lang="scss" scoped>
// @import './style.scss';
.${toMiddleLine(componentName)} {}
</style>`
},
styleTemplate: componentName => {return `.${toMiddleLine(componentName)} {}`
},
entryTemplate: `import Main from './main.vue'
export default Main
`
}复制代码

generateComponent.js文件

const chalk = require('chalk')
const path = require('path')
const fs = require('fs')const resolve = (...file) => path.resolve(__dirname, ...file)
const log = message => console.log(chalk.green(`${message}`))
const successLog = message => console.log(chalk.blue(`${message}`))
const errorLog = error => console.log(chalk.red(`${error}`))
const { vueTemplate, entryTemplate, styleTemplate } = require('./template')const generateFile = (path, data) => {if (fs.existsSync(path)) {errorLog(`${path}文件已存在`)return}return new Promise((resolve, reject) => {fs.writeFile(path, data, 'utf8', err => {if (err) {errorLog(err.message)reject(err)} else {resolve(true)}})})
}
log('请输入要生成的组件名称、如需生成全局组件,请加 global/ 前缀')
let componentName = ''
process.stdin.on('data', async chunk => {const inputName = String(chunk).trim().toString()/*** 组件目录路径*/const componentDirectory = resolve('../src/components', inputName)/*** vue组件路径*/const componentVueName = resolve(componentDirectory, 'main.vue')/*** 入口文件路径*/const entryComponentName = resolve(componentDirectory, 'index.ts')/*** style样式路径*/const styleComponentName = resolve(componentDirectory, 'style.less')const hasComponentDirectory = fs.existsSync(componentDirectory)if (hasComponentDirectory) {errorLog(`${inputName}组件目录已存在,请重新输入`)return} else {log(`正在生成 component 目录 ${componentDirectory}`)await dotExistDirectoryCreate(componentDirectory)// fs.mkdirSync(componentDirectory);}try {if (inputName.includes('/')) {const inputArr = inputName.split('/')componentName = inputArr[inputArr.length - 1]} else {componentName = inputName}log(`正在生成 vue 文件 ${componentVueName}`)await generateFile(componentVueName, vueTemplate(componentName))log(`正在生成 entry 文件 ${entryComponentName}`)await generateFile(entryComponentName, entryTemplate)log(`正在生成 style 文件 ${styleComponentName}`)await generateFile(styleComponentName, styleTemplate(componentName))successLog('生成成功')} catch (e) {errorLog(e.message)}process.stdin.emit('end')
})
process.stdin.on('end', () => {log('exit')process.exit()
})
function dotExistDirectoryCreate (directory) {return new Promise((resolve) => {mkdirs(directory, function () {resolve(true)})})
}// 递归创建目录
function mkdirs (directory, callback) {var exists = fs.existsSync(directory)if (exists) {callback()} else {mkdirs(path.dirname(directory), function () {fs.mkdirSync(directory)callback()})}
}复制代码

配置package.json

"new:comp": "node ./scripts/generateComponent"
复制代码

执行 npm / cnpm / yarn run new:comp 生成组件

2.2. 通过node来生成页面组件

在scripts目录下新建一个generateView.js文件

generateView.js文件

const chalk = require('chalk')
const path = require('path')
const fs = require('fs')const resolve = (...file) => path.resolve(__dirname, ...file)
const log = message => console.log(chalk.green(`${message}`))
const successLog = message => console.log(chalk.blue(`${message}`))
const errorLog = error => console.log(chalk.red(`${error}`))
const { vueTemplate } = require('./template')const generateFile = (path, data) => {if (fs.existsSync(path)) {errorLog(`${path}文件已存在`)return}return new Promise((resolve, reject) => {fs.writeFile(path, data, 'utf8', err => {if (err) {errorLog(err.message)reject(err)} else {resolve(true)}})})
}
log('请输入要生成的页面组件名称、会生成在 views/目录下')
let componentName = ''
process.stdin.on('data', async chunk => {const inputName = String(chunk).trim().toString()/*** Vue页面组件路径*/let componentVueName = resolve('../src/views', inputName)// 如果不是以 .vue 结尾的话,自动加上if (!componentVueName.endsWith('.vue')) {componentVueName += '.vue'}/*** vue组件目录路径*/const componentDirectory = path.dirname(componentVueName)const hasComponentExists = fs.existsSync(componentVueName)if (hasComponentExists) {errorLog(`${inputName}页面组件已存在,请重新输入`)return} else {log(`正在生成 component 目录 ${componentDirectory}`)await dotExistDirectoryCreate(componentDirectory)}try {if (inputName.includes('/')) {const inputArr = inputName.split('/')componentName = inputArr[inputArr.length - 1]} else {componentName = inputName}log(`正在生成 vue 文件 ${componentVueName}`)await generateFile(componentVueName, vueTemplate(componentName))successLog('生成成功')} catch (e) {errorLog(e.message)}process.stdin.emit('end')
})
process.stdin.on('end', () => {log('exit')process.exit()
})
function dotExistDirectoryCreate (directory) {return new Promise((resolve) => {mkdirs(directory, function () {resolve(true)})})
}// 递归创建目录
function mkdirs (directory, callback) {var exists = fs.existsSync(directory)if (exists) {callback()} else {mkdirs(path.dirname(directory), function () {fs.mkdirSync(directory)callback()})}
}复制代码

配置package.json

"new:view": "node ./scripts/generateView"
复制代码

执行 npm / cnpm / yarn run new:view 生成页面

3. vue与typescript结合

3.1. 首先组件声明

若对vue-property-decorator库不了解的,请点击vue-property-decorator的了解更多

创建组件如下:

<script lang="ts">import { Component, Prop, Vue, Watch, Emit, Provide, Inject } from 'vue-property-decorator'@Componentexport default class Test extends Vue {}
</script>
复制代码

3.2. data定义

若对ts的基本类型不了解的, 请点击 typescript中文文档

  private listTotal: number = 50private form: any = {addText: [],addTextarea: [],text: '',textarea: '',imgUrl: ''}
复制代码

3.3 props声明

  // align justify 弹性布局对齐方式@Prop({default: 'center'})private align!: string@Prop({default: 'flex-start'})private justify!: string// 千万不要这样定义 @Prop private align: string = 'center' ---> 踩
</script>
复制代码

3.4 vue生命周期及自定义方法

methods不需要像vue里面 methods: { text () {return console.log(222)} }

  public created (): void {}public mounted (): void {}public handleClick () {} // methods定义
复制代码

3.5 Watch

  // 监听路由变化@Watch('$route')onRouteChanged(route: any, oldRoute: any):void {console.log(route, oldRoute)}
复制代码

3.6 computed

 public get msg () {return 'from typescript'}
复制代码

3.7 Emit

  @Emit('change')private methodName(x: number, y: string) {console.log('child to parent a value')}
复制代码

5. 踩坑

5.1 tinymac富文本编辑器的结合ts的使用,tiny中文文档

引入tinymac的时候,会报错

解决方法:src目录下面新建一个shims-tinymce.d.ts文件

declare module 'tinymce/tinymce'
复制代码

重新启动项目就ok了

5.2 主题、样式、语言配置

  1. 主题

引入主题报错import 'tinymce/themes/modern/theme'

可以使用sliver主题

   import 'tinymce/themes/silver/theme'
复制代码
  1. 样式及语言汉化

在public目录新建的static文件

2.1 将node_modules/tinymce/skins文件拷贝到static中

2.2 zh_CN.js 下载,拷贝到static文件中

5.3 引入主题,样式,语言包

配置如下

public editorInit: any = {language_url: '/static/zh_CN.js',language: 'zh_CN',selector: 'textarea',skin_url: '/static/skins/ui/oxide',height: 300,browser_spellcheck: true, // 拼写检查branding: false, // 去水印// elementpath: false,  //禁用编辑器底部的状态栏statusbar: false, // 隐藏编辑器底部的状态栏paste_data_images: true, // 允许粘贴图像plugins: setPlugins,toolbar: setToolbar,// 启用菜单栏并显示如下项 [文件 编辑 插入 格式 表格]menubar: 'file edit insert view format table',// 配置每个菜单栏的子菜单项(如下是默认配置)menu: {file: {title: 'File',items: 'newdocument'},edit: {title: 'Edit',items: 'undo redo | cut copy paste pastetext | selectall'},insert: {title: 'Insert',items: 'link media | template hr'},view: {title: 'View',items: 'visualaid'},format: {title: 'Format',items: 'bold italic underline strikethrough superscript subscript | formats | removeformat'},table: {title: 'Table',items: 'inserttable tableprops deletetable | cell row column'}},// 覆盖默认的字体单位为ptfontsize_formats: '8px 10px 12px 14px 16px 18px 20px 24px 36px',/*** 下面方法是为tinymce添加自定义插入图片按钮* 也可以借助elementui的Upload组件,上传图片*/images_upload_url: '/api/image', // 上传图片接口地址images_upload_handler: (blobInfo: any, success: any, failure: any) => {let xhr: any = nulllet formData: any = nullxhr = new XMLHttpRequest()xhr.withCredentials = falsexhr.open('POST', this.$store.state.imgUrl)xhr.onload = () => {if (xhr.status < 200 || xhr.status >= 300) {failure(xhr.status)return}let json = JSON.parse(xhr.responseText)if (json.code === 0) {success(json.data[0].newFileName)} else {failure('HTTP Error: ' + json.msg)}}formData = new FormData()formData.append('file', blobInfo.blob(), blobInfo.filename())xhr.send(formData)}}
复制代码

附上效果图:

小结

前端小菜鸡,各位大神有发现不足之处请告知,谢谢!!, 项目地址后期更新

相关资源链接

  1. TypeScript 体系调研报告
  2. ts通俗易懂文档
  3. ts中文文档
  4. vue-cli3 项目从搭建优化到docker部署

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

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

相关文章

Couchbase概述

Couchbase概述 Couchbase概述 Couchbase概述Couchbase最早叫Membase&#xff0c;是由Memcached项目组的一些头目另立的山头。2011年与CouchDB合并&#xff0c;正式命名为Couchbase。2013年&#xff0c;作为NoSQL技术初创企业&#xff0c;拿到了2500万美元的D轮投资。截稿时止&a…

Windows 2012 - Dynamic Access Control 浅析

Windows 2012相对于前几个版本而已&#xff0c;做出了大量的改进&#xff0c;尤其体现在安全性和虚拟化方面。Dynamic Access Control ( 动态访问控制&#xff09;是微软在文件服务器的访问控制上的新功能&#xff0c;极大的提高了安全性和灵活性。经过一天的研究学习&#xff…

windows rt_如何在Windows RT上轻松将网站添加到Flash白名单

windows rtMicrosoft’s Surface RT and other Windows RT-based machines include the Flash browser plugin, but it only runs on websites Microsoft has whitelisted. We have covered how you can add any website to the Flash whitelist, but now there’s an easier w…

powershell实现设置程序相关性脚本

公司一直有台服务器cpu占用很高&#xff0c;分析出是恒生监控程序java占用很高&#xff0c;且三个java程序&#xff0c;仅其中一个很高&#xff0c;要恒生解决&#xff0c;一直未解决&#xff0c;导致每周重启&#xff0c;我司运维都要手动进行程序相关性设置&#xff0c;给运维…

解决npm 的 shasum check failed for错误

使用npm安装一些包失败&#xff0c;类似如下报错情况&#xff1a; C:\Program Files\nodejs>npm update npm npm ERR! Windows_NT 10.0.14393 npm ERR! argv "C:\\Program Files\\nodejs\\node.exe" "C:\\Program Files\\nodejs\\node_modules\\npm\\bin\\np…

chromebook刷机_您可以购买的最好的Chromebook,2017年版

chromebook刷机While once considered a novelty item by many tech enthusiasts, Chromebooks have broken out of the “just a browser” mold and become legitimate laptops. They’re full-featured, lightweight machines that can do everything most users need them …

Jmeter JDBC请求-----数据库读取数据进行参数化 通过SSH跳板机连接数据库

前期准备&#xff1a; jdbc驱动&#xff1a;mysql-connector-java-5.1.7-bin.jar Jmeter 要链接MySQL数据库&#xff0c;首选需要下载mysql jdbc驱动包&#xff08;注&#xff1a;驱动包的版本一定要与你数据库的版本匹配&#xff0c;驱动版本低于mysql版本有可能会导致连接失败…

Exchange server 2010 beta安装部署流程

本文使用了微软公开发布的exchange server 2010 beta进行部署测试。这篇文档将用到下列产品 windows server 2008 64bit enterprise AD function at windows server 2008 exchange server 2010 beta ----------该exchange server 2010 beta版本属于早期版本&#xff0c;目前最新…

08.15《CEP职业发展规划课》

在12,13号的放假后&#xff0c;14,15号安排了CEP职业发展规划课&#xff0c;为期两天的课&#xff0c;内容也是很丰富。 在14号的早上&#xff0c;学习了职场中的基本礼仪、和基本素养的培训&#xff0c;同时对未来的职业规划做出了大致的分析。 在14号的下午开始了简历写作的课…

usb 驱动修复_您可以修复物理损坏的USB驱动器吗?

usb 驱动修复Sometimes accidents happen to a USB drive, and you find yourself in a very bad position when your only copy of an important document is on there. When something like this happens, is it possible to fix a physically broken USB drive? Today’s S…

大白话5分钟带你走进人工智能-第二十节逻辑回归和Softmax多分类问题(5)

大白话5分钟带你走进人工智能-第二十节逻辑回归和Softmax多分类问题(5) 上一节中&#xff0c;我们讲解了逻辑回归的优化&#xff0c;本节的话我们讲解逻辑回归做多分类问题以及传统的多分类问题&#xff0c;我们用什么手段解决。 先看一个场景&#xff0c;假如我们现在的数据集…

Exchange 2016部署实施案例篇-01.架构设计篇(上)

年前就答应大家要给大家写一个关于Exchange规划部署的文章&#xff0c;一直忙到现在也没有倒出时间来写这个东西。特别是节后&#xff0c;更是开工不利啊&#xff0c;各种奇葩问题&#xff0c;真心无语了。废话就不多说了&#xff0c;开始今天的议题。 相信各位对Microsoft Exc…

bzoj 4598: [Sdoi2016]模式字符串

题目描述 给出n个结点的树结构T&#xff0c;其中每一个结点上有一个字符&#xff0c;这里我们所说的字符只考虑大写字母A到Z&#xff0c;再给出长度为m的模式串s&#xff0c;其中每一位仍然是A到z的大写字母。 Alice希望知道&#xff0c;有多少对结点<u&#xff0c;v>满足…

[译] 机器学习可以建模简单的数学函数吗?

原文地址&#xff1a;Can Machine Learning model simple Math functions?原文作者&#xff1a;Harsh Sahu译文出自&#xff1a;掘金翻译计划本文永久链接&#xff1a;github.com/xitu/gold-m…译者&#xff1a;Minghao23校对者&#xff1a;lsvih&#xff0c;zoomdong机器学习…

下载spotify音乐_如何在Spotify上播放更高质量的音乐

下载spotify音乐With Spotify Premium, you get access to higher quality music streaming. By default (and if you’re on the free plan), Spotify streams at 96kbps on mobile and 160kbps on your computer. At these sort of bitrates, you’ll hear a small but notic…

ubuntu scp命令或者用root连接ssh提示:Permission denied, please try again.错误

1、su -            #&#xff01;&#xff01;&#xff01; 2、vi /etc/ssh/sshd_config 3、PermitRootLogin yes    # 找到此字段&#xff0c;改为此行所示 4、/etc/init.d/ssh restart    # 重启ssh服务 转载于:https://www.cnblogs.com/weiyiming007/p…

Windows下压缩包安装Mysql

1. 下载mysql压缩包 2. 解压到指定目录&#xff0c;例如D:\Program Files\mysql-5.7.25-winx64 3. 在目录下创建配置文件my.ini [mysqld] port 3306 basedirD:/Program Files/mysql-5.7.25-winx64 datadirD:/Program Files/mysql-5.7.25-winx64/data max_connections200 char…

如何从终端打开Ubuntu Nautilus文件浏览器

Recently, we showed you how to open a directory in Terminal from within Nautilus. However, what if you’re working on the command line in Terminal and need to access the same directory in Nautilus? There’s an easy solution for that. 最近&#xff0c;我们向…

mysql 面试知识点笔记(七)RR如何避免幻读及非阻塞读、范式

2019独角兽企业重金招聘Python工程师标准>>> 表象&#xff1a;快照读&#xff08;非阻塞读&#xff09;--伪MVCC &#xff08;Multi-Version Concurrent Controll多版本并发控制&#xff09; 内在&#xff1a;next-key锁(record锁gap锁) rr serializabel 都支持gap锁…

pdf 奇数页插入页码_如何在Word 2013中的奇数页码上启动新部分

pdf 奇数页插入页码When working on a long document or a book in Word, it’s common to divide the document into sections or chapters. A common practice is to start each new section or chapter on an odd page. This is easily accomplished using sections in Word…