How to build a React project with Vite

How to build a React project with Vite

Preface

Daily pigeons, fire tongs Liu Ming

This is a React project built on vite, and the development experience is great.

Create a Vite project

yarn create @vitejs/app 

As shown above, the react-ts preset template is selected. If a project like the one below appears

yarn //Install dependencies yarn dev //Start the development environment 

Open the browser and enter http://localhost:3000/#/, as shown in the figure above. Then congratulations, you can develop React projects normally. Ending Sprinkle Flowers

If that doesn't work, go to the Vite official website, which is more detailed than what I wrote.

Renovation Project

But the above is just a basic React demo. In actual development projects, it is far from enough and requires some additional project configuration.

Directory Conventions

According to daily development habits, first make basic directory conventions

├── dist/ // default build output directory └── src/ // source code directory ├── assets/ // static resource directory ├── config      
  ├── config.js // Basic configuration related to internal business of the project├── components/ // Public component directory├── service/ // Business request management├── store/ // Shared store management directory├── until/ // Tool function directory├── pages/ // Page directory├── router/ // Routing configuration directory├── .main.tsx // Vite dependency main entry├── .env // Environment variable configuration├── vite.config.ts // Vite configuration selection, please refer to the official website api for details
└── package.json

Configuring Routes

Modify main.tsx

import React from 'react'
import ReactDOM from 'react-dom'
import { HashRouter, Route, Switch } from 'react-router-dom'
import routerConfig from './router/index'
import './base.less'

ReactDOM.render(
 <React.StrictMode>
 <HashRouter>
  <Switch>
  {
   routerConfig.routes.map((route) => {
   return (
    <Route key={route.path} {...route} />
   )
   })
  }
  </Switch>
 </HashRouter>
 </React.StrictMode>,
 document.getElementById('root')
)

router/index.ts file configuration

import BlogsList from '@/pages/blogs/index'
import BlogsDetail from '@/pages/blogs/detail'

export default {
 routes: [
 { exact: true, path: '/', component: BlogsList },
 { exact: true, path: '/blogs/detail/:article_id', component: BlogsDetail },
 ],
}

You can refer to the above configuration and configure other properties, such as redirect, lazy loading and other common routing configuration items

In addition, I personally prefer to generate routes through configuration, and conventional routing always feels inconvenient.

Service Management

All project requests are placed in service. It is recommended that each module has corresponding file management, as shown below

import * as information from './information'
import * as base from './base'

export {
 information,
 base
}

This facilitates request management

base.ts is a business request class where you can handle some special business processing

import { request } from '../until/request'

const prefix = '/api'

export const getAllInfoGzip = () => {
 return request({
 url: `${prefix}/apis/random`,
 method: 'GET'
 })
}

As a unified request method, until/request can be customized and replaced with request libraries such as fetch and axios. At the same time, general interception logic can be encapsulated in this method.

import qs from 'qs'
import axios from "axios";

interface IRequest {
 url: string
 params?: SVGForeignObjectElement
 query?: object
 header?: object
 method?: "POST" | "OPTIONS" | "GET" | "HEAD" | "PUT" | "DELETE" | undefined
}

interface IResponse {
 count: number
 errorMsg: string
 classify: string
 data: any
 detail?: any
 img?: object
}

export const request = ({ url, params, query, header, method = 'POST' }: IRequest): Promise<IResponse> => {
 return new Promise((resolve, reject) => {
  axios(query ? `${url}/?${qs.stringify(query)}` : url, {
   data: params,
   headers: header,
   method: method,
  })
   .then(res => {
    resolve(res.data)
   })
   .catch(error => {
    reject(error)
   })
 })
}

For specific general interception, please refer to axios configuration, or rewrite it yourself to meet your own business needs.

There is a problem with the resources built using axios here. Do not use them directly. Please refer to the previous request encapsulation and replace it with fetch. If any classmates have successfully built it, please leave a message = =!

When developing and using specific business, you can import it according to the module name, making it easy to find the corresponding interface module

import { information } from "@/service/index";

const { data } = await information.getAllInfoGzip({ id });

This set of rules can also be applied to places where modules can be disassembled, such as store, router, utils, etc., which is conducive to project maintenance.

The above are some business development configurations and agreements for the project. Students can modify them according to the regulations and preferences of their own team.

Other Configuration

This is mainly about the configuration of vite.config.ts, and some additional configuration for the project as a whole.

import { defineConfig } from 'vite'
import reactRefresh from '@vitejs/plugin-react-refresh'
import vitePluginImp from 'vite-plugin-imp'

export default defineConfig({
 plugins: [
 reactRefresh(),
 vitePluginImp({
  libList: [
  {
   libName: 'antd-mobile',
   style(name) {
   return `antd-mobile/lib/${name}/style/index.css`
   },
  },
  ]
 })
 ],
 resolve: {
 extensions: ['.mjs', '.js', '.ts', '.jsx', '.tsx', '.json'],
 alias: {
  '@': '/src'
 }
 },
 server: {
 proxy: {
  // Option writing '/api': {
  target: 'https://www.xxx.xxx',
  changeOrigin: true,
  rewrite: (path) => path.replace(/^\/api/, '')
  },
 }
 },
 css: {
 postcss: {
  plugins: [
  require('postcss-pxtorem')({ // Convert px units to rem units rootValue: 32, // Conversion base, the default is 100, so the font size of the root tag is set to 1rem=50px, so you can measure how many px you want from the design draft and add more px directly in the code
   propList: ['*'], //Property selector, * indicates general unitPrecision: 5, //The decimal number to which the REM unit is allowed to grow, and the number of digits retained after the decimal point.
   exclude: /(node_module)/, // default is false, you can (reg) use regular expressions to exclude certain folders})
  ]
 }
 }
})

There are also some basic contents:

  • vitePluginImp is to load antd-mobile on demand
  • postcss-pxtorem is a plugin for configuring mobile px conversion
  • server.proxy configures the project proxy
  • resolve.alias configures the alias. If you need vscode to recognize it normally, you need to configure ts.config as well.
{
 "compilerOptions": {
 "baseUrl": "./",
 "paths": {
  "@/*": [
  "src/*"
  ]
 },
}

You can replace antd-mobile with antd, and you can also replace postcss according to your preference.

Through the simple transformation mentioned above, normal small project development can now be carried out. Finished and sprinkled flowers!

And I have written a simple H5 project using this configuration, and I will gradually improve the template as the project iterates.

This is the end of this article about the steps to build a React project with Vite. For more information about building a React project with Vite, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope you will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • 5 things to note when writing React components using hooks
  • Implementation steps for setting up the React+Ant Design development environment
  • React example of how to get the value of the input box
  • React implements the sample code of Radio component
  • How to use history redirection in React Router
  • Let's talk about my understanding and application of React Context
  • React hooks introductory tutorial
  • Detailed process of creating a VR panoramic project using React and Threejs
  • Simple analysis of EffectList in React

<<:  Explanation of the working mechanism of namenode and secondarynamenode in Hadoop

>>:  Tutorial on installing and configuring MySql5.7 in Alibaba Cloud ECS centos6.8

Recommend

Detailed explanation of nginx configuration file interpretation

The nginx configuration file is mainly divided in...

Vue custom table column implementation process record

Table of contents Preface Rendering setTable comp...

The difference between ${param} and #{param} in MySQL

The parameter passed by ${param} will be treated ...

Syntax alias problem based on delete in mysql

Table of contents MySQL delete syntax alias probl...

How to remove carriage return characters from text in Linux

When the carriage return character ( Ctrl+M ) mak...

Docker creates MySQL explanation

1. Download MySQL Image Command: docker pull mysq...

Detailed explanation of Javascript Echarts air quality map effect

We need to first combine the air quality data wit...

React uses emotion to write CSS code

Table of contents Introduction: Installation of e...

Detailed explanation of Linux file permissions and group modification commands

In Linux, everything is a file (directories are a...

What to do if you forget the initial password when installing MySQL on Mac

Forgetting the password is a headache. What shoul...

Defining the minimum height of the inline element span

The span tag is often used when making HTML web p...

Summary of web design experience and skills

■ Website theme planning Be careful not to make yo...

Detailed explanation of mysql5.6 master-slave setup and asynchronous issues

Table of contents 1. MySQL master-slave replicati...

CSS code to distinguish ie8/ie9/ie10/ie11 chrome firefox

Website compatibility debugging is really annoyin...