common.js 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901
  1. /**
  2. * 通用函数
  3. */
  4. import i18n from '../locale/index.js';
  5. var config = require('./config.js');
  6. /**
  7. * 时间戳转为 xxxx-xx-xx xx:xx:xx 格式
  8. */
  9. function formatTime(time) {
  10. if (time == 0) {
  11. return '';
  12. }
  13. var dateTime = new Date(time * 1000);
  14. var year = dateTime.getFullYear();
  15. var month = dateTime.getMonth() + 1;
  16. var date = dateTime.getDate();
  17. var hour = dateTime.getHours();
  18. var minute = dateTime.getMinutes();
  19. var second = dateTime.getSeconds();
  20. return year + '-' + month + '-' + date + ' ' + hour + ':' + minute + ':' + second;
  21. }
  22. /**
  23. * 时间戳转为 xxxx.xx.xx xx:xx 格式
  24. */
  25. function formatMinuteTime(time) {
  26. if (time == 0) {
  27. return '';
  28. }
  29. var dateTime = new Date(time * 1000);
  30. var year = dateTime.getFullYear();
  31. var month = dateTime.getMonth() + 1;
  32. var date = dateTime.getDate();
  33. var hour = dateTime.getHours();
  34. var minute = dateTime.getMinutes();
  35. return year + '.' + month + '.' + date + ' ' + hour + ':' + minute;
  36. }
  37. function getFlatternDistance(lon1, lat1, lon2, lat2) {
  38. var DEF_PI = 3.14159265359; // PI
  39. var DEF_2PI = 6.28318530712; // 2*PI
  40. var DEF_PI180 = 0.01745329252; // PI/180.0
  41. var DEF_R = 6370693.5; // radius of earth
  42. var ew1, ns1, ew2, ns2;
  43. var dx, dy, dew;
  44. var distance; // 角度转换为弧度
  45. ew1 = lon1 * DEF_PI180;
  46. ns1 = lat1 * DEF_PI180;
  47. ew2 = lon2 * DEF_PI180;
  48. ns2 = lat2 * DEF_PI180; // 经度差
  49. dew = ew1 - ew2; // 若跨东经和西经180 度,进行调整
  50. if (dew > DEF_PI) dew = DEF_2PI - dew;
  51. else if (dew < -DEF_PI) dew = DEF_2PI + dew;
  52. dx = DEF_R * Math.cos(ns1) * dew; // 东西方向长度(在纬度圈上的投影长度)
  53. dy = DEF_R * (ns1 - ns2); // 南北方向长度(在经度圈上的投影长度)
  54. // 勾股定理求斜边长
  55. distance = Math.sqrt(dx * dx + dy * dy).toFixed(0);
  56. return Number(distance);
  57. }
  58. function formatDateTime(time) {
  59. var dateTime = new Date(time);
  60. var year = dateTime.getFullYear();
  61. var month = ('00' + (dateTime.getMonth() + 1)).substr(String(dateTime.getMonth() + 1).length);
  62. var date = ('00' + dateTime.getDate()).substr(String(dateTime.getDate()).length);
  63. var hour = ('00' + dateTime.getHours()).substr(String(dateTime.getHours()).length);
  64. var minute = ('00' + dateTime.getMinutes()).substr(String(dateTime.getMinutes()).length);
  65. var second = ('00' + dateTime.getSeconds()).substr(String(dateTime.getSeconds()).length);
  66. return year + '-' + month + '-' + date + ' ' + hour + ':' + minute + ':' + second;
  67. }
  68. /**
  69. * js简单对象转为url查询字符串key=value&
  70. */
  71. function obj2UrlQuery(obj) {
  72. var urlQurey = '';
  73. for (var key in obj) {
  74. urlQurey += key + '=' + obj[key] + '&';
  75. }
  76. if (urlQurey != '') urlQurey = urlQurey.substring(0, urlQurey.length - 1);
  77. return urlQurey;
  78. }
  79. function getQueryObject(url) {
  80. url = url == null ? window.location.href : url;
  81. const search = url.substring(url.lastIndexOf('?') + 1);
  82. const obj = {};
  83. const reg = /([^?&=]+)=([^?&=]*)/g;
  84. search.replace(reg, (rs, $1, $2) => {
  85. const name = decodeURIComponent($1);
  86. let val = decodeURIComponent($2);
  87. val = String(val);
  88. obj[name] = val;
  89. return rs;
  90. });
  91. return obj;
  92. }
  93. /**
  94. * 去掉 undefined/null, 返回默认值
  95. */
  96. function getDefaultValue(value, default_value) {
  97. if (value === undefined || value === null) {
  98. return default_value || '';
  99. }
  100. return value;
  101. }
  102. /**
  103. * 判断为空: undefined/null/空字符
  104. * 为空返回 true, 否则返回false
  105. */
  106. function isEmpty(value) {
  107. if (value === undefined || value === null || value === '' || value.trim() === '') return true;
  108. return false;
  109. } //防止多次点击
  110. function preventMultipleClick() {
  111. const app = getApp();
  112. if (app.globalData.preventClick) {
  113. app.globalData.preventClick = false;
  114. setTimeout(() => {
  115. app.globalData.preventClick = true;
  116. }, 1500);
  117. }
  118. }
  119. function alert(title, content, successCallBack) {
  120. uni.showModal({
  121. title: title || '',
  122. content: content || '',
  123. showCancel: false,
  124. success: successCallBack
  125. });
  126. }
  127. function loading() {
  128. uni.showLoading({
  129. title: '正在加载数据 ...',
  130. mask: true
  131. });
  132. }
  133. /**
  134. * 成功提示
  135. */
  136. function successToast(title, duration) {
  137. uni.showToast({
  138. title: title || '成功',
  139. icon: 'success',
  140. duration: duration || 1500,
  141. mask: true
  142. });
  143. }
  144. /**
  145. * 简单提示
  146. */
  147. function simpleToast(title, duration) {
  148. uni.showToast({
  149. title: title || '成功',
  150. icon: 'none',
  151. duration: duration || 1500
  152. });
  153. }
  154. /**
  155. * 手机号验证 简单匹配
  156. */
  157. function isPhone(phone) {
  158. return phone.match(/^1[0-9]{10}$/) != null;
  159. }
  160. /**
  161. * 检验字符串是否是纯数值 正数 小数
  162. */
  163. function isDigital(num) {
  164. //return num.match(/^[1-9]?\d+[.]?\d+$/) != null;
  165. return num.match(/^[0-9]?\d+[.]?\d+$/) != null;
  166. }
  167. /**
  168. * 选择并上传图片
  169. */
  170. function uploadImg(callback) {
  171. uni.chooseImage({
  172. count: 1,
  173. success: function(res) {
  174. var tempFilePaths = res.tempFilePaths;
  175. uni.uploadFile({
  176. url: config.API_UP_IMG_URL,
  177. filePath: tempFilePaths[0],
  178. //#ifdef MP-ALIPAY
  179. fileType: "image",
  180. //#endif
  181. name: 'imgFile',
  182. success: function(res1) {
  183. var rtDataObj = JSON.parse(res1.data);
  184. if (rtDataObj.code == 200) {
  185. callback(rtDataObj.data[0].url);
  186. } else {
  187. uni.showModal({
  188. title: '错误',
  189. content: '上传图片错误[' + rtDataObj.message + ']'
  190. });
  191. }
  192. }
  193. });
  194. }
  195. });
  196. }
  197. /**
  198. * 选择并上传图片 七牛存储
  199. */
  200. function upLoadImgQiNiu(callback, type = ['album', 'camera']) {
  201. const http = require('./http.js');
  202. uni.chooseImage({
  203. count: 1,
  204. sourceType: type,
  205. success: function(res) {
  206. const tempFilePaths = res.tempFilePaths;
  207. loading();
  208. http.getApi(config.API_QINIU_UP_IMG_TOKEN, {}, function(response) {
  209. if (response.data.code === 200) {
  210. const token = response.data.data.token;
  211. uni.uploadFile({
  212. url: config.QINIU_UPLOAD_SITE,
  213. filePath: tempFilePaths[0],
  214. //#ifdef MP-ALIPAY
  215. fileType: "image",
  216. //#endif
  217. name: 'file',
  218. formData: {
  219. token: token
  220. },
  221. success: function(res1) {
  222. uni.hideLoading();
  223. var rtDataObj = JSON.parse(res1.data);
  224. const key = rtDataObj.key;
  225. callback(config.QINIU_SITE + key);
  226. },
  227. fail: function(res) {
  228. simpleToast('上传失败');
  229. uni.hideLoading();
  230. }
  231. });
  232. } else {
  233. simpleToast(response.data.msg);
  234. uni.hideLoading();
  235. }
  236. });
  237. }
  238. });
  239. }
  240. function getQVConfig(macid, successCallBack) {
  241. var pData = {
  242. macid: macid
  243. };
  244. const http = require('./http.js');
  245. http.postApi(config.API_QV_CONFIG, pData, function(response) {
  246. if (response.data.code === 200) {
  247. successCallBack(response);
  248. }
  249. });
  250. }
  251. function upLoadImgQiNiu2(callback, filePath) {
  252. const http = require('./http.js');
  253. loading();
  254. http.getApi(config.API_QINIU_UP_IMG_TOKEN, {}, function(response) {
  255. if (response.data.code === 200) {
  256. const token = response.data.data.token;
  257. uni.uploadFile({
  258. url: config.QINIU_UPLOAD_SITE,
  259. filePath: filePath,
  260. name: 'file',
  261. //#ifdef MP-ALIPAY
  262. fileType: "image",
  263. //#endif
  264. formData: {
  265. token: token
  266. },
  267. success: function(res1) {
  268. uni.hideLoading();
  269. var rtDataObj = JSON.parse(res1.data);
  270. const key = rtDataObj.key;
  271. callback(config.QINIU_SITE + key);
  272. },
  273. fail: function(res) {
  274. simpleToast('上传失败');
  275. uni.hideLoading();
  276. }
  277. });
  278. } else {
  279. simpleToast(response.data.msg);
  280. uni.hideLoading();
  281. }
  282. });
  283. }
  284. /**
  285. * 判断一个元素是否在数组中
  286. */
  287. function inArray(elem, arrayData) {
  288. for (var i = 0; i < arrayData.length; i++) {
  289. if (elem == arrayData[i]) {
  290. return true;
  291. }
  292. }
  293. return false;
  294. }
  295. function compareVersion(v1, v2) {
  296. v1 = v1.split('.');
  297. v2 = v2.split('.');
  298. const len = Math.max(v1.length, v2.length);
  299. while (v1.length < len) {
  300. v1.push('0');
  301. }
  302. while (v2.length < len) {
  303. v2.push('0');
  304. }
  305. for (let i = 0; i < len; i++) {
  306. const num1 = parseInt(v1[i]);
  307. const num2 = parseInt(v2[i]);
  308. if (num1 > num2) {
  309. return 1;
  310. } else if (num1 < num2) {
  311. return -1;
  312. }
  313. }
  314. return 0;
  315. }
  316. /**
  317. * 格式化秒
  318. * @param int value 总秒数
  319. * @return string result 格式化后的字符串
  320. */
  321. function formatSeconds(value) {
  322. var theTime = parseInt(value); // 需要转换的时间秒
  323. var theTime1 = 0; // 分
  324. var theTime2 = 0; // 小时
  325. var theTime3 = 0; // 天
  326. if (theTime === 0) return parseInt(theTime) + '秒';
  327. if (theTime > 60) {
  328. theTime1 = parseInt(theTime / 60);
  329. theTime = parseInt(theTime % 60);
  330. if (theTime1 > 60) {
  331. theTime2 = parseInt(theTime1 / 60);
  332. theTime1 = parseInt(theTime1 % 60);
  333. if (theTime2 > 24) {
  334. //大于24小时
  335. theTime3 = parseInt(theTime2 / 24);
  336. theTime2 = parseInt(theTime2 % 24);
  337. }
  338. }
  339. }
  340. var result = '';
  341. if (theTime > 0) {
  342. result = '' + parseInt(theTime) + '秒';
  343. }
  344. if (theTime1 > 0) {
  345. result = '' + parseInt(theTime1) + '分' + result;
  346. }
  347. if (theTime2 > 0) {
  348. result = '' + parseInt(theTime2) + '小时' + result;
  349. }
  350. if (theTime3 > 0) {
  351. result = '' + parseInt(theTime3) + '天' + result;
  352. }
  353. return result;
  354. }
  355. function hueRotate(r, g, b, deg) {
  356. var components = [];
  357. var cosHue = Math.cos((deg * Math.PI) / 180);
  358. var sinHue = Math.sin((deg * Math.PI) / 180);
  359. components[0] = 0.213 + cosHue * 0.787 - sinHue * 0.213;
  360. components[1] = 0.715 - cosHue * 0.715 - sinHue * 0.715;
  361. components[2] = 0.072 - cosHue * 0.072 + sinHue * 0.928;
  362. components[3] = 0.213 - cosHue * 0.213 + sinHue * 0.143;
  363. components[4] = 0.715 + cosHue * 0.285 + sinHue * 0.14;
  364. components[5] = 0.072 - cosHue * 0.072 - sinHue * 0.283;
  365. components[6] = 0.213 - cosHue * 0.213 - sinHue * 0.787;
  366. components[7] = 0.715 - cosHue * 0.715 + sinHue * 0.715;
  367. components[8] = 0.072 + cosHue * 0.928 + sinHue * 0.072;
  368. var red = r * components[0] + g * components[1] + b * components[2];
  369. var green = r * components[3] + g * components[4] + b * components[5];
  370. var blue = r * components[6] + g * components[7] + b * components[8];
  371. return [red, green, blue];
  372. }
  373. function toArrayBuffer(arr) {
  374. var buffer = new ArrayBuffer(arr.length);
  375. var view = new Int8Array(buffer);
  376. for (var i = 0; i < arr.length; i++) {
  377. view[i] = arr[i];
  378. }
  379. return buffer;
  380. }
  381. function completArrayCRC(arr, n = 16) {
  382. for (var i = n - arr.length; i > 1; i--) {
  383. arr.push(0);
  384. }
  385. arr.push(arr.reduce((p, c) => p + c) % 0x100);
  386. return arr;
  387. }
  388. function getRamNumber() {
  389. var result = '';
  390. for (var i = 0; i < 8; i++) {
  391. result += Math.floor(Math.random() * 16).toString(16); //获取0-15并通过toString转16进制
  392. } //默认字母小写,手动转大写
  393. return result.toUpperCase(); //另toLowerCase()转小写
  394. }
  395. function checkVersion() {
  396. // 获取小程序更新机制的兼容,由于更新的功能基础库要1.9.90以上版本才支持,所以此处要做低版本的兼容处理
  397. if (uni.canIUse('getUpdateManager')) {
  398. // wx.getUpdateManager接口,可以获知是否有新版本的小程序、新版本是否下载好以及应用新版本的能力,会返回一个UpdateManager实例
  399. const updateManager = uni.getUpdateManager(); // 检查小程序是否有新版本发布,onCheckForUpdate:当小程序向后台请求完新版本信息,会通知这个版本告知检查结果
  400. updateManager.onCheckForUpdate(function(res) {
  401. // 请求完新版本信息的回调
  402. if (res.hasUpdate) {
  403. // 检测到新版本,需要更新,给出提示
  404. uni.showModal({
  405. title: '更新提示',
  406. content: '检测到新版本,是否下载新版本并重启小程序',
  407. success: function(res) {
  408. if (res.confirm) {
  409. // 用户确定更新小程序,小程序下载和更新静默进行
  410. _this.downLoadAndUpdate(updateManager);
  411. } else if (res.cancel) {
  412. // 若用户点击了取消按钮,二次弹窗,强制更新,如果用户选择取消后不需要进行任何操作,则以下内容可忽略
  413. uni.showModal({
  414. title: '提示',
  415. content: '本次版本更新涉及到新功能的添加,旧版本将无法正常使用',
  416. showCancel: false,
  417. // 隐藏取消按钮
  418. confirmText: '确认更新',
  419. // 只保留更新按钮
  420. success: function(res) {
  421. if (res.confirm) {
  422. // 下载新版本,重启应用
  423. downLoadAndUpdate(updateManager);
  424. }
  425. }
  426. });
  427. }
  428. }
  429. });
  430. }
  431. });
  432. } else {
  433. // 在最新版本客户端上体验小程序
  434. uni.showModal({
  435. title: '提示',
  436. content: '当前微信版本过低,无法使用该功能,请升级到最新微信版本后重试'
  437. });
  438. }
  439. } // 下载小程序最新版本并重启
  440. function downLoadAndUpdate(updateManager) {
  441. uni.showLoading(); // 静默下载更新小程序新版本,onUpdateReady:当新版本下载完成回调
  442. updateManager.onUpdateReady(function() {
  443. uni.hideLoading(); // applyUpdate:强制当前小程序应用上新版本并重启
  444. updateManager.applyUpdate();
  445. }); // onUpdateFailed:当新版本下载失败回调
  446. updateManager.onUpdateFailed(function() {
  447. // 下载新版本失败
  448. uni.showModal({
  449. title: '已有新版本',
  450. content: '新版本已经上线了,请删除当前小程序,重新搜索打开'
  451. });
  452. });
  453. }
  454. function getASCIICode(text) {
  455. var index = 0,
  456. out = new Array(),
  457. show = [];
  458. if (text.length) {
  459. while (index < text.length) {
  460. var character = text.charAt(index),
  461. charCode = text.charCodeAt(index);
  462. if (charCode >= 0xd800 && charCode <= 0xdbff) {
  463. ++index;
  464. out.push(new Array(character + text.charAt(index), charCode.toString(16).toUpperCase() + text
  465. .charCodeAt(index).toString(16).toUpperCase()));
  466. } else {
  467. out.push(new Array(character, charCode.toString(16).toUpperCase()));
  468. }
  469. ++index;
  470. }
  471. for (var x in out) {
  472. var D = parseInt(out[x][1], 16);
  473. if (D > 65535) {
  474. //超出ascii utf16
  475. } else if (D > 127) {
  476. //超出ascii unicode
  477. } //show += out[x][1]
  478. else show.push(D);
  479. }
  480. }
  481. return show;
  482. }
  483. function bluetoothGetCtlData() {
  484. const http = require('./http.js');
  485. const accountInfo = uni.getAccountInfoSync();
  486. const app = getApp();
  487. http.postApi(
  488. config.API_GET_CTL, {
  489. appid: accountInfo.miniProgram.appId
  490. },
  491. (resp) => {
  492. if (resp.data.code === 200) {
  493. app.globalData.bluetoothConfig = resp.data.data;
  494. }
  495. }
  496. );
  497. }
  498. function getHexData(data) {
  499. var hexStr = '';
  500. for (var i = 0; data.length > i; i++) {
  501. var hex = data[i].toString(16);
  502. if (hex.length === 1) {
  503. hex = '0' + hex;
  504. }
  505. hexStr = hexStr + hex;
  506. }
  507. return hexStr;
  508. }
  509. var repeatTime = 0;
  510. function reportBms(macid, data, successCallBack) {
  511. var pData = {
  512. macid: macid,
  513. data: getHexData(data)
  514. };
  515. const http = require('./http.js');
  516. var endTime = new Date().getTime();
  517. if (endTime - repeatTime > 3000) {
  518. //防止多条数据重发
  519. repeatTime = endTime;
  520. http.postApi(config.API_REPORT_BMS, pData, function(response) {
  521. if (response.data.code === 200) {
  522. successCallBack(response);
  523. }
  524. });
  525. }
  526. }
  527. function reportLog(type, dev_id, data) {
  528. var pData = {
  529. dev_id: dev_id,
  530. origin: type,
  531. data: data
  532. };
  533. const http = require('./http.js');
  534. http.postApi(config.API_CABINET_BLUETOOTH_LOG, pData, function(response) {});
  535. }
  536. function maskPhoneNumber(phoneNumber) {
  537. // 确保输入的是字符串
  538. phoneNumber = phoneNumber.toString();
  539. // 使用正则表达式替换手机号中间的数字为 *
  540. var maskedPhoneNumber = phoneNumber.replace(/(\d{3})\d+(\d{4})/, "$1****$2");
  541. return maskedPhoneNumber;
  542. }
  543. function formatDistance(distanceMeters) {
  544. if (!distanceMeters) return ''
  545. // 判断距离是否超过1000米
  546. if (distanceMeters >= 1000) {
  547. // 如果超过1000米,则转换为千米并返回
  548. return (distanceMeters / 1000).toFixed(2) + 'km';
  549. } else {
  550. // 否则直接返回米
  551. return distanceMeters.toFixed(0) + 'm';
  552. }
  553. }
  554. function formatWeight(weightMeters) {
  555. if (!weightMeters) return ''
  556. if (weightMeters >= 1000) {
  557. return (weightMeters / 1000).toFixed(2) + 'kg';
  558. } else {
  559. return weightMeters.toFixed(0) + 'g';
  560. }
  561. }
  562. function loadAugmentTime(duration_unit, time, select_hire_duration) {
  563. // (周期单位,开始时间, 周期)
  564. var now = new Date(time);
  565. switch (duration_unit - 0) {
  566. case 1: //日
  567. now = new Date(now.getTime() + select_hire_duration * 24 * 60 * 60 * 1000);
  568. break;
  569. case 2:
  570. now.setMonth(now.getMonth() + select_hire_duration);
  571. break;
  572. case 3:
  573. now.setFullYear(now.getFullYear() + select_hire_duration);
  574. break;
  575. case 4: //时
  576. var cycle_time = select_hire_duration / 24;
  577. now = new Date(now.getTime() + cycle_time * 24 * 60 * 60 * 1000);
  578. break;
  579. case 5:
  580. var cycle_time = select_hire_duration;
  581. now = new Date(now.getTime() + cycle_time * 60 * 1000);
  582. break;
  583. case 6: //周
  584. var cycle_time = select_hire_duration * 7;
  585. now = new Date(now.getTime() + cycle_time * 24 * 60 * 60 * 1000);
  586. break;
  587. }
  588. return parseInt(now.getTime() / 1000);
  589. }
  590. function isObjectEmpty(obj) {
  591. for (var key in obj) {
  592. if (obj.hasOwnProperty(key))
  593. return false;
  594. }
  595. return true;
  596. }
  597. function formatDate(dateStr) { // yyyy-mm-dd转换mm月dd日
  598. const date = new Date(dateStr);
  599. const month = String(date.getMonth() + 1).padStart(2, '0'); // 月份从0开始,所以加1
  600. const day = String(date.getDate()).padStart(2, '0'); // 日期不足两位时前面补0
  601. return `${month}月${day}日`;
  602. }
  603. function formatTimeDate(datetime) { // 时间戳格式化 返回x月x日 x:x
  604. if (datetime == 0) {
  605. return '';
  606. }
  607. var date = new Date(datetime * 1000);
  608. var month = String(date.getMonth() + 1).padStart(2, '0')
  609. var day = String(date.getDate()).padStart(2, '0')
  610. var hour = String(date.getHours()).padStart(2, '0')
  611. var minute = String(date.getMinutes()).padStart(2, '0')
  612. return month + '月' + day + '日 ' + ' ' + hour + ':' + minute;
  613. }
  614. function getToDay(type) { //转化为yyyy-mm-dd
  615. if (type === 1) {
  616. const now = new Date();
  617. const year = now.getFullYear();
  618. const month = String(now.getMonth() + 1).padStart(2, '0');
  619. const day = String(now.getDate() - 0 + 1).padStart(2, '0');
  620. const formattedDate = `${year}-${month}-${day}`;
  621. return formattedDate;
  622. } else {
  623. const now = new Date();
  624. const year = now.getFullYear();
  625. const month = String(now.getMonth() + 1).padStart(2, '0');
  626. const day = String(now.getDate()).padStart(2, '0');
  627. const formattedDate = `${year}-${month}-${day}`;
  628. return formattedDate;
  629. }
  630. }
  631. function getTimeToDay(time) { //转化为天时分
  632. if (time > 0) {
  633. var day = Math.floor(time / (60 * 24))
  634. var hour = Math.floor((time - day * (60 * 24)) / 60)
  635. var Minute = Math.floor(time - (hour * 60) - day * (60 * 24))
  636. var timeToDay = {
  637. day: day,
  638. hour: hour,
  639. minute: Minute,
  640. }
  641. } else {
  642. timeToDay = ''
  643. }
  644. return timeToDay
  645. }
  646. //判断当前时间是否在时间段内 店铺是否营业
  647. function isWithinTimeRange(startTime, endTime) {
  648. // 获取当前时间
  649. const now = new Date();
  650. const currentMinutes = now.getHours() * 60 + now.getMinutes();
  651. // 将传入的时间转换为分钟
  652. const [startHour, startMinute] = startTime.split(':').map(Number);
  653. const [endHour, endMinute] = endTime.split(':').map(Number);
  654. const startMinutes = startHour * 60 + startMinute;
  655. const endMinutes = endHour * 60 + endMinute;
  656. // 判断当前时间是否在指定范围内
  657. return currentMinutes >= startMinutes && currentMinutes <= endMinutes;
  658. }
  659. // 时间戳格式化 x:x:x -> x:x
  660. var formatToHHMM = function(timeStr) {
  661. var data = timeStr.split(':')
  662. var hours = data[0];
  663. var minutes = data[1];
  664. return hours + ':' + minutes;
  665. }
  666. // 时间戳格式化 x:x:x -> x:x
  667. var hideProvinceAndCity = function(address) {
  668. var regex = /(?:[\u4e00-\u9fa5]+省|[\u4e00-\u9fa5]+市|[\u4e00-\u9fa5]+自治区|[\u4e00-\u9fa5]+特别行政区)/g;
  669. return address.replace(regex, '').replace(/\s+/g, '').trim();
  670. }
  671. function calculateRemainingTime(serverTimestamp) {
  672. const currentTimestamp = getCurrentTimestamp();
  673. const remainingTime = serverTimestamp - currentTimestamp;
  674. return remainingTime > 0 ? remainingTime : 0;
  675. }
  676. function formatTimeScan(seconds) {
  677. const hours = Math.floor(seconds / 3600);
  678. const minutes = Math.floor((seconds % 3600) / 60);
  679. const secs = seconds % 60;
  680. var timeStr = ""
  681. return {
  682. hours: String(hours).padStart(2, '0'),
  683. minutes: String(minutes).padStart(2, '0'),
  684. secs: String(secs).padStart(2, '0')
  685. }
  686. }
  687. function getFormattedTime(time) {
  688. // 获取当前时间
  689. const now = time ? time : new Date();
  690. // 加上30分钟
  691. now.setMinutes(now.getMinutes() + 30);
  692. // 格式化时间
  693. const month = String(now.getMonth() + 1).padStart(2, "0"); // 月份从0开始,需要加1
  694. const day = String(now.getDate()).padStart(2, "0"); // 日期
  695. const hours = String(now.getHours()).padStart(2, "0"); // 小时
  696. const minutes = String(now.getMinutes()).padStart(2, "0"); // 分钟
  697. // 拼接成目标格式
  698. return `${month}-${day} ${hours}:${minutes}`;
  699. }
  700. function countToDay(count, unit) {
  701. let data = '';
  702. switch (unit - 0) {
  703. case 1: //日
  704. data = count
  705. break;
  706. case 2: //月
  707. data = count * 30
  708. break;
  709. case 4: //时
  710. data = count
  711. break;
  712. case 6: //周
  713. data = count * 7
  714. break;
  715. case 7: //季
  716. data = count * 90
  717. break;
  718. }
  719. return data;
  720. }
  721. async function callPhone(phone) {
  722. const text = i18n.t('您是否要拨打电话' + phone + '?')
  723. // const text=that.$t()+phone+'?'
  724. let res = await uni.showModal({
  725. content: text,
  726. confirmText: '确定',
  727. })
  728. if(res[1].confirm){
  729. uni.makePhoneCall({
  730. phoneNumber: phone,
  731. })
  732. }
  733. }
  734. module.exports = {
  735. formatTime: formatTime,
  736. obj2UrlQuery: obj2UrlQuery,
  737. getQueryObject: getQueryObject,
  738. getDefaultValue: getDefaultValue,
  739. isEmpty: isEmpty,
  740. alert: alert,
  741. isPhone: isPhone,
  742. loading: loading,
  743. successToast: successToast,
  744. simpleToast: simpleToast,
  745. isDigital: isDigital,
  746. uploadImg: uploadImg,
  747. upLoadImgQiNiu: upLoadImgQiNiu,
  748. upLoadImgQiNiu2: upLoadImgQiNiu2,
  749. inArray: inArray,
  750. compareVersion: compareVersion,
  751. formatDateTime: formatDateTime,
  752. formatSeconds: formatSeconds,
  753. hueRotate: hueRotate,
  754. toArrayBuffer: toArrayBuffer,
  755. getASCIICode: getASCIICode,
  756. completArrayCRC: completArrayCRC,
  757. getFlatternDistance: getFlatternDistance,
  758. checkVersion: checkVersion,
  759. bluetoothGetCtlData: bluetoothGetCtlData,
  760. reportBms: reportBms,
  761. getQVConfig: getQVConfig,
  762. reportLog: reportLog,
  763. preventMultipleClick: preventMultipleClick,
  764. maskPhoneNumber: maskPhoneNumber,
  765. formatDistance: formatDistance,
  766. formatWeight: formatWeight,
  767. formatMinuteTime: formatMinuteTime,
  768. loadAugmentTime: loadAugmentTime,
  769. formatDate: formatDate,
  770. formatTimeDate: formatTimeDate,
  771. getToDay: getToDay,
  772. getTimeToDay: getTimeToDay,
  773. isObjectEmpty: isObjectEmpty,
  774. isWithinTimeRange: isWithinTimeRange,
  775. formatToHHMM: formatToHHMM,
  776. hideProvinceAndCity: hideProvinceAndCity,
  777. formatTimeScan: formatTimeScan,
  778. calculateRemainingTime: calculateRemainingTime,
  779. countToDay: countToDay,
  780. getFormattedTime: getFormattedTime,
  781. callPhone: callPhone,
  782. };