WeChat applet custom menu navigation to achieve staircase effect

WeChat applet custom menu navigation to achieve staircase effect

Design Intentions

When developing a page, you often need to scroll the page to the corresponding position when clicking the navigation menu on the page, and scroll the page to highlight the menu options. In HTML development, we can use the a tag anchor implementation and combine it with jq animation to achieve a similar effect. In the framework, the vant UI framework also achieves this effect for us.

How to implement WeChat mini program? ?

Effect display

  • When the menu navigation scrolls to the top of the page, the menu is stuck
  • When you click the menu button, switch to the corresponding area (transition to this area with animation effect)
  • When the content area scrolls to a certain area, the menu button of the corresponding area is highlighted

Design ideas

1. Realization of ceiling effect

  • Get the distance between the menu navigation and the top of the page wx.createSelectorQuery()
  • Page scroll monitoring
  • Compare the scroll distance with the initial position of the menu

1) Distance

const query = wx.createSelectorQuery()
query.select('.menu_nav').boundingClientRect(function(res) {
    let obj = {}
    if (res && res.top) {
        obj[item.attr] = parseInt(res.top)
    }
}).exec()

①wx.createSelectorQuery()
Returns a SelectorQuery object instance. In custom components or pages containing custom components, this.createSelectorQuery() should be used instead.

②SelectorQuery.select(string selector)
Selects the first node matching the selector selector in the current page. Returns a NodesRef object instance, which can be used to obtain node information.

selector syntax
selector is similar to CSS selectors, but only supports the following syntax.

property type illustrate
id string Node ID
dataset Object Node dataset
left number The left edge coordinate of the node
right number The right edge coordinate of the node
top number The upper boundary coordinate of the node
bottom number The node's lower boundary coordinates
width number Width of the node
height number The height of the node

③NodesRef.boundingClientRect(function callback)
Adds a query request for the layout position of a node. Relative to the display area, in pixels. Its function is similar to DOM's getBoundingClientRect. Returns the SelectorQuery corresponding to the NodesRef.

Property Type Description id string ID of the node dataset Object dataset of the node left number left boundary coordinate of the node right number right boundary coordinate of the node top number upper boundary coordinate of the node bottom number lower boundary coordinate of the node width number width of the node height number height of the node

④SelectorQuery.exec(function callback)
Execute all requests. The request results are organized into an array in the order requested and returned in the first parameter of the callback.

2) Page scroll monitoring

  • Initialize in data -- tabFixed=false (indicates whether it is fixed positioning)
  • When the scroll bar scroll distance exceeds the initial distance of the menu, tabFixed=true turns on positioning
// Listen for page scrolling onPageScroll: function(e) {
    let hTop = parseInt(e.scrollTop)
        // Does the menu need to be positioned at the top if (hTop > this.data.menu_top) {
        this.setData({
            tabFixed: true
        })
    } else {
        this.setData({
            tabFixed: false
        })
    }
}

onPageScroll(Object object))
Listen for user page sliding events.

ParametersObject object:

property type illustrate
scrollTop Number The distance the page has scrolled vertically (in px)

Note: Please define this method in the page only when necessary, and do not define an empty method. To reduce the impact of unnecessary event dispatch on rendering layer-logic layer communication. Note: Please avoid executing operations such as setData too frequently in onPageScroll that cause communication between the logic layer and the rendering layer. In particular, when a large amount of data is transmitted each time, it will affect the communication time.

2. Switch to the corresponding area

  • Record the currently clicked menu and highlight it
  • Get the initial distance of each area from the top of the page
  • Set the position of the scroll bar of the current page and set the transition time

// Navigation bar switch settings setSelectType(event) {
    let index = event.currentTarget.dataset.type
    this.setData({
        tabIndex: index,
    })
    let arr = ['panel1_top', 'panel2_top', 'panel3_top', 'panel4_top']
    let _this = this
    wx.pageScrollTo({
        scrollTop: _this.data[arr[index]],
        duration: 500
    })
},

wx.pageScrollTo(Object object)
Scroll the page to the target position, supporting two positioning methods: selector and scroll distance

property type default value Required illustrate
scrollTop number none no Scroll to the target position of the page, in px
duration number 300 no The duration of the scrolling animation, in ms
selector string none no Selectors 2.7.3
success Function none no Callback function for successful interface call
fail Function none no Callback function for interface call failure
complete unction none no The callback function for the end of the interface call (will be executed if the call succeeds or fails)

3) When you scroll to a certain area, the menu button of the corresponding area is highlighted

Get the initial distance between the area and the top

let arr = [
         { name: '.menu-nav', attr: 'menu_top', addNum: 0 },
         { name: '.panel1', attr: 'panel1_top', addNum: 0 },
         { name: '.panel2', attr: 'panel2_top', addNum: 0 },
         { name: '.panel3', attr: 'panel3_top', addNum: 0 },
         { name: '.panel4', attr: 'panel4_top', addNum: 0 },
     ]
     arr.forEach((item, i) => {
         wx.createSelectorQuery().select(item.name).boundingClientRect(function(res) {
             let obj = {}
             if (res && res.top) {
                 obj[item.attr] = parseInt(res.top)

                 if (item.addNum) {
                     obj[item.attr] += item.addNum
                 }
                 that.setData({
                     ...obj
                 })
             }

         }).exec()

     })

Check if the scrolling exceeds the area

// Listen for page scrolling onPageScroll: function(e) {
     let hTop = parseInt(e.scrollTop)
     // Automatically switch menu let tab=0
      if (hTop >= (this.data['panel4_top'] - this.data.menu_top)) {
        tab=3
     }else if (hTop >= (this.data['panel3_top'] - this.data.menu_top)){
        tab=2
     }
     else if (hTop >= (this.data['panel2_top'] - this.data.menu_top)){
         tab=1
     }
     this.setData({
         tabIndex: tab,
     })
 },

Complete code

index.js

// pages/index/index.js
Page({

  /**
   * Initial data of the page */
  data: {
    tabIndex: 0, //Current menu menuList: ['Menu 1', 'Menu 2', 'Menu 3', 'Menu 4'], //Navigation menu tabFixed: false, //Whether to position// The distance from the top of the initial page menu_top: 0,
    panel1_top: 0,
    panel2_top: 0,
    panel3_top: 0,
    panel4_top: 0,
  },

  /**
   * Life cycle function--listen for page loading*/
  onLoad: function (options) {

  },
  onShow:function (options){
    this.getTopDistance()
  },
  // Get the height from the top of the page getTopDistance() {
    let that = this
    let arr = [{
        name: '.menu-nav',
        attr: 'menu_top',
        addNum: 0
      },
      {
        name: '.panel1',
        attr: 'panel1_top',
        addNum: 0
      },
      {
        name: '.panel2',
        attr: 'panel2_top',
        addNum: 0
      },
      {
        name: '.panel3',
        attr: 'panel3_top',
        addNum: 0
      },
      {
        name: '.panel4',
        attr: 'panel4_top',
        addNum: 0
      },
    ]
    arr.forEach((item, i) => {
      wx.createSelectorQuery().select(item.name).boundingClientRect(function (res) {
        let obj = {}
        if (res && res.top) {
          obj[item.attr] = parseInt(res.top)

          if (item.addNum) {
            obj[item.attr] += item.addNum
          }
          that.setData({
            ...obj
          })
        }

      }).exec()

    })
  },
  // Navigation bar switch settings setSelectType(event) {
    let index = event.currentTarget.dataset.type
    this.setData({
      tabIndex: index,
    })
    let arr = ['panel1_top', 'panel2_top', 'panel3_top', 'panel4_top']
    let _this = this
    wx.pageScrollTo({
      scrollTop: _this.data[arr[index]],
      duration: 500
    })
  },
  // Listen for page scrolling onPageScroll: function (e) {
    let hTop = parseInt(e.scrollTop)

    // Does the menu need to be positioned at the top if (hTop > this.data.menu_top) {
      this.setData({
        tabFixed: true
      })
    } else {
      this.setData({
        tabFixed: false
      })
    }

    // Automatically switch menu if (hTop >= (this.data['panel4_top'] - this.data.menu_top)) {
      this.setData({
        tabIndex: 3,
      })
    }else if (hTop >= (this.data['panel3_top'] - this.data.menu_top)){
      this.setData({
        tabIndex: 2,
      })
    }
    else if (hTop >= (this.data['panel2_top'] - this.data.menu_top)){
      this.setData({
        tabIndex: 1,
      })
    }else{
      this.setData({
        tabIndex: 0,
      })
    }
  },
})

index.wxml

<view class="Main">
    <view class="head">
        I am the head area</view>
    <view class="{{tabFixed?'is-fixed':''}} menu-nav">
        <text wx:for="{{menuList}}" class="{{tabIndex==index?'is-select':''}}" bind:tap="setSelectType" data-type='{{index}}'>{{item}}</text>
        
    </view>
    <view class="content">
        <view class="panel1 panel">Page 1</view>
        <view class="panel2 panel">Page 2</view>
        <view class="panel3 panel">Page 3</view>
        <view class="panel4 panel">Page 4</view>
    </view>
</view>

index.wxss

.menu-nav {
  display: flex;
  align-items: center;
  justify-content: space-around;
  color: black;
  padding: 10px 0;
  width: 100%;
  background-color: white;
}

.is-select {
  color: red;
}

.head {
  display: flex;
  align-items: center;
  justify-content: center;
  font-size: 40px;
  height: 120px;
  background-color: greenyellow;
}

.is-fixed {
  position: fixed;
  top: 0;
}

.panel {
  display: flex;
  align-items: center;
  justify-content: center;
  font-size: 20px;
}

.panel1 {
  height: 800rpx;
  background-color: rebeccapurple;
}

.panel2 {
  height: 700rpx;
  background-color: blue;
}

.panel3 {
  height: 1000rpx;
  background-color: orange;
}

.panel4 {
  height: 1200rpx;
  background-color: pink;
}

This is the end of this article about WeChat Mini Program - Customized Menu Navigation (Realizing Stair Effect). For more relevant WeChat Mini Program customized menu navigation content, please search for previous articles on 123WORDPRESS.COM or continue to browse the related articles below. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • WeChat applet MUI side-sliding navigation menu example (Popup pop-up, slide on the left, and don’t move on the right)
  • WeChat Mini Program MUI side-sliding navigation menu example (Popup pop-up, left side fixed, right side sliding)

<<:  Analysis and solution of the reasons why MySQL scheduled tasks cannot be executed normally

>>:  How to convert Chinese into UTF-8 in HTML

Recommend

MySQL 8.0.23 installation and configuration method graphic tutorial under win10

This article shares the installation and configur...

Vue application example code based on axios request encapsulation

Table of contents What is axios? Axios request ty...

Record a pitfall of MySQL update statement update

background Recently, I executed a DML statement d...

Mysql master/slave database synchronization configuration and common errors

As the number of visits increases, for some time-...

Learning about UDP in Linux

Table of contents 1. Introduction to UDP and Linu...

MySQL 8.0.25 installation and configuration method graphic tutorial

The latest download and installation tutorial of ...

Convert psd cut image to div+css format

PSD to div css web page cutting example Step 1: F...

Several ways to store images in MySQL database

Usually the pictures uploaded by users need to be...

Implementing a simple Christmas game with JavaScript

Table of contents Preface Achieve results Code CS...

MySQL replication table details and example code

MySQL replication table detailed explanation If w...

Detailed explanation of the loop form item example in Vue

Sometimes we may encounter such a requirement, th...

How to set up vscode remote connection to server docker container

Table of contents Pull the image Run the image (g...