Vue 2.0 Basics in Detail

Vue 2.0 Basics in Detail

1. Features

Is a MVVM framework

Derived from the MVC architecture, it is divided into View (view layer), ViewModel (data view layer), and Model (data layer). The most iconic feature of MVVM is data binding, which enables data-driven views and view synchronization of data.

Data is also one-way, called one-way data flow

Data is always passed from the parent component to the child component, and the child component has no right (not recommended) to directly modify the data in the parent component.

Not compatible with IE8 and below browsers

The responsive principle uses Object.defineProperty of es5, but this API does not support IE8

2. Examples

// Vue single page instance <template>
    Label...
</template>
<script>
    export default {
      data () {},
      methods: {},
      computed: {},
      watch: {}
    }
</script>
<style>
    style...
</style>

3. Options

data

Function, used to define the data of the page

data() {
    return {
        count: 2
        copyCount: 1
    }
}

// Using this.count // 2

computed

Objects, calculated properties, used to simplify complex logic processing

// The calculated property does not accept parameters, will cache dependent data, must have a return
computed: {
    doubleCount: function () {
      return this.count *= 2
    },
}

// Using this.doubleCount // 4

methods

Object, used to define page functions

methods: {
    cLog(msg) {
        console.log(msg)
    }
}

// Use this.cLog('The function was called') // Console output: The function was called

watch

Object, attribute listening, used to monitor changes in certain data and make corresponding operations

watch:
    count(value, [oldValue]) {
        // value: the changed value this.copyCount = value + 1
    }
}

// Automatically triggered when count changes this.count = 2
this.copyCount // 3

components

Object, register components to the page

import UploadImg from 'xxxx'

components: { UploadImg }

// template
<upload-img>

4. Basic grammar

Common instructions

v-html : Renders HTML

v-if : judge the syntax, control display/hide, and control by whether to render DOM

v-show : controls display/hide, similar to v-if, but v-show is controlled by the display attribute

v-model : two-way data binding, generally used in forms, default binding value attribute

v-bind :

  • Abbreviation: class
  • For dynamic property binding

v-on :

  • @click
  • For event binding

v-for : traversal syntax, supports arrays, objects and strings

5. Life Cycle

beforeCreated : Create a Vue object

created : data initialization, at this time you can do some pre-operations on the instance

beforeMounted : el and data initialization

mounted : mount el and data, then you can call http request

beforeUpdated : before updating the DOM, the state can be further changed at this time without triggering a re-rendering process

updated : Updates the modified virtual DOM to the page. At this time, you should avoid modifying the page to avoid infinite loop updates.

beforeDestory : Before the page is destroyed, you can do some reset operations, such as clearing timers and DOM events, etc.

destoryed : The page is destroyed. At this time, the Vue instance has been deleted and all operations are invalid.

6. Routing Management Vue-Router

The official routing manager. It is deeply integrated with the core of Vue.js, making it easy to build single-page applications.

6.1 Routing Configuration

// NPM download npm install vue-router
// router.js
import Vue from 'vue'
import VueRouter from 'vue-router'
Vue.use(VueRouter)

//Define page routing (path, component)
export default new Router({
    { path: '/foo', component: () => import('/pages/foo') }, // Routing component lazy loading { path: '/bar', component: '/pages/bar'}
})
// main.js
import router from './router.js'
new Vue({
  el: '#app',
  router, // Mount the route to the Vue instance render: h => h(App)
})

// page.vue
<!-- It is important to distinguish the relationship between the two -->
this.$router // Access the router, built-in push and replace routing methods this.$route // Access the current route, built-in path, query and other routing attributes // app.vue
<!-- Components matched by the route will be rendered here-->
<router-view></router-view>

6.2 Routing

Declarative Routing

<router-link :to="...">
<router-link :to="..." replace>

Programmatic Routing

this.$router.push({ path: 'register', query: { plan: 'private' }})
this.$router.replace(...) // The difference from push is that history records are not inserted this.$router.go( [Number] n ) // How many steps forward or backward in the history record // When the route parameter carries Chinese, it is recommended to use encodeURLComponent to transcode it first to avoid garbled characters.

6.3 Routing Guard

Global Guard

It takes effect on all configured routes, but has a lower priority than internal routes.

Global front guard (commonly used)

// Redirect to /login if the user fails to authenticate
router.beforeEach((to, from, next) => {
  // to is the route object to be entered, from is the source route, next is the hook function, whether to release if (to.name !== 'Login' && !isAuthenticated) next({ name: 'Login' })
  else next()
})

Global parsing guard (understand)

router.beforeResolve((to, from, next) => {
  // ...
})

Global post-hook (understanding)

router.afterEach((to, from) => {
  // This route guard does not accept the next hook function // ...
})

Exclusive router guard (understand)

This guard is only effective for the configured routes. These guards have the same method parameters as the global front guard.

const router = new VueRouter({
  routes: [
    {
      path: '/foo',
      component: Foo,
      beforeEnter: (to, from, next) => {
        // ...
      }
    }
  ]
})

Component internal guards (understanding)

The following route navigation guards can be defined directly in the route component, which will only take effect on the current component.

beforeRouteEnter
beforeRouteUpdate (new in 2.2)
beforeRouteLeave


Guards in components | Vue-Router official documentation

7. State Manager Vuex

7.1 Configuration

//store.js
import Vue from 'vue'
import Vuex from 'vuex'

Vue.use(Vuex)
...

export default new Vuex.Store({
  state,
  getters,
  mutations,
  actions,
  modules
})
// main.js
import store from './store'

Vue.prototype.$store = store

8. Five core attributes

state

Data source, do not modify the state directly

//store.js
const state = {
    name: 'zzz'
}

<!--page.vue-->
// 1. Directly call this.$store.state.name // 'zzz'
// 2. Auxiliary function mapping computed: {
    ...mapState(['name'])
}
this.name // 'zzz' 

mutations

The only way to change the state

const mutations = {
    updateName(state, newName) {
        state.name = newName
    }
}

<!--page.vue-->
// 1. Call this.$store.commit(updateName, 'zzh') directly // state.name: 'zzh'
// 2. Auxiliary function mapping methods: {
    ...mapMutations(['updateName'])
}
this.updateName('zzh') // state.name: 'zzh'

actions

Store asynchronous operations and asynchronously trigger mutations to change state

const actions = {
    asyncUpdateName(context) {
        // Asynchronous operation, such as initiating an http request to obtain the updated name, assuming name=xxx
        ...
        context.commit('updateName', res.name) // state.name: 'xxx'
    }
}

<!--page.vue-->
// 1. Call this.$store.dispatch(asyncUpdateName) directly
// 2. Auxiliary function mapping methods: {
    ...mapActions(['asyncUpdateName'])
}
this.asyncUpdateName()

getters

Data source processing, similar to calculated properties

const getter = {
    formatName(state) {
        return state.name + '2021'
    }
}

<!--page.vue-->
// 1. Directly call this.$store.getter.formatName() // 'xxx2021'
// 2. Auxiliary function mapping computed: {
    ...mapGetters(['formatName'])
}
this.formatName() // // 'xxx2021'

modules

Modularization allows each module to manage its own set of states, mutations, actions, and getters.

// Inside the module this.$store.state.name // No namespace is needed for internal access // Outside the module this.$store.state.login.name // login is the module namespace...
Other properties are similar

modules|Vuex official documentation

9. Http request library Axios

Http request library based on promise encapsulation, officially recommended

<!-- api.js -->
import axios from 'axios'

// Create and configure an instance axios.create({
    baseURL: 'http://www.baidu.com', // request base address timeout: 1000 // request timeout...
})

// Request interceptor axios.interceptors.request.use(request => {
    request.headers['Content-Type'] = 'application/json'
    ...
})
// Response interceptor axios.interceptors.response.use(response => {
    ...
    return response.data
})
//Configure request export default {
    getId: () => axios.get('/getId'),
    getNameById: id => axios.post('/getNameById', id)
}

<!-- main.js -->
import api from './api.js'

Vue.prototype.$api = api
<!-- page.vue -->
this.$api.getId().then(res => {
    ...
}).catch()

This is the end of this detailed article about Vue 2.0 Basics. For more relevant Vue 2.0 Basics content, please search 123WORDPRESS.COM’s previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Vue2.0 practical basics (1)
  • Handwritten Vue2.0 data hijacking example
  • How to implement page caching and non-caching in Vue2.0
  • Vue2.0 obtains data from the http interface, component development, and routing configuration methods
  • Vue2.0+SVG realizes the circular progress bar component of music playback
  • Vue2.0 implements simple paging and jump effects

<<:  CSS3 achieves flippable hover effect

>>:  Web Design: Web Music Implementation Techniques

Recommend

Detailed explanation of NodeJS modularity

Table of contents 1. Introduction 2. Main text 2....

Vue Basics Listener Detailed Explanation

Table of contents What is a listener in vue Usage...

Reasons why MySQL cancelled Query Cache

MySQL previously had a query cache, Query Cache. ...

About the usage and precautions of promise in javascript (recommended)

1. Promise description Promise is a standard buil...

Example of how to set WordPress pseudo-static in Nginx

Quoting Baidu's explanation of pseudo-static:...

MySQL and sqlyog installation tutorial with pictures and text

1. MySQL 1.1 MySQL installation mysql-5.5.27-winx...

What are your principles for designing indexes? How to avoid index failure?

Table of contents Primary key index Create indexe...

Vue.js performance optimization N tips (worth collecting)

Table of contents Functionalcomponents Childcompo...

Analysis of product status in interactive design that cannot be ignored in design

In the process of product design, designers always...

Centos7.5 configuration java environment installation tomcat explanation

Tomcat is a web server software based on Java lan...

CSS to achieve dynamic secondary menu

Dynamically implement a simple secondary menu Whe...

How to remove inline styles defined by the style attribute (element.style)

When modifying Magento frequently, you may encount...

MySQL restores data through binlog

Table of contents mysql log files binlog Binlog l...