common.ts 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614
  1. import { copyTextToClipboard } from "@pureadmin/utils";
  2. import { message } from "@/utils/message";
  3. import moment from "moment";
  4. import { request } from "@/utils";
  5. import { ref } from "vue";
  6. export function validateForm(formRef) {
  7. return new Promise((resolve, reject) => {
  8. formRef &&
  9. formRef.validate(valid => {
  10. if (valid) {
  11. resolve(true);
  12. } else {
  13. resolve(false);
  14. }
  15. });
  16. });
  17. }
  18. export function limitConcurrency(promises, callback, concurrency = 2) {
  19. let runningPromises = 0;
  20. let completedPromises = 0;
  21. const n = promises.length;
  22. function runNextPromise() {
  23. while (
  24. runningPromises < concurrency &&
  25. completedPromises + runningPromises < n
  26. ) {
  27. const promise = promises[completedPromises + runningPromises];
  28. runningPromises++;
  29. promise()
  30. .then(() => {
  31. completedPromises++;
  32. runningPromises--;
  33. if (completedPromises === n) {
  34. callback();
  35. } else {
  36. runNextPromise();
  37. }
  38. })
  39. .catch(error => {
  40. console.error(error);
  41. completedPromises++;
  42. runningPromises--;
  43. runNextPromise();
  44. });
  45. }
  46. }
  47. runNextPromise();
  48. }
  49. export function randomString(len = 32) {
  50. const $chars = "ABCDEFGHJKMNPQRSTWXYZabcdefhijkmnprstwxyz0123456789";
  51. const maxPos = $chars.length;
  52. let pwd = "";
  53. for (let i = 0; i < len; i++) {
  54. pwd += $chars.charAt(Math.floor(Math.random() * maxPos));
  55. }
  56. return pwd;
  57. }
  58. export const debounce = (fn: Function, delay: number) => {
  59. let timeout: any = undefined;
  60. return (...args: any[]) => {
  61. if (timeout) {
  62. clearTimeout(timeout);
  63. }
  64. timeout = setTimeout(() => {
  65. fn(...args);
  66. }, delay);
  67. };
  68. };
  69. export function throttle(fn: Function, time: number) {
  70. //初始化时间
  71. let lastTime = 0;
  72. return function () {
  73. //记录当前函数触发时间
  74. const nowTime = Date.now();
  75. if (nowTime - lastTime > time) {
  76. fn.call(this);
  77. lastTime = nowTime;
  78. }
  79. };
  80. }
  81. export const handleCopy = async copyValue => {
  82. const success = copyTextToClipboard(copyValue);
  83. // success
  84. // ? message("复制成功", { type: "success" })
  85. // : message("复制失败", { type: "error" });
  86. };
  87. export const parseJsonData = (data, defaultValue = "") => {
  88. try {
  89. return data
  90. ? typeof data == "string"
  91. ? JSON.parse(data)
  92. : data
  93. : defaultValue;
  94. } catch (e) {
  95. console.log(e);
  96. return defaultValue;
  97. }
  98. };
  99. // copy的 校验非空有0
  100. export function empty(v) {
  101. switch (typeof v) {
  102. case "undefined":
  103. return true;
  104. case "string":
  105. return !v;
  106. case "boolean":
  107. if (!v) return true;
  108. break;
  109. case "number":
  110. return false;
  111. case "object":
  112. if (null === v) return true;
  113. if (undefined !== v.length && v.length == 0) return true;
  114. for (const k in v) {
  115. return false;
  116. }
  117. return true;
  118. break;
  119. }
  120. return false;
  121. }
  122. export const getInterval = (startDate: string, endDate: string) => {
  123. const ms = new Date(endDate).getTime() - new Date(startDate).getTime();
  124. if (ms < 0) return 0;
  125. return Math.floor(ms / 1000 / 60 / 60) * 60;
  126. };
  127. export function deepClone<T>(obj: T): T {
  128. const isObject = (input: any): input is { [key: string]: any } => {
  129. return input !== null && typeof input === "object";
  130. };
  131. if (!isObject(obj)) {
  132. return obj;
  133. }
  134. if (Array.isArray(obj)) {
  135. return obj.map(item => deepClone(item)) as unknown as T;
  136. }
  137. const clonedObj: { [key: string]: any } = {};
  138. for (const key in obj) {
  139. if (Object.prototype.hasOwnProperty.call(obj, key)) {
  140. clonedObj[key] = deepClone(obj[key]);
  141. }
  142. }
  143. return clonedObj as T;
  144. }
  145. export function parseJSON(input: any, catchVal?: any): any {
  146. if (!input) return input;
  147. try {
  148. const parsed = JSON.parse(input);
  149. return parsed;
  150. } catch (error) {
  151. console.log(error);
  152. return catchVal != undefined ? catchVal : input;
  153. }
  154. }
  155. export const formatAge = (birthday: string) => {
  156. if (!birthday) return "";
  157. if (!isNaN(Number(birthday))) return birthday;
  158. let time = birthday.replace(/-/g, "/");
  159. const timeFormLen = time.includes("/") && time.split("/").length;
  160. if (timeFormLen < 3) {
  161. for (let i = 0; i < timeFormLen - 1; i++) {
  162. time += "/01";
  163. }
  164. }
  165. const offset = Date.now() - +new Date(time);
  166. return parseInt(String(offset / 86400000 / 365));
  167. };
  168. export function msToDate(ms: any, type = "dateTime") {
  169. const dateTime = new Date(ms);
  170. const year = dateTime.getFullYear();
  171. const month = dateTime.getMonth();
  172. const date = dateTime.getDate();
  173. const hour = dateTime.getHours();
  174. const minute = dateTime.getMinutes();
  175. const second = dateTime.getSeconds();
  176. const resultDateTime =
  177. year +
  178. "-" +
  179. (month + 1 >= 10 ? month + 1 : "0" + (month + 1)) +
  180. "-" +
  181. (date + 1 <= 10 ? "0" + date : date) +
  182. " " +
  183. (hour + 1 <= 10 ? "0" + hour : hour) +
  184. ":" +
  185. (minute + 1 <= 10 ? "0" + minute : minute) +
  186. ":" +
  187. (second + 1 <= 10 ? "0" + second : second);
  188. const resultDate =
  189. year +
  190. "-" +
  191. (month + 1 >= 10 ? month + 1 : "0" + (month + 1)) +
  192. "-" +
  193. (date + 1 <= 10 ? "0" + date : date);
  194. switch (type) {
  195. case "year":
  196. return year.toString();
  197. case "year-month":
  198. return `${year}-${month + 1 >= 10 ? month + 1 : "0" + (month + 1)}`;
  199. case "dateTime":
  200. return resultDateTime;
  201. default:
  202. return resultDate;
  203. }
  204. }
  205. export function downloadReportRename(downloadUrl, filename) {
  206. return new Promise((resolve, reject) => {
  207. const xhr = new XMLHttpRequest();
  208. xhr.open("GET", downloadUrl, true);
  209. xhr.responseType = "blob";
  210. xhr.onload = () => {
  211. if (xhr.status === 200) {
  212. const link = document.createElement("a");
  213. const body = document.body;
  214. const blob = xhr.response;
  215. link.href = window.URL.createObjectURL(blob);
  216. link.download = filename;
  217. // hide the link
  218. link.style.display = "none";
  219. body.appendChild(link);
  220. link.click();
  221. body.removeChild(link);
  222. window.URL.revokeObjectURL(link.href);
  223. resolve(link.href);
  224. } else {
  225. reject(new Error(`Request failed with status ${xhr.status}`));
  226. }
  227. };
  228. xhr.onerror = () => {
  229. reject(new Error("Request failed"));
  230. };
  231. xhr.send();
  232. });
  233. }
  234. export const deduplicateArrayByKeys = (arr, keys) => {
  235. const seen = new Set(); // 用于存储已经出现过的键值组合
  236. return arr.filter(item => {
  237. const itemKeys = keys.map(key => item[key]).join("-");
  238. if (!seen.has(itemKeys)) {
  239. seen.add(itemKeys);
  240. return true; // 如果键值组合不重复,则保留该项
  241. }
  242. return false; // 如果键值组合重复,则过滤掉该项
  243. });
  244. };
  245. export const previewTime = (type = 0, value) => {
  246. // 0:每天;1:每周;2:每月;3:固定多少天后
  247. if (!value)
  248. return {
  249. label: "-"
  250. };
  251. const count = Number(value);
  252. const now = moment().format("YYYY-MM-DD");
  253. if (type == 0) {
  254. const day = moment()
  255. .day(moment().day() + count)
  256. .format("YYYY-MM-DD");
  257. return {
  258. label: `${now} 至 ${day}`,
  259. startTime: now,
  260. endTime: day
  261. };
  262. }
  263. if (type == 1) {
  264. const day = moment()
  265. .day(moment().day() + count * 7)
  266. .format("YYYY-MM-DD");
  267. return {
  268. label: `${now} 至 ${day}`,
  269. startTime: now,
  270. endTime: day
  271. };
  272. }
  273. if (type == 2) {
  274. let month = "";
  275. month = moment()
  276. .month(moment().month() + count)
  277. .format("YYYY-MM");
  278. return {
  279. label: `${moment().format("YYYY-MM")}月 至 ${month}月`,
  280. startTime: now,
  281. endTime: moment()
  282. .month(moment().month() + count)
  283. .endOf("month")
  284. .format("YYYY-MM-DD")
  285. };
  286. }
  287. if (type == 3) {
  288. const day = moment()
  289. .day(moment().day() + count)
  290. .format("YYYY-MM-DD");
  291. return {
  292. label: `${day}`,
  293. startTime: now,
  294. endTime: day
  295. };
  296. }
  297. };
  298. export const transformDataExpand = (data, key) => {
  299. if (!key) return data;
  300. const transformedData = [];
  301. console.log(data);
  302. data?.forEach(item => {
  303. transformedData.push(item);
  304. if (item[key]?.length) {
  305. item[key].forEach((v, index) => {
  306. transformedData.push(v);
  307. });
  308. }
  309. });
  310. return transformedData;
  311. };
  312. export const timeDiffer = time => {
  313. return moment(time).diff(moment().format("YYYY-MM-DD"), "day");
  314. };
  315. export function findScope(string) {
  316. const scopes = [
  317. {
  318. id: 12,
  319. name: "<=B"
  320. },
  321. {
  322. id: 11,
  323. name: ">=A"
  324. },
  325. {
  326. id: 10,
  327. name: "-A~B"
  328. },
  329. {
  330. id: 9,
  331. name: "-A-B"
  332. },
  333. {
  334. id: 8,
  335. name: "A~"
  336. },
  337. {
  338. id: 7,
  339. name: "A~B"
  340. },
  341. {
  342. id: 6,
  343. name: "<B"
  344. },
  345. {
  346. id: 5,
  347. name: ">A"
  348. },
  349. {
  350. id: 4,
  351. name: "A-B"
  352. },
  353. {
  354. id: 3,
  355. name: "A--B"
  356. },
  357. {
  358. id: 2,
  359. name: "≥A"
  360. },
  361. {
  362. id: 1,
  363. name: "≤B"
  364. }
  365. ];
  366. const defaultScope = { origin: string, start: null, end: null };
  367. for (const scope of scopes) {
  368. const name = scope.name;
  369. if (name.includes("-A") && name.includes("B")) {
  370. const pattern = new RegExp(
  371. name.replace(/A/g, "(\\d+(\\.\\d+)?)").replace(/B/g, "(\\d+(\\.\\d+)?)")
  372. );
  373. const matchObj = string.match(pattern);
  374. if (matchObj) {
  375. defaultScope.start = -parseFloat(matchObj[1]).toFixed(4);
  376. defaultScope.end = parseFloat(matchObj[3]).toFixed(4);
  377. return defaultScope;
  378. }
  379. } else if (name.includes("A") && name.includes("B")) {
  380. const pattern = new RegExp(
  381. name.replace(/A/g, "(\\d+(\\.\\d+)?)").replace(/B/g, "(\\d+(\\.\\d+)?)")
  382. );
  383. const matchObj = string.match(pattern);
  384. if (matchObj) {
  385. defaultScope.start = parseFloat(matchObj[1]).toFixed(4);
  386. defaultScope.end = parseFloat(matchObj[3]).toFixed(4);
  387. return defaultScope;
  388. }
  389. } else if (name.includes("A")) {
  390. const pattern = new RegExp(name.replace(/A/g, "(\\d+(\\.\\d+)?)"));
  391. const matchObj = string.match(pattern);
  392. if (matchObj) {
  393. defaultScope.start = parseFloat(matchObj[1]).toFixed(4);
  394. defaultScope.end = "9999.9999";
  395. return defaultScope;
  396. }
  397. } else if (name.includes("B")) {
  398. const pattern = new RegExp(name.replace(/B/g, "(\\d+(\\.\\d+)?)"));
  399. const matchObj = string.match(pattern);
  400. if (matchObj) {
  401. defaultScope.start = "0.0000";
  402. defaultScope.end = parseFloat(matchObj[1]).toFixed(4);
  403. return defaultScope;
  404. }
  405. }
  406. }
  407. return null;
  408. }
  409. export const getWeek = date => {
  410. // 时间戳
  411. const week = moment(date).day();
  412. switch (week) {
  413. case 1:
  414. return "周一";
  415. case 2:
  416. return "周二";
  417. case 3:
  418. return "周三";
  419. case 4:
  420. return "周四";
  421. case 5:
  422. return "周五";
  423. case 6:
  424. return "周六";
  425. case 0:
  426. return "周日";
  427. }
  428. };
  429. export const sleep = time => new Promise(resolve => setTimeout(resolve, time));
  430. export function groupArray(arr: [], size: number) {
  431. const groups = [];
  432. let groupIndex = 0;
  433. for (let i = 0; i < arr.length; i++) {
  434. if (i % size === 0) {
  435. groups[groupIndex] = [];
  436. groupIndex++;
  437. }
  438. groups[groupIndex - 1].push(arr[i]);
  439. }
  440. return groups;
  441. }
  442. export const scrollUp = (tableRef, timer = 100) => {
  443. const demo =
  444. tableRef.$refs.bodyWrapper.getElementsByClassName("el-scrollbar__wrap")[0];
  445. console.log('scrollUp', demo)
  446. const tableScroll = ref(true);
  447. demo.addEventListener("mouseover", () => {
  448. tableScroll.value = false;
  449. });
  450. demo.addEventListener("mouseout", () => {
  451. tableScroll.value = true;
  452. });
  453. setInterval(() => {
  454. if (tableScroll.value) {
  455. demo.scrollTop += 1;
  456. if (demo.clientHeight + demo.scrollTop >= demo.scrollHeight) {
  457. demo.scrollTop = 0;
  458. }
  459. }
  460. }, timer);
  461. };
  462. export const disabledDate = d => {
  463. const today = new Date();
  464. today.setHours(23, 59, 59, 999);
  465. return d.getTime() > today.getTime();
  466. };
  467. export function downloadFile(downloadUrl, filename) {
  468. return new Promise(async (resolve, reject) => {
  469. const response = await request.get(downloadUrl);
  470. console.log("response", response);
  471. // const url = window.URL.createObjectURL(new Blob([response.data]));
  472. const blob = new Blob([response]);
  473. const objectUrl = URL.createObjectURL(blob);
  474. const link = document.createElement("a");
  475. link.download = filename;
  476. link.href = objectUrl;
  477. link.click();
  478. link.remove();
  479. return;
  480. // let blob = response.data;
  481. // const link = document.createElement("a");
  482. // const body = document.body;
  483. // link.href = window.URL.createObjectURL(blob);
  484. // link.download = filename;
  485. // link.style.display = "none";
  486. // body.appendChild(link);
  487. // link.click();
  488. // body.removeChild(link);
  489. // window.URL.revokeObjectURL(link.href);
  490. // resolve(link.href);
  491. });
  492. }
  493. /**
  494. * 根据对象数组中的某个属性值进行去重
  495. * @param array 对象数组,需要去重的数组
  496. * @param key 指定根据哪个属性进行去重
  497. * @returns 返回去重后的对象数组
  498. */
  499. export const unique = (array, key) => {
  500. // 使用Set实现根据属性值的唯一性
  501. const _set = [...new Set(array.map(e => e[key]))];
  502. const deArray = [];
  503. // 根据_set中的属性值,找出原数组中对应的项
  504. _set.map(item => {
  505. deArray.push(array[array.findIndex(val => val[key] === item)]);
  506. });
  507. // 返回去重后的数组
  508. return deArray;
  509. };
  510. /**
  511. * 根据指定的键合并数组对象
  512. * @param array 对象数组,需要合并的数组
  513. * @param key 指定根据哪个属性进行合并
  514. * @returns 返回合并后的对象数组
  515. */
  516. export const mergeByKey = (array, key) => {
  517. const merged = {};
  518. // 遍历数组,根据key值将对象合并到同一个对象中
  519. array.forEach(item => {
  520. if (!merged[item[key]]) {
  521. merged[item[key]] = { ...item };
  522. } else {
  523. // 合并其他属性
  524. Object.keys(item).forEach(k => {
  525. if (k !== key) {
  526. if (merged[item[key]][k]) {
  527. // 如果已存在该属性,合并为数组
  528. if (!Array.isArray(merged[item[key]][k])) {
  529. merged[item[key]][k] = [merged[item[key]][k]];
  530. }
  531. merged[item[key]][k].push(item[k]);
  532. } else {
  533. merged[item[key]][k] = item[k];
  534. }
  535. }
  536. });
  537. }
  538. });
  539. // 将合并后的对象转换回数组
  540. return Object.values(merged);
  541. };
  542. // 重命名后的 debounce 函数
  543. export function debounceWithImmediate<T extends (...args: any[]) => any>(
  544. func: T,
  545. wait: number,
  546. immediate = false
  547. ): (...args: Parameters<T>) => void {
  548. let timeoutId: NodeJS.Timeout | null = null;
  549. return function (this: any, ...args: Parameters<T>) {
  550. const later = () => {
  551. timeoutId = null;
  552. if (!immediate) {
  553. func.apply(this, args);
  554. }
  555. };
  556. const callNow = immediate && !timeoutId;
  557. if (timeoutId !== null) {
  558. clearTimeout(timeoutId);
  559. }
  560. timeoutId = setTimeout(later, wait);
  561. if (callNow) {
  562. func.apply(this, args);
  563. }
  564. };
  565. }