在实际开发过中,我们需要获取服务器时间,来保证时间的准确性,这里主要介绍使用
使用云函数来获取服务器时间
// 云函数入口文件
const cloud = require('wx-server-sdk')
cloud.init()
// 云函数入口函数
exports.main = async (event, context) => {
return new Date()
}
值得注意的是 云函数里的 new Date ()是utc时间,并不是北京时间,怎么转换为北京时间稍后介绍。
为了避免重复多次调用云函数获取时间, 我把获取方法写在app.js里
这样有两个好处:
A 如果你只获取当前 年/月/日 ,那么只需要调用
globalData.serverDate
B 如果你要获取当前 年/月/日/时/分/秒,那么只需要调用
app.getserverDate()
// 云函数入口文件
//app.js
App({
onLaunch: function () {
if (!wx.cloud) {
console.error('请使用 2.2.3 或以上的基础库以使用云能力')
} else {
wx.cloud.init({
traceUser: true,
})
}
this.globalData = { serverDate: this.getserverDate()}
},
//获取服务器时间
getserverDate:function(){
wx.cloud.callFunction({
name: 'getdate',
success: function (res) {
getApp().globalData.serverDate = res.result
}
})
}
})
下面我们就来实际用下 ,看下能否实现我们想要的效果
import { JumpUtils} from '../jumpUtils.js';
var jumpM= new JumpUtils();
var util = require('../../utils/utils.js');
const app = getApp()
Page({
data: {
date:'' //保存当前日期
},
onLoad: function (options) {
this.setData({ date: util.formatTime(jumpM.utc_beijing(app.globalData.serverDate)) })
},
})
注意: 从云函数获取到时间格式默认格式: 2019-04-26T07:45:38.057Z
这里我引用了3处,app引用就不用介绍了,utils是转换时间用的,
jumpM 实际上我一个模型,下面有个utc_beijing 方法一看就知道是
utc时间转北京时间
utc_beijing
//utc时间转北京时间
utc_beijing(utc_datetime) {
// 转为正常的时间格式 年-月-日 时:分:秒
var T_pos = utc_datetime.indexOf('T');
var Z_pos = utc_datetime.indexOf('Z');
var year_month_day = utc_datetime.substr(0, T_pos);
var hour_minute_second = utc_datetime.substr(T_pos + 1, Z_pos - T_pos - 1);
var new_datetime = year_month_day + " " + hour_minute_second; // 2017-03-31 08:02:06
// 处理成为时间戳
timestamp = new Date(Date.parse(new_datetime));
timestamp = timestamp.getTime();
timestamp = timestamp / 1000;
// 增加8个小时,北京时间比utc时间多八个时区
var timestamp = timestamp + 8 * 60 * 60;
// 时间戳转为时间
// var beijing_datetime = new Date(parseInt(timestamp) * 1000).toLocaleString().replace(/年|月/g, "-").replace(/日/g, " ");
var beijing_datetime = new Date(parseInt(timestamp) * 1000)
return beijing_datetime; // 2017-03-31 16:02:06
}
utils 是小程序自己封装的一个方法(其实可以把utils 和utc_beijing封装在一起 方便简洁一点)
function formatTime(date) {
var year = date.getFullYear()
var month = date.getMonth() + 1
var day = date.getDate()
var hour = date.getHours()
var minute = date.getMinutes()
var second = date.getSeconds()
return [year, month, day].map(formatNumber).join('')
}
function formatNumber(n) {
n = n.toString()
return n[1] ? n : '0' + n
}
module.exports = {
formatTime: formatTime
}
代码已奉上,请君尽情参考!路漫漫其修远兮。