Vite builds vue3+TS project

1.Initialize the project

npm init vite@latest

2. Enter the project name

3. Select the framework, here we choose vue

4.Select TS 

5. Start the project

 6. Project started successfully

Note: 1. When developing with vscode, it is recommended to use volar and disable the plug-in Vetur that was commonly used in vue2. 

          2. It needs to be configured to support the introduction of vue files, otherwise it will be reported red

7. Modify vite.config.ts

/*
 * @Author: chuxiuli [email protected]
 * @Date: 2023-02-16 15:58:03
 * @LastEditors: chuxiuli [email protected]
 * @LastEditTime: 2023-02-21 10:44:17
 * @FilePath: \chizhou-ts-economyd:\project\vite\vite-project\vite.config.ts
 * @Description: 这是默认设置,请设置`customMade`, 打开koroFileHeader查看配置 进行设置: https://github.com/OBKoro1/koro1FileHeader/wiki/%E9%85%8D%E7%BD%AE
 */
import { defineConfig } from 'vite'
import vue from '@vitejs/plugin-vue'
import Components from 'unplugin-vue-components/vite'
import { AntDesignVueResolver } from 'unplugin-vue-components/resolvers'
import { resolve } from 'path'
export default defineConfig({
  plugins: [
    vue(),
    Components({
      resolvers: [
        AntDesignVueResolver({
          importStyle: 'less', // 一定要开启这个配置项
        }),
      ],
    }),
  ],
  base: './',	//不加打包后白屏
  server: {             
    host: 'localhost',	
    port: 9527,      
    open: true
  },
  resolve:{   
    //别名配置,引用src路径下的东西可以通过@如:import Layout from '@/layout/index.vue'
    alias:[   
      {
        find:'@',
        replacement:resolve(__dirname,'src') 
      }
    ]
  },
  css: {
    preprocessorOptions: {
      less: {
        modifyVars: { // 在这里自定义主题色等样式
          'primary-color': '#1da57a',
          'link-color': '#1da57a',
          'border-radius-base': '2px',
        },
        javascriptEnabled: true,
      },
    },
  },
})

 8. Install routing

npm install vue-router@4

(1) Create the router folder under src and create a new index.ts


import { createRouter, createWebHistory, RouteRecordRaw } from 'vue-router'

const routes: Array<RouteRecordRaw> = [
  {
    path: '/home',
    name: 'home',
    component:()=>import('../components/HelloWorld.vue')
  },
]

const router = createRouter({
  history: createWebHistory(),
  routes
})

export default router

(2) Import mounting routes in 2.main.ts

import { createApp } from 'vue'
import './common.scss'
import store from './store'
import router from './router'
import App from './App.vue'
createApp(App).use(store).use(router).mount('#app')

9. Install Axios

npm install axios 

At the same time, create a new request.ts file in the utils folder


// 首先先引入aixos
import axios from 'axios'
import ipConfig from './ip-config';
// 创建一个axios 实例
const service = axios.create({
    baseURL: ipConfig.baseIp, // 基准地址
    timeout: 5000 // 超时时间
})
 
// 添加请求拦截器
service.interceptors.request.use(function (config:any) {
    // 在发送请求之前做一些处理,数据转换,配置请求头,设置token,,设置loading等
    config.headers={
        'Content-Type':'application/json;blob' //配置请求头
    }
    const token=localStorage.getItem('token')
   if(token){
      config.headers['Authorization'] = 'Bearer ' + token
   }
    return config;
}, function (error) {
    // 对请求错误做些什么
    return Promise.reject(error);
});
 
// 添加响应拦截器
service .interceptors.response.use(function (response:any) {
    // 对响应数据做点什么
    return response;
}, function (error) {
    // 对响应错误做点什么
    return Promise.reject(error);
});
 
// 最后导出
export default service 

It should be noted that there may be multiple environments in the actual project, so the baseurl is dynamically configured. Create a new ip-config.ts file.

const env:any=import.meta.env.MODE;
const IP={
     development:{//开发环境
        baseIp:'http://59.203.198.112:18088/yzt-cloud3/',
     },
     loca:{//本地环境
      baseIp:'ccccccccc'
     },
     prod:{//生产环境
        baseIp:'http://59.203.198.112:18088/yzt-cloud2/',
     },
     test:{
        baseIp:'http://59.203.198.112:18088/yzt-cloud1/',//测试环境
     }
};
export default IP[env];

The corresponding package.json file is configured as follows

"scripts": {
    "dev": "vite",
    "loca": "vite --mode loca",
    "build": "vue-tsc && vite build",
    "test":"vue-tsc && vite build --mode test",
    "prod":"vue-tsc && vite build --mode prod",
    "preview": "vite preview"
  },

 To execute the corresponding command, there are three environments: local, test, and production.

Run locally: npm run locala

Test packaging: npm run test

Production packaging: npm run prod

10. Create a new http.ts file to encapsulate request methods such as get, post, and put.

import request from './request';
interface paramsObj{
     method:string,
     url:string,
     params?:any,
     data?:any
}
const http ={
    get(url,params){
        const config: paramsObj={
            method: 'get',
            url:url
        }
        if(params) config.params=params
        return request(config)
    },
    post(url,params){
        const config: paramsObj = {
            method: 'post',
            url:url
        }
        if(params) config.data = params
        return request(config)
    },
    put(url,params){
        const config: paramsObj = {
            method: 'put',
            url:url
        }
        if(params) config.params = params
        return request(config)
    },
    delete(url,params){
        const config: paramsObj = {
            method: 'delete',
            url:url
        }
        if(params) config.params = params
        return request(config)
    }
}
export default http

Finally, it is introduced globally in the main.ts file, and each page component can directly call the method.

createApp(App).config.globalProperties.$http=http//全局挂载

11. Configure cross-domain in vite.config.ts file

 

 

 

 

Guess you like

Origin blog.csdn.net/weixin_53474595/article/details/129138014