vue前端常用工具类汇总

发布时间:2024年01月04日

总结的工具类,可直接复用

utils文件夹中的util.js编写公共工具类

const initUtil = {}

Byte 转 KB/MB/GB

initUtil.getfilesize = (size = 0,) => {
	if (!size) return '0.00GB';
	const num = 1000.00; //byte
	if (size < num)
		return size + "B";
	if (size < Math.pow(num, 2))
		return (size / num).toFixed(2) + "KB"; //kb
	if (size < Math.pow(num, 3))
		return (size / Math.pow(num, 2)).toFixed(2) + "MB"; //M
	if (size < Math.pow(num, 4))
		return (size / Math.pow(num, 3)).toFixed(2) + "GB"; //G
}

知识点:
1、Math.pow(base, exponent):Math.pow(2, 3),2 的 3 次方是 8。
2、toFixed(2) 格式化数字,返回字符串类型,当前保留数字后两位

获取url指定参数

  1. 使用 URLSearchParams 对象:
initUtil.getUrlParam = (name) => {
	// 假设 URL 为:https://example.com/page?name=John&age=25
	// 创建 URLSearchParams 对象,将 URL 查询参数解析到该对象中
	const urlParams = new URLSearchParams(window.location.search);
	// 获取指定参数的值
	return urlParams.get(name)
}
  1. 使用正则表达式:
initUtil.getUrlParam = (name,url) => {
	name = name.replace(/[\[\]]/g, "\\$&");
    const regex = new RegExp("[?&]" + name + "(=([^&#]*)|&|#|$)"),
        results = regex.exec(url || window.location.href);
    if (!results) return null;
    if (!results[2]) return '';
    return decodeURIComponent(results[2].replace(/\+/g, " "));
}

getUrlParam('name')

知识点

1、正则表达式(Regular Expression): 正则表达式用于在 URL 中匹配指定的参数名,并捕获对应的参数值。 name = name.replace(/[[]]/g, “\$&”); 这一行用于将参数名中的方括号进行转义,确保正则表达式匹配正确。

2、RegExp 对象: const regex = new RegExp(“[?&]” + name + “(=([^&#]*)|&|#|$)”); 创建了一个正则表达式对象,该正则表达式匹配 URL 查询字符串中指定参数名的模式。

3、exec 方法: regex.exec(url || window.location.href); 使用 exec 方法在URL中执行正则表达式,返回匹配的结果数组。结果数组中,results[0] 包含整个匹配项,results[2] 包含参数值

日期格式化

initUtil.dateFormat = (date, format = 'YYYY-MM-DD HH:mm:ss') => {
	const config = {
		YYYY: date.getFullYear(),
		MM: date.getMonth() + 1,//getMonth() 方法根据本地时间返回指定日期的月份(从 0 到 11)
		DD: date.getDate(),
		HH: date.getHours(),
		mm: date.getMinutes(),
		ss: date.getSeconds(),
	}
	for (const key in config) {
		format = format.replace(key, config[key])
	}
	return format
}

知识点:

replace方法的基本语法是:

newString = originalString.replace(searchValue, replaceValue);
  • originalString 是原始字符串。
  • searchValue 是要被替换的子字符串或正则表达式。
  • replaceValue 是替换的内容。

如果 searchValue 是一个字符串,只会替换第一次出现的匹配项。
如果 searchValue 是一个正则表达式,会替换所有匹配项。
返回的是一个新的字符串,原始字符串并没有被改变

以下是一些示例:

let originalString = "Hello, world! Hello, universe!";
let newString = originalString.replace("Hello", "Hi");
console.log(newString);
// 输出: "Hi, world! Hello, universe!"

let regex = /Hello/g;  // 使用正则表达式,全局匹配
newString = originalString.replace(regex, "Hi");
console.log(newString);
// 输出: "Hi, world! Hi, universe!"
文章来源:https://blog.csdn.net/weixin_44786330/article/details/135381727
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。