# 小程序获取系统栏信息
一般在自定义导航栏时需要获取小程序导航栏信息,然后根据位置大小等信息处理布局。
# 基础api
- wx.getSystemInfoSync
- wx.getMenuButtonBoundingClientRect
获取菜单按钮(右上角胶囊按钮)的布局位置信息 (opens new window)
这个接口因为机型/网络等原因,有时不会有返回的数据,需要 try catch
。
# 参考代码
为了做缓存,可以在App
里面添加一个cache
属性,保存获取到的数据,下次如果有其他页面使用,不用重新获取数据,优化性能。
这里采用promise
封装数据,下次使用直接resolve
。
globalData: {
systemInfo: null
},
getSystemInfo() {
return new Promise((resolve, reject) => {
if (this.globalData.systemInfo) resolve(this.globalData.systemInfo)
else {
let res = wx.getSystemInfoSync()
const ios = !!(res.system.toLowerCase().search('ios') + 1)
const isIPhoneX = ios && res.screenHeight >= 812
res.isIPhoneX = isIPhoneX
res.ios = ios
let rect
try {
rect = wx.getMenuButtonBoundingClientRect ? wx.getMenuButtonBoundingClientRect() : null
if (!rect || !rect.height || !rect.width) {
throw new Error('getMenuButtonBoundingClientRect error')
}
} catch (error) {
let gap = 4 // 胶囊按钮上下间距 使导航内容居中
let width = 96 // 胶囊的宽度
if (res.platform === 'android') {
gap = 8
width = 96
} else if (res.platform === 'devtools') {
if (ios) {
gap = 5.5 // 开发工具中ios手机
} else {
gap = 7.5 // 开发工具中android和其他手机
}
} else {
gap = 4
width = 88
}
if (!res.statusBarHeight) {
// 开启wifi的情况下修复statusBarHeight值获取不到
res.statusBarHeight = res.screenHeight - res.windowHeight - 20
}
rect = {
// 获取不到胶囊信息就自定义重置一个
bottom: res.statusBarHeight + gap + 32,
height: 32,
left: res.windowWidth - width - 10,
right: res.windowWidth - 10,
top: res.statusBarHeight + gap,
width: width
}
}
this.globalData.systemInfo = res
this.globalData.systemInfo.menu = rect
let gap = rect.top - res.statusBarHeight
let navbarTop = res.statusBarHeight + 2 * gap + rect.height
// 计算导航栏高度,页面可以直接使用navbarTopWithPX
// this.globalData.systemInfo.navbarTop = navbarTop
// let t = res.screenTop || navbarTop
// if (isIPhoneX) {
// t = 88
// }
// let navbarTopWithPX = (t || 64) + 4 + 'px'
// this.globalData.systemInfo.navbarTopWithPX = navbarTopWithPX
console.log('systemInfo', this.globalData.systemInfo)
resolve(this.globalData.systemInfo)
}
})
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66