Code Monkey home page Code Monkey logo

fast-vue3's Introduction

Prettier Less Taiwind

An out-of-the-box Vue3+Vite2+TypeScript,etc. template framework for quickly building large-scale applications. Various plugins are integrated and optimized for modularization and lead-on-demand, so you can use it with confidence. Update documentation click here please

English | 简体中文 | 日本語

Feature

Here is a brief introduction to some core parts and the installation part will not be discussed in detail. It is recommended that you read the official documentation or visual warehouse directly.

🪂Tech giants collaboration-code specification

🪁 Many tech giants teams generally use husky and  lint-staged to constrain code specifications at present.

  • Through pre-commit to implement lint check,unit test,code formatting,etc.。
  • Combined with the VsCode(formatting automatically when saving:editor.formatOnSave: true)
  • Combined with the Git hooks(execute before commit:pre-commit => npm run lint:lint-staged)
  • IDE configuration(.editorconfig),ESLint configuration(.eslintrc.js 和 .eslintignore),StyleLint configuration(.stylelintrc 和 .stylelintignore),for details, please refer to the corresponding configuration file。

🔌 Close code specification add .eslintignore  and  .stylelintignore  to src/  directory respectively to ignore

Directory Structure

The following is the directory structure of the system

├── config
│   ├── vite             // vite configuration
│   ├── constant         // system constant 
|   └── themeConfig      // theme configuration
├── docs                 // document related
├── mock                 // mock data    
├── plop-tpls            // plop template   
├── src     
│    ├── api             // api request   
│    ├── assets          // static files   
│    ├── components      // Common Components   
│    ├── page            // page
│    ├── router          // routing file   
│    ├── store           // state management   
│    ├── utils           // tools   
│    ├── App.vue         // vue template entry   
│    ├── main.ts         // vue template js
├── .d.ts                // type definition   
├── tailwind.config.js   // tailwind global configuration 
├── tsconfig.json        // ts configuration
└── vite.config.ts       // vite global configuration  

💕Support JSX syntax

{
    ...
    "@vitejs/plugin-vue-jsx": "^1.3.3"
    ...
}

🎸 UI components are loaded on demand and imported automatically

//Modular writing
import Components from 'unplugin-vue-components/vite'
export const AutoRegistryComponents = () => {
    return Components({
        extensions: ['vue', 'md'],
        deep: true,
        dts: 'src/components.d.ts',
        directoryAsNamespace: false,
        globalNamespaces: [],
        directives: true,
        include: [/\.vue$/, /\.vue\?vue/, /\.md$/],
        exclude: [/[\\/]node_modules[\\/]/, /[\\/]\.git[\\/]/, /[\\/]\.nuxt[\\/]/],
        resolvers: [
            IconsResolver({
                componentPrefix: '',
            }),
            ArcoResolver({ importStyle: 'less' }),// Add UI framework according to your needs
            VueUseComponentsResolver(),// VueUse component is used by default
        ],
    })
}

🧩Vite plugin modularity

In order to facilitate the management of plugins, put all config into config/vite/plugins. In the future, there will be more plugins directly divided into folders to manage very cleanly。 It is worth mentioning that Fast-Vue3 adds unified environment variable management to distinguish dynamic opening of certain plugins.

// vite/plugins/index.ts
/**
 * @name createVitePlugins
 * @description Encapsulate the plugins array to call uniformly
 */
import type { Plugin } from 'vite';
import vue from '@vitejs/plugin-vue';
import vueJsx from '@vitejs/plugin-vue-jsx';
import { ConfigSvgIconsPlugin } from './svgIcons';
import { AutoRegistryComponents } from './component';
import { AutoImportDeps } from './autoImport';
import { ConfigMockPlugin } from './mock';
import { ConfigVisualizerConfig } from './visualizer';
import { ConfigCompressPlugin } from './compress';
import { ConfigPagesPlugin } from './pages'
import { ConfigMarkDownPlugin } from './markdown'
import { ConfigRestartPlugin } from './restart'

export function createVitePlugins(isBuild: boolean) {
    const vitePlugins: (Plugin | Plugin[])[] = [
        // vue support
        vue(),
        // JSX support
        vueJsx(),
        // Automatically import components on demand
        AutoRegistryComponents(),
        // Automatically import dependencies as needed
        AutoImportDeps(),
        // Automatically generate routes
        ConfigPagesPlugin(),
        // Enable .gz compression  rollup-plugin-gzip
        ConfigCompressPlugin(),
        // markdown support
        ConfigMarkDownPlugin(),
        // Monitor configuration file changes and restart
        ConfigRestartPlugin(),
    ];
    // vite-plugin-svg-icons
    vitePlugins.push(ConfigSvgIconsPlugin(isBuild));
    // vite-plugin-mock
    vitePlugins.push(ConfigMockPlugin(isBuild));
    // rollup-plugin-visualizer
    vitePlugins.push(ConfigVisualizerConfig());
    return vitePlugins;
}

vite.config.ts is much cleaner

import { createVitePlugins } from './config/vite/plugins'
...
return {
    resolve: {
      alias: {
        "@": path.resolve(__dirname, './src'),
        '@config': path.resolve(__dirname, './config'),
        "@components": path.resolve(__dirname, './src/components'),
        '@utils': path.resolve(__dirname, './src/utils'),
        '@api': path.resolve(__dirname, './src/api'),
      }
    },
    // plugins
    plugins: createVitePlugins(isBuild)
}
...

📱 Support for Pinia, the next generation of Vuex5

Create a file src/store/index.ts

// Supports modularization, and can be generated with one click from the command line with plop
import { createPinia } from 'pinia';
import { useAppStore } from './modules/app';
import { useUserStore } from './modules/user';
const pinia = createPinia();
export { useAppStore, useUserStore };
export default pinia;

Create a file src/store/modules/user/index.ts

import { defineStore } from 'pinia'
import piniaStore from '@/store'
export const useUserStore = defineStore(
    // unique id
    'user',
    {
        state: () => ({}),
        getters: {},
        actions: {}
    }
)

🤖 Support Plop to automatically generate files

⚙️ The code files are automatically generated, providing three preset templates pages, components, store, you can also design more automatic generation scripts according to your needs. Generally, back-end engineer use this form, which is very efficient.。

# install plop
pnpm add plop

Create in the root directory plopfile.ts

import { NodePlopAPI } from 'plop';
export default function (plop: NodePlopAPI) {
    plop.setWelcomeMessage('Please select the pattern you want to create')
    plop.setGenerator('page', require('./plop-tpls/page/prompt'))
    plop.setGenerator('component', require('./plop-tpls/component/prompt'))
    plop.setGenerator('store', require('./plop-tpls/store/prompt'))
}
# start command
pnpm run plop

image.png

🖼️ Support for SVG icons

With the improvement of browser compatibility, the performance of SVG has gradually become prominent. Many tech giants teams are creating their own SVG management library, and the tool library will be recommended later.

#  install svg dependencies
pnpm add vite-plugin-svg-icons

configure vite.config.ts

import viteSvgIcons from 'vite-plugin-svg-icons';
export default defineConfig({
plugins:[
...
 viteSvgIcons({
    // Specify the icon folder that needs to be cached
    iconDirs: [path.resolve(process.cwd(), 'src/assets/icons')],
    // Specify symbolId format
    symbolId: 'icon-[dir]-[name]',
  }),
]
...
})

A simple SvgIcon component has been encapsulated, which can directly read the svg under the file, and can automatically find the file according to the folder directory.

<template>
  <svg aria-hidden="true" class="svg-icon-spin" :class="calsses">
    <use :xlink:href="symbolId" :fill="color" />
  </svg>
</template>

<script lang="ts" setup>
const props = defineProps({
  prefix: {
    type: String,
    default: 'icon',
  },
  name: {
    type: String,
    required: true,
  },
  color: {
    type: String,
    default: '#333',
  },
  size: {
    type: String,
    default: 'default',
  },
})
const symbolId = computed(() => `#${props.prefix}-${props.name}`)
const calsses = computed(() => {
  return {
    [`sdms-size-${props.size}`]: props.size,
  }
})
const fontSize = reactive({ default: '32px', small: '20px', large: '48px' })
</script>

📦 Support axios (ts version)

It has encapsulated mainstream interceptors, request calls and other methods, distinguishing modules index.ts/status.ts/type.ts

//encapsulate src/api/user/index.ts
import request from '@utils/http/axios'
import { IResponse } from '@utils/http/axios/type'
import { ReqAuth, ReqParams, ResResult } from './type';
enum URL {
    login = '/v1/user/login',
    userProfile = 'mock/api/userProfile'
}
const getUserProfile = async () => request<ReqAuth>({ url: URL.userProfile });
const login = async (data: ReqParams) => request({ url: URL.login, data });
export default { getUserProfile, login };
// transfer
import userApi from "@api/user"
// Components can be directly referenced in setup mode
const res = await userApi.profile()

👽 Automatically generate router, filter components components

Supports the modularization of vue-router4.0, automatically generates routes by retrieving the pages folder, and supports dynamic routes

import { createRouter, createWebHashHistory, RouteRecordRaw } from 'vue-router'
import routes from 'virtual:generated-pages'

console.log(routes,'print generate auto-generated routes')
// Import generated routing data
const router = createRouter({
  history: createWebHashHistory(),
  routes,
})

export default router

🧬 Support Mock data

Use the vite-plugin-mock plug-in to support automatic distinction and start-stop environment configuration

// vite config
viteMockServe({
    ignore: /^\_/,
    mockPath: 'mock',
    localEnabled: !isBuild,
    prodEnabled: false,
    // https://github.com/anncwb/vite-plugin-mock/issues/9
    injectCode: `
       import { setupProdMockServer } from '../mock/_createProdMockServer';
       setupProdMockServer();
       `
    })

Create a _createProductionServer.ts file in the root directory, files not starting with _ will be automatically loaded into mock files

import { createProdMockServer } from 'vite-plugin-mock/es/createProdMockServer';
// Bulk load
const modules = import.meta.globEager('./mock/*.ts');

const mockModules: Array<string> = [];
Object.keys(modules).forEach((key) => {
    if (key.includes('/_')) {
        return;
    }
    mockModules.push(...modules[key].default);
});
export function setupProdMockServer() {
    createProdMockServer(mockModules);
}

🎎 Proxy

// vite config
import proxy from '@config/vite/proxy';
export default defineConfig({
    ...
    server: {
        hmr: { overlay: false }, // Disable or configure HMR connections and set server.hmr.overlay to false to `disable` the server error masking layer
        // Service configuration
        port: VITE_PORT, // type:number Specify the server port;
        open: false, // type:boolean | string Automatically open the application in the browser when the server starts;
        cors: false, // type:boolean | CorsOptions configure CORS for the development server. Enabled by default and allows any origin
        host: '0.0.0.0', // IP configuration, support boot from IP
        proxy,
    }
    ...
})
// proxy.ts
import {
    API_BASE_URL,
    API_TARGET_URL,
    MOCK_API_BASE_URL,
    MOCK_API_TARGET_URL,
} from '@config/constant';
import { ProxyOptions } from 'vite';
type ProxyTargetList = Record<string, ProxyOptions>;

const init: ProxyTargetList = {
    // test
    [API_BASE_URL]: {
        target: API_TARGET_URL,
        changeOrigin: true,
        rewrite: (path) => path.replace(new RegExp(`^${API_BASE_URL}`), ''),
    },
    // mock
    [MOCK_API_BASE_URL]: {
        target: MOCK_API_TARGET_URL,
        changeOrigin: true,
        rewrite: (path) => path.replace(new RegExp(`^${MOCK_API_BASE_URL}`), '/api'),
    },
};

export default init;

🎉 Other

  • 🏗 Support vw/vh mobile terminal layout compatibility, you can also use plop to configure the generated file yourself
  • There are more new features added in commiting, if you have a better solution, welcome PR

✏️ Use

One key three links: Star or Fork or Visual warehouse

# Pull repository code
git clone  https://github.com/tobe-fe-dalao/fast-vue3.git

# enter the project folder
cd fast-vue3 

# Install project dependencies
pnpm install

# run
pnpm run dev

If no error is reported, congratulations on your successful ignition。Otherwise,Please see the FAQ below。

If you already know this template, it is recommended that you pull the template branch for project development, this branch does not contain any sample code.

# clone  template branch
git clone -b template https://github.com/tobe-fe-dalao/fast-vue3.git

Tool Library

Learn to use the appropriate tool library to make coding do more with less. Especially the open source tool library, it is worth everyone to learn, because this is the level you should reach. Here are some class libraries commonly used by major manufacturers, because I like new ones... The following tools can be imported directly.

JS library

  • pnpm,A tool that relies on the global management of packages, the boss no longer has to worry that my C drive is not enough. Vite official recommendation, Byte Dance official front-end team large-scale project test

image-20220110125758056

  • mitt Global event listener library,Vue3 official recommendation

  • Hammer,Can recognize gestures made by touch, mouse and pointer events, only 7.34kb

  • outils,A set of functions commonly used in development, you can also use lodash

  • tailwindcss,Oh my Jesus, without writing a line of CSS, a page is created in 3 minutes. It is not suitable for junior and intermediate front-ends. It is recommended to learn the basics first and then use the framework.

    tailwindcss-1

    tailwindcss-2

  • Vue I18n an internationalization plugin for Vue.js. If you want to make an open source framework, the preferred plugin for internationalization.

  • ViteSSG,SEO optimization, this project is interesting, you can play with this solution, I used to do SEO through server-side rendering before, and later learned that this can be generated directly on the Vue3 server.

  • Vitest,The unit testing tool based on Vite, the iteration is relatively fast at present, and is sponsored by Evan You. You can continue to pay attention, and it is not recommended to use it in small projects.

    image-20220110125605172

UI library

  • arco-design,The new UI framework of the Byte Dance team has a more flexible configuration level. fast-vue3 uses it. if you don't like it can be removed.
  • semi-design,The framework from the front end of Douyin is aimed at constantly tearing UI and FE, and you can try it out.
  • nutui,The UI framework developed by the front-end team of JD.com has been upgraded to 3.X. Personally, I think it has the highest appearance and accepts the rebuttal.
  • naive-ui,Recommended by Evan You, TypeScript syntax, adjustable theme, this company is very powerful.
  • That's all for now and I'll make up later.

Reference

Contributors

This project exists thanks to all the people who contribute.

And thank you to all our backers! 🙏

Last

  • Welcome to join the group 前端水友群,goof off, let's goof off together, and now the fan group rarely discusses technology, so let's goof off together. Welcome to pay attention to Wechat public number 扫地盲僧

  • Cutting-edge technologies, technologies related to various experiences and interactions, and advance perspectives of various translations and research reports.

  • Free to use, all the paid resources promised to be released, all the fan groups are free for using.Otherwise, who would have time to play with you, interesting.

fast-vue3's People

Contributors

donafqiu avatar ethan666 avatar fonghehe avatar hazel-lin avatar hxzaugustinus avatar maleweb avatar mkm0094 avatar wangscaler avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.