How to use Vue to develop public account web pages

How to use Vue to develop public account web pages

Project Background

It is mainly an h5 page, and the functions involved are not very difficult. The main reason is that I haven’t developed a public account for a long time, so I am a little unfamiliar with the entire development steps. This includes how to call the WeChat SDK, user WeChat authorization and SDK access, etc. Mainly around the development steps.

start

Because it is an h5 page, the project is not large overall, so when selecting the project technology, we decided to use the vue framework for development. Using vue to develop h5, I personally feel that the overall efficiency is relatively high. For the UI library, I chose the vant library. The components are good overall. It supports custom themes and facilitates style customization, which is more suitable for h5 development.

Create a project through vue-cli

Install scaffolding tools

npm install -g @vue/cli
# OR
yarn global add @vue/cli

Create a project

vue create water_project

Then create the project directory

.
├── README.md
├── babel.config.js
├── jsconfig.json
├── package-lock.json
├── package.json
├── public
│ ├── favicon.ico
│ └── index.html
├── src
│ ├── App.vue
│ ├── api
│ ├── assets
│ ├── components
│ ├── global.less
│ ├── main.js
│ ├── mock
│ ├── router
│ ├── store
│ ├── utils
│ └── views
└── vue.config.js

About mobile adaptation

Because it is a mobile web page, it needs to be adapted. There are many adaptation solutions on the Internet, which I will not elaborate on here. The main point is that the solution used in this project is to combine amfe-flexible with rem, which is a solution of Taobao. Regarding the conversion of the design draft's px unit to rem, the postcss-pxtorem solution of postcss is used. In fact, it is also possible to use webpack's loader. You can search Baidu for the specific solution.

  • Install the amfe-flexible package
npm i amfe-flexible -S
  • Install the postcss-pxtorem plugin
npm i postcss-pxtorem -D
  • Introduce amfe-flexible in main.js
import "amfe-flexible"
  • Configure the postcss plugin in vue.config.js

If there is no vue.config.js file in the project, create one manually. This is the configuration file of vue cli.

css: {
    loaderOptions: {
      postcss: {
        plugins: [
          autoprefixer(),
          pxtorem({
            rootValue: 37.5,
            propList: ["*"],
          }),
        ],
      },
  },

At this point, the style adaptation has been completed. As for why the rootValue is 37.5, it is mainly for the adaptation of vant, so the design draft uses 375px as a reference. If you do not use a third-party UI library, you can use 750 as a reference for the design draft, and the rootValue is 75.

Using normalize.css

Use normalize.css to eliminate basic style differences between browsers

npm i normalize.css -S

Import in main.js

import "normalize.css"

Access to vant library

Vant is a UI library produced by Youzan. Standing on the shoulders of giants, the efficiency is of course much faster. This kind of third-party library can only serve as a basis, and the style needs to be customized when there is a design draft. Simple styles vant supports theme customization, which is quite convenient. If some styles do not provide custom themes, you can only write styles to cover them.

  • Download and install vant
npm i vant -S
  • There are three ways to introduce components, which are also introduced on the official website. For details, please check the official website. Here is a brief introduction on how to use it:

Method 1. Automatically import components on demand (recommended)

babel-plugin-import is a babel plugin that automatically converts import statements to on-demand import statements during compilation.

# Install the plugin npm i babel-plugin-import -D
// Add configuration in .babelrc // Note: webpack 1 does not need to set libraryDirectory
{
  "plugins": [
    ["import", {
      "libraryName": "vant",
      "libraryDirectory": "es",
      "style": true
    }]
  ]
}

// For users using babel7, you can configure module.exports = {
  plugins: [
    ['import', {
      libraryName: 'vant',
      libraryDirectory: 'es',
      style: true
    }, 'vant']
  ]
};
// Then you can directly import the Vant component in the code // The plugin will automatically convert the code into the on-demand import form in method 2 import { Button } from 'vant';

Method 2: Manually import components on demand

Without using plugins, you can manually import the required components.

import Button from 'vant/lib/button';
import 'vant/lib/button/style';

Method 3. Import all components

Vant supports importing all components at once. Introducing all components will increase the size of the code package, so this approach is not recommended.

import Vue from 'vue';
import Vant from 'vant';
import 'vant/lib/index.css';

Vue.use(Vant);

Tips: After configuring on-demand import, all components will not be allowed to be imported directly.

Customize Vant Theme

Step 1: Import the style source file

When customizing a theme, you need to import the Less style file corresponding to the component. Two methods are supported: on-demand import and manual import.

Import styles on demand (recommended)
Configure the on-demand import of style source files in babel.config.js. Note that babel6 does not support on-demand import of styles. Please import the styles manually.

module.exports = {
  plugins: [
    [
      'import',
      {
        libraryName: 'vant',
        libraryDirectory: 'es',
        //Specify the style path style: (name) => `${name}/style/less`,
      },
      'vant',
    ],
  ],
};

Manually import styles

// Import all styles import 'vant/lib/index.less';

// Import a single component style import 'vant/lib/button/style/less';

Step 2: Modify style variables

Use modifyVars provided by Less to modify the variables. The following is the reference webpack configuration.

// webpack.config.js
module.exports = {
  rules:
    {
      test: /\.less$/,
      use: [
        // ...other loader configuration {
          loader: 'less-loader',
          options:
            // If the less-loader version is less than 6.0, please remove the lessOptions level and configure the options directly.
            lessOptions: {
              modifyVars: {
                // Directly overwrite the variable 'text-color': '#111',
                'border-color': '#eee',
                // Or you can overwrite it through a less file (the file path is an absolute path)
                hack: `true; @import "your-less-file-path.less";`,
              },
            },
          },
        },
      ],
    },
  ],
};

If the project is built by vue-cli, it can be configured in vue.config.js.

// vue.config.js
module.exports = {
  css: {
    loaderOptions: {
      less: {
        // If the less-loader version is less than 6.0, please remove the lessOptions level and configure the options directly.
        lessOptions: {
          modifyVars: {
            // Directly overwrite the variable 'text-color': '#111',
            'border-color': '#eee',
            // Or you can overwrite it through a less file (the file path is an absolute path)
            hack: `true; @import "your-less-file-path.less";`,
          },
        },
      },
    },
  },
};

Introducing WeChat jssdk

There are two ways to introduce jsssdk. One is to directly introduce it using js link and write it in index.html.

 <script src="https://res2.wx.qq.com/open/js/jweixin-1.6.0.js"></script>

Then call window.wx.xxx where you use it to use the methods provided by the SDK.

The second way is to use the npm package

  • Install weixin-js-sdk
npm i weixin-js-sdk -S
  • Use in main.js
import wx from "weixin-js-sdk"

//Hang on the prototype of vue for easy use Vue.prototype.$wx = wx;

After the introduction, you can use this.$wx.xx to use the corresponding method, for example:

 this.$wx.config({
          debug: false, // Turn on the debug mode, the return values ​​of all API calls will be alerted on the client side. If you want to view the incoming parameters, you can open it on the PC side. The parameter information will be printed through the log, which will only be printed on the PC side.
          appId: res.data.appId, // Required, unique identifier of the public account timestamp: String(res.data.timestamp), // Required, timestamp for generating signature nonceStr: String(res.data.nonceStr), // Required, random string for generating signature signature: res.data.signature, // Required, signature, see Appendix 1
          jsApiList: [
            "getNetworkType",
            "getLocation",
          ], // Required, list of JS interfaces to be used, see Appendix 2 for a list of all JS interfaces
        });

You can use the API only after registering and verifying the SDK

In fact, the important logic of registration is all in the backend, providing an interface for obtaining configuration information, and the frontend directly calls the config method of the SDK to register. Here, write the registration logic of the SDK in the app.vue file

  • Encapsulate a method to register SDK
async getWxJssdkConf() {
      const res = await this.$api.getSdkConfig({
        url: window.location.href.split("#")[0],
      });
      if (res.success) {
        this.$wx.config({
          debug: false, // Turn on the debug mode, the return values ​​of all API calls will be alerted on the client side. If you want to view the incoming parameters, you can open it on the PC side. The parameter information will be printed through the log, which will only be printed on the PC side.
          appId: res.data.appId, // Required, unique identifier of the public account timestamp: String(res.data.timestamp), // Required, timestamp for generating signature nonceStr: String(res.data.nonceStr), // Required, random string for generating signature signature: res.data.signature, // Required, signature, see Appendix 1
          jsApiList: [
            "getNetworkType",
            "getLocation",
          ], // Required, list of JS interfaces to be used, see Appendix 2 for a list of all JS interfaces
        });
        this.$wx.ready(() => {
          this.$wx.checkJsApi({
            jsApiList: ["getNetworkType", "getLocation"], // List of JS interfaces that need to be detected. For a list of all JS interfaces, see Appendix 2.
            success: function (res) {
              console.log("checkJsApi", res);
            },
          });
        });
        this.$wx.error((res) => {
          console.log("wx.error", res);
        });
      }
    },
created() {
    this.getWxJssdkConf();
  },

Among them, this.$api.getSdkConfig is the interface for calling the background. Here, the api is also mounted on the prototype of vue, which is convenient for use without introducing the api on each page.

Vue.prototype.$api = api

After successfully registering in app.vue, you can use the SDK's API.

WeChat Authorization

If you want to obtain user information, you must ask the user for authorization. When authorizing, the interface provided by WeChat is used. Please see here for details. If you only want to obtain the user's openid, you only need to use silent authorization, and the user does not need to actively authorize. Please see the document for details. Here you only need openid to use silent authorization as follows:

  • Use it at the main entrance that requires authorization, such as the home page. First, call the WeChat interface to obtain the code, and then use the code to exchange for openid at the back end.
/**
     * @description: Get authorization code
     * @param {*}
     * @return {*}
     */
    getCode() {
      // Extract code from window.location.href and assign value // window.location.href.split('#')[0]
      if (window.location.href.indexOf("state") !== -1) {
        this.code = qs.parse(
          window.location.href.split("#")[0].split("?")[1]
        ).code;
      } 
      
      if (this.code) {
          // Code exists to directly call the interface this.handGetUserInfo(this.code);
        } else {
          this.handLogin();
        }
    },
    /**
     * @description: Get user authorization login* @param {*}
     * @return {*}
     */
    handLogin() {
      // Redirect the address to the current page and get the code in the path
      const hrefUrl = window.location.href;

      if (this.code === "") {
        window.location.replace(`
		https://open.weixin.qq.com/connect/oauth2/authorize?appid=XXXXXXXX
                           &redirect_uri=${encodeURIComponent(hrefUrl)}
                           &response_type=code
                           &scope=snsapi_base
                           &state=h5#wechat_redirect`);
      }
    },
    /**
     * @description: Get user information* @param {*} code
     * @return {*}
     */
    handGetUserInfo(code) {
      //Call the background interface},

This is the main logic of authorization, and it basically works without any surprises.

Disconnect prompt

If the user's network is disconnected, it will jump to the network disconnection prompt page. The main method used is the one provided by HTML. The judgment logic is written in the app.vue file. Since each page will have a prompt, it is processed directly at the main entrance.

mounted() {
    window.addEventListener("online", this.updateOnlineStatus);
    window.addEventListener("offline", this.updateOnlineStatus);
  },
  
 methods: {
 		updateOnlineStatus(e) {
      const { type } = e;
      console.log("type==============", type);
      this.onLine = type === "online";
    },
 }
 beforeDestroy() {
    window.removeEventListener("online", this.updateOnlineStatus);
    window.removeEventListener("offline", this.updateOnlineStatus);
  },

This is the main method to check the user's network connection

Determine whether it is a web page opened by WeChat

The navigation guard of vue-router is mainly used here to judge the browser before jumping. If it is not the built-in browser of WeChat, it will jump directly to the abnormal prompt page

router.beforeEach((to, from, next) => {
  const ua = navigator.userAgent.toLowerCase();
  if (
    to.path !== "/notwx" &&
    !(ua.match(/MicroMessenger/i) == "micromessenger")
  ) {
    next("/notwx");
  } else {
    next();
  }
});

Sometimes when jumping to a page, the scroll height of the page will remain at the scroll height of the previous page. This is also solved in the navigation guard, which automatically scrolls to the top.

router.afterEach(() => {
  window.scrollTo(0, 0);
});

summary

At this point, the entire development process has been simply recorded, which is also a review of my own development and convenient for future reference. I hope this article is helpful to you. This is just my personal opinion. If you have any questions, please let me know. If you find it helpful, please give me a thumbs up. Thank you.

The above is the details of how to use vue to develop public account web pages. For more information about vue development of public account web pages, please pay attention to other related articles on 123WORDPRESS.COM!

You may also be interested in:
  • Vue WeChat official account web sharing sample code
  • Use vue to complete the WeChat public account web page (recommended)
  • Use vue to write the implementation code of h5 public account jump applet
  • Steps to develop Html5 WeChat public account with Vue
  • Pitfalls of using WeChat public account js-sdk in vue
  • Summary of using WeChat official account payment in vue project and the pitfalls encountered
  • Vue.js implements WeChat public account menu editor function (Part 2)
  • Vue.js implements WeChat public account menu editor function (I)
  • Vue makes mobile WeChat public account pit experience record
  • Detailed explanation of the Vue WeChat public account development pitfalls
  • How to use Vue.js+Vuex to create an app for collecting WeChat public accounts

<<:  mysql three tables connected to create a view

>>:  The difference between Update and select in MySQL for single and multiple tables, and views and temporary tables

Recommend

Gojs implements ant line animation effect

Table of contents 1. Gojs Implementation 1. Drawi...

HTML table_Powernode Java Academy

To draw a table in HTML, use the table tag tr me...

How to count the number of specific characters in a file in Linux

Counting the number of a string in a file is actu...

Optimal web page width and its compatible implementation method

1. When designing a web page, determining the widt...

Install Zookeeper under Docker (standalone and cluster)

After starting Docker, let's take a look at t...

View the dependent libraries of so or executable programs under linux

View the dependent libraries of so or executable ...

Build a severe weather real-time warning system with Node.JS

Table of contents Preface: Step 1: Find the free ...

Problems installing TensorRT in docker container

Uninstall the installed version on Ubuntu: sudo a...

Detailed explanation of basic management of KVM virtualization in CentOS7

1. Install kvm virtualization : : : : : : : : : :...

MySQL 8.0.11 compressed version installation tutorial

This article shares the installation tutorial of ...

Markup Language - Title

Click here to return to the 123WORDPRESS.COM HTML ...

How to optimize MySQL performance through MySQL slow query

As the number of visits increases, the pressure o...

js realizes the magnifying glass function of shopping website

This article shares the specific code of js to re...