JavaScript常用的工具方法

  • 1.邮箱
  • 2.手机号码
  • 3.电话号码
  • 4.是否url地址
  • 5.是否字符串
  • 6.是否数字
  • 7.是否boolean
  • 8.是否函数
  • 9.是否为null
  • 10.是否undefined
  • 11.是否对象
  • 12.是否数组
  • 13.是否时间
  • 14.是否正则
  • 15.是否错误对象
  • 16.是否Symbol函数
  • 17.是否Promise对象
  • 18.是否Set对象
  • 19.是否是微信浏览器
  • 20.是否是移动端
  • 21.是否是QQ浏览器
  • 22.是否是爬虫
  • 23.是否ios
  • 24.是否为PC端
  • 25.去除html标签
  • 26.获取url参数
  • 27.动态引入js
  • 28.根据url地址下载
  • 29.el是否包含某个class
  • 30.el添加某个class
  • 31.el去除某个class
  • 32.获取滚动的坐标
  • 33.滚动到顶部
  • 34.el是否在视口范围内
  • 35.洗牌算法随机
  • 36.劫持粘贴板
  • 37.判断类型集合
  • 38.严格的身份证校验
  • 39.随机数范围
  • 40.将阿拉伯数字翻译成中文的大写数字
  • 41.将数字转换为大写金额
  • 42.判断一个元素是否在数组中
  • 43.数组排序, {type}1:从小到大2:从大到小3:随机
  • 44.去重
  • 45.求两个集合的并集
  • 46.求两个集合的交集
  • 47.删除其中一个元素
  • 48.将类数组转换为数组
  • 49.最大值
  • 50.最小值
  • 51.求和
  • 52.平均值
  • 53.去除空格, type:1-所有空格2-前后空格3-前空格4-后空格
  • 54.字符转换, type:1:首字母大写2:首字母小写3:大小写转换4:全部大写5:全部小写
  • 55.检测密码强度
  • 56.函数节流器
  • 57.在字符串中插入新字符串
  • 58.判断两个对象是否键值相同
  • 59.十六进制颜色转RGBRGBA字符串
  • 60.追加url参数
  • 61.必填项
  • 62.银行卡校验
  • 63.数据是否大于0
  • 64.大于0的整数
  • 65.是否为正整数(100万以内)
  • 66.保留两位小数(100万以内)
  • 67.是否为营业执照
  • 68.是否为道路许可证
  • 69.是否包含特殊字符
  • 70.千位分隔符
  • 71.枚举值转换 value => label
  • 72.保留两位小数
  • 73.是否为整数
  • 74.只能输入数字
  • 75.去除中文
  • 76.提取中文
  • 77.身份证脱敏处理(用 * 代替中间数据)

1.邮箱

export const isEmail = (s) => {return /^([a-zA-Z0-9_-])+@([a-zA-Z0-9_-])+((.[a-zA-Z0-9_-]{2,3}){1,2})$/.test(s)
}

2.手机号码

export const isMobile = (s) => {return /^1[0-9]{10}$/.test(s)
}

3.电话号码

export const isPhone = (s) => {return /^([0-9]{3,4}-)?[0-9]{7,8}$/.test(s)
}

4.是否url地址

export const isURL = (s) => {return /^http[s]?:\/\/.*/.test(s)
}

5.是否字符串

export const isString = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'String'
}

6.是否数字

export const isNumber = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Number'
}

7.是否boolean

export const isBoolean = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Boolean'
}

8.是否函数

export const isFunction = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Function'
}

9.是否为null

export const isNull = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Null'
}

10.是否undefined

export const isUndefined = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Undefined'
}

11.是否对象

export const isObj = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Object'
}

12.是否数组

export const isArray = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Array'
}

13.是否时间

export const isDate = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Date'
}

14.是否正则

export const isRegExp = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'RegExp'
}

15.是否错误对象

export const isError = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Error'
}

16.是否Symbol函数

export const isSymbol = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Symbol'
}

17.是否Promise对象

export const isPromise = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Promise'
}

18.是否Set对象

export const isSet = (o) => {return Object.prototype.toString.call(o).slice(8, -1) === 'Set'
}

19.是否是微信浏览器

export const isWeiXin = () => {const ua = navigator.userAgent.toLowerCase();return ua.match(/microMessenger/i) == 'micromessenger'
}

20.是否是移动端

export const isDeviceMobile = () => {return /android|webos|iphone|ipod|balckberry/i.test(ua)
}

21.是否是QQ浏览器

export const isQQBrowser = () => {return !!ua.match(/mqqbrowser|qzone|qqbrowser|qbwebviewtype/i)
}

22.是否是爬虫

export const isSpider = () => {return /adsbot|googlebot|bingbot|msnbot|yandexbot|baidubot|robot|careerbot|seznambot|bot|baiduspider|jikespider|symantecspider|scannerlwebcrawler|crawler|360spider|sosospider|sogou web sprider|sogou orion spider/.test(ua)
}

23.是否ios

export const isIos = () => {var u = navigator.userAgent;if (u.indexOf('Android') > -1 || u.indexOf('Linux') > -1) {  //安卓手机return false} else if (u.indexOf('iPhone') > -1) {//苹果手机return true} else if (u.indexOf('iPad') > -1) {//iPadreturn false} else if (u.indexOf('Windows Phone') > -1) {//winphone手机return false} else {return false}
}

24.是否为PC端

export const isPC = () => {var userAgentInfo = navigator.userAgent;var Agents = ["Android", "iPhone","SymbianOS", "Windows Phone","iPad", "iPod"];var flag = true;for (var v = 0; v < Agents.length; v++) {if (userAgentInfo.indexOf(Agents[v]) > 0) {flag = false;break;}}return flag;
}

25.去除html标签

export const removeHtmltag = (str) => {return str.replace(/<[^>]+>/g, '')
}

26.获取url参数

export const getQueryString = (name) => {const reg = new RegExp('(^|&)' + name + '=([^&]*)(&|$)', 'i');const search = window.location.search.split('?')[1] || '';const r = search.match(reg) || [];return r[2];
}

27.动态引入js

export const injectScript = (src) => {const s = document.createElement('script');s.type = 'text/javascript';s.async = true;s.src = src;const t = document.getElementsByTagName('script')[0];t.parentNode.insertBefore(s, t);
}

28.根据url地址下载

export const download = (url) => {var isChrome = navigator.userAgent.toLowerCase().indexOf('chrome') > -1;var isSafari = navigator.userAgent.toLowerCase().indexOf('safari') > -1;if (isChrome || isSafari) {var link = document.createElement('a');link.href = url;if (link.download !== undefined) {var fileName = url.substring(url.lastIndexOf('/') + 1, url.length);link.download = fileName;}if (document.createEvent) {var e = document.createEvent('MouseEvents');e.initEvent('click', true, true);link.dispatchEvent(e);return true;}}if (url.indexOf('?') === -1) {url += '?download';}window.open(url, '_self');return true;
}

29.el是否包含某个class

export const hasClass = (el, className) => {let reg = new RegExp('(^|\\s)' + className + '(\\s|$)')return reg.test(el.className)
}

30.el添加某个class

export const addClass = (el, className) => {if (hasClass(el, className)) {return}let newClass = el.className.split(' ')newClass.push(className)el.className = newClass.join(' ')
}

31.el去除某个class

export const removeClass = (el, className) => {if (!hasClass(el, className)) {return}let reg = new RegExp('(^|\\s)' + className + '(\\s|$)', 'g')el.className = el.className.replace(reg, ' ')
}

32.获取滚动的坐标

export const getScrollPosition = (el = window) => ({x: el.pageXOffset !== undefined ? el.pageXOffset : el.scrollLeft,y: el.pageYOffset !== undefined ? el.pageYOffset : el.scrollTop
});

33.滚动到顶部

export const scrollToTop = () => {const c = document.documentElement.scrollTop || document.body.scrollTop;if (c > 0) {window.requestAnimationFrame(scrollToTop);window.scrollTo(0, c - c / 8);}
}

34.el是否在视口范围内

export const elementIsVisibleInViewport = (el, partiallyVisible = false) => {const { top, left, bottom, right } = el.getBoundingClientRect();const { innerHeight, innerWidth } = window;return partiallyVisible? ((top > 0 && top < innerHeight) || (bottom > 0 && bottom < innerHeight)) &&((left > 0 && left < innerWidth) || (right > 0 && right < innerWidth)): top >= 0 && left >= 0 && bottom <= innerHeight && right <= innerWidth;
}

35.洗牌算法随机

export const shuffle = (arr) => {var result = [],random;while (arr.length > 0) {random = Math.floor(Math.random() * arr.length);result.push(arr[random])arr.splice(random, 1)}return result;
}

36.劫持粘贴板

export const copyTextToClipboard = (value) => {var textArea = document.createElement("textarea");textArea.style.background = 'transparent';textArea.value = value;document.body.appendChild(textArea);textArea.select();try {var successful = document.execCommand('copy');} catch (err) {console.log('Oops, unable to copy');}document.body.removeChild(textArea);
}

37.判断类型集合

export const checkStr = (str, type) => {switch (type) {case 'phone':   //手机号码return /^1[3|4|5|6|7|8|9][0-9]{9}$/.test(str);case 'tel':     //座机return /^(0\d{2,3}-\d{7,8})(-\d{1,4})?$/.test(str);case 'card':    //身份证return /(^\d{15}$)|(^\d{18}$)|(^\d{17}(\d|X|x)$)/.test(str);case 'pwd':     //密码以字母开头,长度在6~18之间,只能包含字母、数字和下划线return /^[a-zA-Z]\w{5,17}$/.test(str)case 'postal':  //邮政编码return /[1-9]\d{5}(?!\d)/.test(str);case 'QQ':      //QQ号return /^[1-9][0-9]{4,9}$/.test(str);case 'email':   //邮箱return /^[\w-]+(\.[\w-]+)*@[\w-]+(\.[\w-]+)+$/.test(str);case 'money':   //金额(小数点2位)return /^\d*(?:\.\d{0,2})?$/.test(str);case 'URL':     //网址return /(http|ftp|https):\/\/[\w\-_]+(\.[\w\-_]+)+([\w\-\.,@?^=%&:/~\+#]*[\w\-\@?^=%&/~\+#])?/.test(str)case 'IP':      //IPreturn /((?:(?:25[0-5]|2[0-4]\\d|[01]?\\d?\\d)\\.){3}(?:25[0-5]|2[0-4]\\d|[01]?\\d?\\d))/.test(str);case 'date':    //日期时间return /^(\d{4})\-(\d{2})\-(\d{2}) (\d{2})(?:\:\d{2}|:(\d{2}):(\d{2}))$/.test(str) || /^(\d{4})\-(\d{2})\-(\d{2})$/.test(str)case 'number':  //数字return /^[0-9]$/.test(str);case 'english': //英文return /^[a-zA-Z]+$/.test(str);case 'chinese': //中文return /^[\\u4E00-\\u9FA5]+$/.test(str);case 'lower':   //小写return /^[a-z]+$/.test(str);case 'upper':   //大写return /^[A-Z]+$/.test(str);case 'HTML':    //HTML标记return /<("[^"]*"|'[^']*'|[^'">])*>/.test(str);default:return true;}
}

38.严格的身份证校验

export const isCardID = (sId) => {if (!/(^\d{15}$)|(^\d{17}(\d|X|x)$)/.test(sId)) {console.log('你输入的身份证长度或格式错误')return false}//身份证城市var aCity = { 11: "北京", 12: "天津", 13: "河北", 14: "山西", 15: "内蒙古", 21: "辽宁", 22: "吉林", 23: "黑龙江", 31: "上海", 32: "江苏", 33: "浙江", 34: "安徽", 35: "福建", 36: "江西", 37: "山东", 41: "河南", 42: "湖北", 43: "湖南", 44: "广东", 45: "广西", 46: "海南", 50: "重庆", 51: "四川", 52: "贵州", 53: "云南", 54: "西藏", 61: "陕西", 62: "甘肃", 63: "青海", 64: "宁夏", 65: "新疆", 71: "台湾", 81: "香港", 82: "澳门", 91: "国外" };if (!aCity[parseInt(sId.substr(0, 2))]) {console.log('你的身份证地区非法')return false}// 出生日期验证var sBirthday = (sId.substr(6, 4) + "-" + Number(sId.substr(10, 2)) + "-" + Number(sId.substr(12, 2))).replace(/-/g, "/"),d = new Date(sBirthday)if (sBirthday != (d.getFullYear() + "/" + (d.getMonth() + 1) + "/" + d.getDate())) {console.log('身份证上的出生日期非法')return false}// 身份证号码校验var sum = 0,weights = [7, 9, 10, 5, 8, 4, 2, 1, 6, 3, 7, 9, 10, 5, 8, 4, 2],codes = "10X98765432"for (var i = 0; i < sId.length - 1; i++) {sum += sId[i] * weights[i];}var last = codes[sum % 11]; //计算出来的最后一位身份证号码if (sId[sId.length - 1] != last) {console.log('你输入的身份证号非法')return false}return true
}

39.随机数范围

export const random = (min, max) => {if (arguments.length === 2) {return Math.floor(min + Math.random() * ((max + 1) - min))} else {return null;}
}

40.将阿拉伯数字翻译成中文的大写数字

export const numberToChinese = (num) => {var AA = new Array("零", "一", "二", "三", "四", "五", "六", "七", "八", "九", "十");var BB = new Array("", "十", "百", "仟", "萬", "億", "点", "");var a = ("" + num).replace(/(^0*)/g, "").split("."),k = 0,re = "";for (var i = a[0].length - 1; i >= 0; i--) {switch (k) {case 0:re = BB[7] + re;break;case 4:if (!new RegExp("0{4}//d{" + (a[0].length - i - 1) + "}$").test(a[0]))re = BB[4] + re;break;case 8:re = BB[5] + re;BB[7] = BB[5];k = 0;break;}if (k % 4 == 2 && a[0].charAt(i + 2) != 0 && a[0].charAt(i + 1) == 0)re = AA[0] + re;if (a[0].charAt(i) != 0)re = AA[a[0].charAt(i)] + BB[k % 4] + re;k++;}if (a.length > 1) // 加上小数部分(如果有小数部分){re += BB[6];for (var i = 0; i < a[1].length; i++)re += AA[a[1].charAt(i)];}if (re == '一十')re = "十";if (re.match(/^一/) && re.length == 3)re = re.replace("一", "");return re;
}

41.将数字转换为大写金额

export const changeToChinese = (Num) => {//判断如果传递进来的不是字符的话转换为字符if (typeof Num == "number") {Num = new String(Num);};Num = Num.replace(/,/g, "") //替换tomoney()中的“,”Num = Num.replace(/ /g, "") //替换tomoney()中的空格Num = Num.replace(/¥/g, "") //替换掉可能出现的¥字符if (isNaN(Num)) { //验证输入的字符是否为数字//alert("请检查小写金额是否正确");return "";};//字符处理完毕后开始转换,采用前后两部分分别转换var part = String(Num).split(".");var newchar = "";//小数点前进行转化for (var i = part[0].length - 1; i >= 0; i--) {if (part[0].length > 10) {return "";//若数量超过拾亿单位,提示}var tmpnewchar = ""var perchar = part[0].charAt(i);switch (perchar) {case "0":tmpnewchar = "零" + tmpnewchar;break;case "1":tmpnewchar = "壹" + tmpnewchar;break;case "2":tmpnewchar = "贰" + tmpnewchar;break;case "3":tmpnewchar = "叁" + tmpnewchar;break;case "4":tmpnewchar = "肆" + tmpnewchar;break;case "5":tmpnewchar = "伍" + tmpnewchar;break;case "6":tmpnewchar = "陆" + tmpnewchar;break;case "7":tmpnewchar = "柒" + tmpnewchar;break;case "8":tmpnewchar = "捌" + tmpnewchar;break;case "9":tmpnewchar = "玖" + tmpnewchar;break;}switch (part[0].length - i - 1) {case 0:tmpnewchar = tmpnewchar + "元";break;case 1:if (perchar != 0) tmpnewchar = tmpnewchar + "拾";break;case 2:if (perchar != 0) tmpnewchar = tmpnewchar + "佰";break;case 3:if (perchar != 0) tmpnewchar = tmpnewchar + "仟";break;case 4:tmpnewchar = tmpnewchar + "万";break;case 5:if (perchar != 0) tmpnewchar = tmpnewchar + "拾";break;case 6:if (perchar != 0) tmpnewchar = tmpnewchar + "佰";break;case 7:if (perchar != 0) tmpnewchar = tmpnewchar + "仟";break;case 8:tmpnewchar = tmpnewchar + "亿";break;case 9:tmpnewchar = tmpnewchar + "拾";break;}var newchar = tmpnewchar + newchar;}//小数点之后进行转化if (Num.indexOf(".") != -1) {if (part[1].length > 2) {// alert("小数点之后只能保留两位,系统将自动截断");part[1] = part[1].substr(0, 2)}for (i = 0; i < part[1].length; i++) {tmpnewchar = ""perchar = part[1].charAt(i)switch (perchar) {case "0":tmpnewchar = "零" + tmpnewchar;break;case "1":tmpnewchar = "壹" + tmpnewchar;break;case "2":tmpnewchar = "贰" + tmpnewchar;break;case "3":tmpnewchar = "叁" + tmpnewchar;break;case "4":tmpnewchar = "肆" + tmpnewchar;break;case "5":tmpnewchar = "伍" + tmpnewchar;break;case "6":tmpnewchar = "陆" + tmpnewchar;break;case "7":tmpnewchar = "柒" + tmpnewchar;break;case "8":tmpnewchar = "捌" + tmpnewchar;break;case "9":tmpnewchar = "玖" + tmpnewchar;break;}if (i == 0) tmpnewchar = tmpnewchar + "角";if (i == 1) tmpnewchar = tmpnewchar + "分";newchar = newchar + tmpnewchar;}}//替换所有无用汉字while (newchar.search("零零") != -1)newchar = newchar.replace("零零", "零");newchar = newchar.replace("零亿", "亿");newchar = newchar.replace("亿万", "亿");newchar = newchar.replace("零万", "万");newchar = newchar.replace("零元", "元");newchar = newchar.replace("零角", "");newchar = newchar.replace("零分", "");if (newchar.charAt(newchar.length - 1) == "元") {newchar = newchar + "整"}return newchar;
}

42.判断一个元素是否在数组中

export const contains = (arr, val) => {return arr.indexOf(val) != -1 ? true : false;
}

43.数组排序, {type}1:从小到大2:从大到小3:随机

export const sort = (arr, type = 1) => {return arr.sort((a, b) => {switch (type) {case 1:return a - b;case 2:return b - a;case 3:return Math.random() - 0.5;default:return arr;}})
}

44.去重

export const unique = (arr) => {if (Array.hasOwnProperty('from')) {return Array.from(new Set(arr));} else {var n = {}, r = [];for (var i = 0; i < arr.length; i++) {if (!n[arr[i]]) {n[arr[i]] = true;r.push(arr[i]);}}return r;}
}

45.求两个集合的并集

export const union = (a, b) => {var newArr = a.concat(b);return this.unique(newArr); // 去重
}

46.求两个集合的交集

export const intersect = (a, b) => {var _this = this;a = this.unique(a);return this.map(a, function (o) {return _this.contains(b, o) ? o : null;});
}

47.删除其中一个元素

export const remove = (arr, ele) => {var index = arr.indexOf(ele);if (index > -1) {arr.splice(index, 1);}return arr;
}

48.将类数组转换为数组

export const formArray = (ary) => {var arr = [];if (Array.isArray(ary)) {arr = ary;} else {arr = Array.prototype.slice.call(ary);};return arr;
}

49.最大值

export const max = (arr) => {return Math.max.apply(null, arr);
}

50.最小值

export const min = (arr) => {return Math.min.apply(null, arr);
}

51.求和

export const sum = (arr) => {return arr.reduce((pre, cur) => {return pre + cur})
}

52.平均值

export const average = (arr) => {return this.sum(arr) / arr.length
}

53.去除空格, type:1-所有空格2-前后空格3-前空格4-后空格

export const trim = (str, type) => {type = type || 1switch (type) {case 1:return str.replace(/\s+/g, "");case 2:return str.replace(/(^\s*)|(\s*$)/g, "");case 3:return str.replace(/(^\s*)/g, "");case 4:return str.replace(/(\s*$)/g, "");default:return str;}
}

54.字符转换, type:1:首字母大写2:首字母小写3:大小写转换4:全部大写5:全部小写

export const changeCase = (str, type) => {type = type || 4switch (type) {case 1:return str.replace(/\b\w+\b/g, function (word) {return word.substring(0, 1).toUpperCase() + word.substring(1).toLowerCase();});case 2:return str.replace(/\b\w+\b/g, function (word) {return word.substring(0, 1).toLowerCase() + word.substring(1).toUpperCase();});case 3:return str.split('').map(function (word) {if (/[a-z]/.test(word)) {return word.toUpperCase();} else {return word.toLowerCase()}}).join('')case 4:return str.toUpperCase();case 5:return str.toLowerCase();default:return str;}
}

55.检测密码强度

export const checkPwd = (str) => {var Lv = 0;if (str.length < 6) {return Lv}if (/[0-9]/.test(str)) {Lv++}if (/[a-z]/.test(str)) {Lv++}if (/[A-Z]/.test(str)) {Lv++}if (/[\.|-|_]/.test(str)) {Lv++}return Lv;
}

补充:强密码:/^(?=.\d)(?=.[a-z])(?=.*[A-Z]).{8,10}$/(包含大小写字母和数字的组合,不能使用特殊字符,长度在 8-10 之间)。

56.函数节流器

export const debouncer = (fn, time, interval = 200) => {if (time - (window.debounceTimestamp || 0) > interval) {fn && fn();window.debounceTimestamp = time;}
}

57.在字符串中插入新字符串

export const insertStr = (soure, index, newStr) => {var str = soure.slice(0, index) + newStr + soure.slice(index);return str;
}

58.判断两个对象是否键值相同

export const isObjectEqual = (a, b) => {var aProps = Object.getOwnPropertyNames(a);var bProps = Object.getOwnPropertyNames(b);if (aProps.length !== bProps.length) {return false;}for (var i = 0; i < aProps.length; i++) {var propName = aProps[i];if (a[propName] !== b[propName]) {return false;}}return true;
}

59.十六进制颜色转RGBRGBA字符串

export const colorToRGB = (val, opa) => {var pattern = /^(#?)[a-fA-F0-9]{6}$/; //16进制颜色值校验规则var isOpa = typeof opa == 'number'; //判断是否有设置不透明度if (!pattern.test(val)) { //如果值不符合规则返回空字符return '';}var v = val.replace(/#/, ''); //如果有#号先去除#号var rgbArr = [];var rgbStr = '';for (var i = 0; i < 3; i++) {var item = v.substring(i * 2, i * 2 + 2);var num = parseInt(item, 16);rgbArr.push(num);}rgbStr = rgbArr.join();rgbStr = 'rgb' + (isOpa ? 'a' : '') + '(' + rgbStr + (isOpa ? ',' + opa : '') + ')';return rgbStr;
}

60.追加url参数

export const appendQuery = (url, key, value) => {var options = key;if (typeof options == 'string') {options = {};options[key] = value;}options = $.param(options);if (url.includes('?')) {url += '&' + options} else {url += '?' + options}return url;
}

61.必填项

export const required = (val) => {if(val === undefined || val === null || val === ''){throw new Error('该选项必填')}return !!val
}

62.银行卡校验

export const isbankNum = (val) => {return /^([1-9]{1})(\d{11}|\d{15}|\d{16}|\d{17}|\d{18})$/.test(val)
}

63.数据是否大于0

export const numberRule = (val) => {return /^([1-9]\d*(\.\d*[1-9])?)|(0\.\d*[1-9])$/.test(val)
}

64.大于0的整数

export const numRules = (val) => {return /^\+?[1-9]\d*$/.test(val)
}

65.是否为正整数(100万以内)

export const positiveIntegerRules = (val) => {return /^[1-9]*[1-9][0-9]*$/.test(val))
}

66.保留两位小数(100万以内)

export const decimalRules = (val) => {return /^(?!0+$)(?!0*\.0*$)\d{1,6}(\.\d{1,2})?$/.test(val)
}

67.是否为营业执照

export const certNoRules = (val) => {return /(^(?:(?![IOZSV])[\dA-Z]){2}\d{6}(?:(?![IOZSV])[\dA-Z]){10}$)|(^\d{15}$)/.test(val)
}

68.是否为道路许可证

export const  digitRegular = (val) =>{return /^[0-9a-zA-Z]{10,20}$/.test(val)
}

69.是否包含特殊字符

export const includeSpecial = (val) => {return /^[\u4E00-\u9FA5A-Za-z0-9-/:;\(\)()—@“”…~、?!.。,【】{}#%^*+=_\|《》¥$&•’`~!¥<>{}\[\]"?,`·\s]+$/.test(val)
}

70.千位分隔符

export const thousandSeparator = (num) => {return num ? num.toString().replace(/(?=(\B\d{3})+$)/g, ',') : num// return num ? num.toString().replace(/(\d)(?=(?:\d{3})+$)/g, '$1,') : num
}

71.枚举值转换 value => label

export const getChangeNameEnums = (val, enums) => {const list = enums.filter((item) => {return item.value === val;});if (list.length > 0) {return list[0].label;} else {return "";}
};
// 或者使用过滤器
Vue.filter('enumeration', function (val, enums) {......
})

72.保留两位小数

export const decimal = (num) => {return /^((([^0][0-9]+|0)\.([0-9]{1,2}))$)|^(([1-9]+)\.([0-9]{1,2})$)/.test(num)
}

73.是否为整数

export const integer = (num) => {return /^(([^0][0-9]+|0)$)|^(([1-9]+)$)/.test(num)
}

74.只能输入数字

export const number = (num) => {return /^(([^0][0-9]+|0)\.([0-9]{1,2})$)|^(([^0][0-9]+|0)$)|^(([1-9]+)\.([0-9]{1,2})$)|^(([1-9]+)$)/.test(num)
}

75.去除中文

export const RemoveChinese = (strValue) => {  if (!strValue) returnreturn strValue.replace(/[\u4e00-\u9fa5]/g, "");
}

76.提取中文

export const GetChinese = (strValue) => {if (strValue) returnreturn strValue.match(/[\u4e00-\u9fa5]/g).join("");
}

补充:7 个汉字或 14 个字符:/^[\u4e00-\u9fa5]{1,7}$|^[\dA-Za-z_]{1,14}$/

77.身份证脱敏处理(用 * 代替中间数据)

export const handleIdCard = (IdCard) => {if (!IdCard) returnreturn IdCard.replace(/^(.{6})(?:\d+)(.{4})$/,  "$1****$2");
}

JavaScript常用的工具方法相关推荐

  1. JavaScript常用的工具函数,不全面大家补充哦

    JavaScript常用的工具函数,不全面大家补充哦 目录 博主介绍

  2. Javascript常用的数组方法

    Javascript常用的数组方法 数组 定义:计算机内存中一段连续的空间: 数组的几种常用方法 1.splice:可对数组进行增.删.改的操作: 2.push:给数组的末尾添加一个或多个元素: 3. ...

  3. JavaScript 常用数组函数方法专题

    1. 由字符串生成数组 split() 分割字符串,并将分割的部分作为一个元素保存在一个新建的数组中. var str1 = "this is an emample to using the ...

  4. 前端常用的工具方法,常用js方法

    1.邮箱 export const isEmail = (s) => {return /^([a-zA-Z0-9_-])+@([a-zA-Z0-9_-])+((.[a-zA-Z0-9_-]{2, ...

  5. jquery1.43源码分析之工具方法

    相关文章: jQuery插件开发全解析 读jq之四 jquery1.43源码分析之核心部分 推荐圈子: Jquery 更多相关推荐 这个部分是jquery一些常用的工具方法. 包括为jquery对象扩 ...

  6. html head 全局变量,Javascript全局变量的使用方法

    1.demo例子说明 var gDivId; //js全局变量 function geocoder(lastLon,lastLat,result) { alert("lastLon:&quo ...

  7. 前端常用60余种工具方法(上)

    1.邮箱 export const isEmail = (s) => {return /^([a-zA-Z0-9_-])+@([a-zA-Z0-9_-])+((.[a-zA-Z0-9_-]{2, ...

  8. JavaScript常用工具Date对象和Math介绍介绍

    Date对象 JavaScript中使用Date对象来表示时间. //创建一个时间对象,时间是当前时间 var cur = new Date();//根据表达式创建指定时间的时间对象,格式是 月/日/ ...

  9. jQuery常用工具方法

    前面的话 jQuery提供一些与元素无关的工具方法,不必选中元素,就可以直接使用这些方法.如果理解原生javascript的继承原理,那么就能理解工具方法的实质.它是定义在jQuery构造函数上的方法 ...

最新文章

  1. 软件seqtk的使用
  2. JavaScript 基础(十):循环语句
  3. Struts2【一】 配置介绍
  4. gazebo 直接获取传感器数据_【ROS-Gazebo】IMU插件使用与数据采集——以四足机器人pigot为例...
  5. css-transform-案例-翻转牌效果
  6. spring什么版本支持java8_升级spring4.1.6和支持java8
  7. 测试场景组件化轮子——用例元
  8. 继承(初识继承,继承的进阶)
  9. 简述 矩阵-DirectX 原理,并详解世界坐标转屏幕坐标,附C++实现。
  10. 北京/西安内推 | 中国移动研究院NLP组招收自然语言处理算法实习生
  11. 隐马尔可夫模型(HMM)
  12. uploadify文件上传插件使用教程
  13. 【小算法】求约数个数
  14. 【UVM基础】工厂(factory)机制快速上手指南
  15. 如何破解Win7的电脑登录密码?
  16. shell-9-函数(tc与限速实例)
  17. keep健身教程合集(阿里云盘)
  18. 基础平台项目之集成Jquery.pagination.js实现分页
  19. TensorFlow学习笔记——深层神经网络
  20. C语言-------如何打印保留小数点后1,2,..位

热门文章

  1. 【推荐】产品经理需求模板,案例等文档合集15篇
  2. 火车运煤问题 - 增加一个简单算法实现
  3. citra黑屏_citra模拟器下载|citra 3ds模拟器2017下载(解决黑屏问题) v3.1 x64/x32版_数码资源网...
  4. 帝国CMS开发应用遇到的坑(持续增加中...)
  5. Material Design(1)
  6. D. Divide(math)[2021 ECNU Campus Invitational Contest]
  7. 二叉树递归和非递归遍历
  8. c语言输入float就报错,c语言 输入float类型 出错处理
  9. python多元线性回归mlr 校正_多元线性回归分析(multiple regression)原理及举例
  10. java进出货管理系统计算机毕业设计MyBatis+系统+LW文档+源码+调试部署