asd_publicMethod.js

122 阅读4分钟
import axios from "axios";
import qs from "qs";

/**
 * post请求
 * @name post 请求
 * @param url 地址
 * @param data 参数
 * @param callbacks 回调参数
 *  */
export function post(url, data, callbacks) {
    /*设置缓存*/
    data.token = process.env.NODE_ENV === 'production' ? this.$store.state.token : "";
    const options = {
        method: "POST",
        headers: {
            "Content-Type": "application/x-www-form-urlencoded;charset=UTF-8",
        },
        baseURL:
            process.env.NODE_ENV == "production"
                ? "线上地址"
                : "线下地址",
        data: qs.stringify(data),
        xhrFields: {
            withCredentials: true
        },
        url
    };
    axios(options)
        .then(res => {
            console.log(url, data, res);
            callbacks(res);
        })
        .catch(err => {
            console.log(url, err);
        });
}
/**
 * 跳转 明
 * @name go 跳转 明
 * @param url vue 跳转地址
 * @param data 参数
 *  */
export function go(url, data = {}) {
    this.$router.push({path: url, query: data}).then(r => console.log("r",r)).catch(err => console.log("err",err));
}

/**
 * 跳转 暗
 * @name go 跳转 明
 * @param url vue name跳转地址
 * @param data 参数
 *  */
export function gop(url, data = {}) {
    this.$router.push({name: url, params: data}).then(r => r).catch(err => console.log("err",err));
}
/**
 * 跳转 不记录
 * @name go 跳转 明
 * @param url vue name跳转地址
 * @param data 参数
 *  */
export function goReplace(url, data = {}) {
    this.$router.replace({name: url, params: data}).then(r => r).catch(err => console.log("err",err))
    // this.$router.replace.call({name: url, params: data}).catch(err => err);
}
/**
 * 使用递归的方式实现数组、对象的深拷贝
 * @name deepClone1
 * @param obj 传入参数
 *  */
function deepClone1(obj) {
    //判断拷贝的要进行深拷贝的是数组还是对象,是数组的话进行数组拷贝,对象的话进行对象拷贝
    let objClone = Array.isArray(obj) ? [] : {};
    //进行深拷贝的不能为空,并且是对象或者是
    if (obj && typeof obj === "object") {
        for (let key in obj) {
            if (obj.hasOwnProperty(key)) {
                if (obj[key] && typeof obj[key] === "object") {
                    objClone[key] = deepClone1(obj[key]);
                } else {
                    objClone[key] = obj[key];
                }
            }
        }
    }
    return objClone;
}

/**
 * 通过js的内置对象JSON来进行数组对象的深拷贝
 * @name deepClone2
 * @param obj 传入参数
 *  */
function deepClone2(obj) {
    let _obj = JSON.stringify(obj);
    return JSON.parse(_obj);
}
/* 返回时间 */
export function transformTime(time) {
    let date = new Date(time * 1000);
    let YY = date.getFullYear() + '-';
    let MM = (date.getMonth() + 1 < 10 ? '0' + (date.getMonth() + 1) : date.getMonth() + 1) + '-';
    let DD = (date.getDate() < 10 ? '0' + (date.getDate()) : date.getDate());
    let hh = (date.getHours() < 10 ? '0' + date.getHours() : date.getHours()) + ':';
    let mm = (date.getMinutes() < 10 ? '0' + date.getMinutes() : date.getMinutes()) + ':';
    let ss = (date.getSeconds() < 10 ? '0' + date.getSeconds() : date.getSeconds());
    // return YY + MM + DD + " " + hh + mm + ss;
    return YY + MM + DD + hh + mm + ss;
}
/* 设置缓存 */
export function setSStorage(key, obj) {
    window.sessionStorage.setItem(key, obj);
}

export default {
    install: Vue => {
        Vue.prototype.a_post = post;
        Vue.prototype.a_go = go;
        Vue.prototype.a_gop = gop;
        Vue.prototype.a_setSStorage = setSStorage;
    }
};

/**
 * 校验是否为空(null/空串)
 * @name checkNull
 * @param string 传入字符
 *  */
export function checkNull(string) {
    if (string == null || string == "") {
        /*警告*/
        this.$message({
            message: '输入不可为空',
            type: 'warning'
        });
        /*警告end*/
        return false;
    }
    return true;
}

/**
 * 弹出提示
 * @name ifNO
 * @param code 判断弹出
 * @param msg 传入字符
 *  */
export function ifNO(code, msg) {
    if (code) {
        this.$message({
            message: msg,
            type: 'success'
        });
    } else {
        this.$message({
            message: msg,
            type: 'warning'
        });
    }
}

/* 清除除数字外的其他 */
export function clearNoNum(obj) {
    if (!obj) {
        obj = "0";
    }
    obj = obj + '';
    obj = obj.replace(/[^\d.]/g, "");  //清除“数字”和“.”以外的字符
    obj = obj.replace(/\.{2,}/g, "."); //只保留第一个. 清除多余的
    obj = obj.replace(".", "$#$").replace(/\./g, "").replace("$#$", ".");
    // eslint-disable-next-line no-useless-escape
    obj = obj.replace(/^(\-)*(\d+)\.(\d\d).*$/, '$1$2.$3');//只能输入两个小数
    if (obj.indexOf(".") < 0 && obj != "") {//以上已经过滤,此处控制的是如果没有小数点,首位不能为类似于 01、02的金额
        obj = parseFloat(obj);
    }
    return obj;
}

/* 金额显示 */
export function AmountCalculation(value) {
    value = value + '';
    if (!value) return '0.00';
    let intPart = Number(value).toFixed(0); // 获取整数部分
    let intPartFormat = intPart.toString().replace(/(\d)(?=(?:\d{3})+$)/g, '$1,'); // 将整数部分逢三一断
    let floatPart = '.00'; // 预定义小数部分
    let value2Array = value.split('.');
    if (value2Array.length === 2) { // =2表示数据有小数位
        floatPart = value2Array[1].toString(); // 拿到小数部分
        if (floatPart.length === 1) { // 补0,实际上用不着
            return intPartFormat + '.' + floatPart + '0';
        } else {
            return intPartFormat + '.' + floatPart;
        }
    } else {
        return intPartFormat + floatPart;
    }
}

/* 验证邮箱 参考  */
export function isEmail(s) {
    return /^([a-zA-Z0-9_-])+@([a-zA-Z0-9_-])+((.[a-zA-Z0-9_-]{2,3}){1,2})$/.test(s)
}

/*手机号码 https://zhuanlan.zhihu.com/p/144709419*/
export const isMobile = (s) => {
    return /^1[0-9]{10}$/.test(s)
}
/*电话号码*/

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

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

export const isString = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'String'
}
/*是否数字*/

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

export const isBoolean = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Boolean'
}
/*是否函数*/

export const isFunction = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Function'
}
/*是否为null*/

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

export const isUndefined = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Undefined'
}
/*是否对象*/

export const isObj = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Object'
}
/*是否数组*/

export const isArray = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Array'
}
/*是否时间*/

export const isDate = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Date'
}
/*是否正则*/

export const isRegExp = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'RegExp'
}
/*是否错误对象*/

export const isError = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Error'
}
/*是否Symbol函数*/

export const isSymbol = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Symbol'
}
/*是否Promise对象*/

export const isPromise = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Promise'
}
/*是否Set对象*/

export const isSet = (o) => {
    return Object.prototype.toString.call(o).slice(8, -1) === 'Set'
}
export const ua = navigator.userAgent.toLowerCase();
/*是否是微信浏览器*/

export const isWeiXin = () => {
    return ua.match(/microMessenger/i) == 'micromessenger'
}
/*是否是移动端*/

export const isDeviceMobile = () => {
    return /android|webos|iphone|ipod|balckberry/i.test(ua)
}
/*是否是QQ浏览器*/

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

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)
}
/*是否ios*/

export const isIos = () => {
    let 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) {//iPad
        return false
    } else if (u.indexOf('Windows Phone') > -1) {//winphone手机
        return false
    } else {
        return false
    }
}
/*是否为PC端*/

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

export const removeHtmltag = (str) => {
    return str.replace(/<[^>]+>/g, '')
}
/*获取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];
}
/*动态引入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);
}
/*根据url地址下载*/

export const download = (url) => {
    let isChrome = navigator.userAgent.toLowerCase().indexOf('chrome') > -1;
    let isSafari = navigator.userAgent.toLowerCase().indexOf('safari') > -1;
    if (isChrome || isSafari) {
        let link = document.createElement('a');
        link.href = url;
        if (link.download !== undefined) {
            let fileName = url.substring(url.lastIndexOf('/') + 1, url.length);
            link.download = fileName;
        }
        if (document.createEvent) {
            let 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;
}
/*el是否包含某个class*/

export const hasClass = (el, className) => {
    let reg = new RegExp('(^|\\s)' + className + '(\\s|$)')
    return reg.test(el.className)
}
/*el添加某个class*/

export const addClass = (el, className) => {
    if (hasClass(el, className)) {
        return
    }
    let newClass = el.className.split(' ')
    newClass.push(className)
    el.className = newClass.join(' ')
}
/*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, ' ')
}
/*获取滚动的坐标*/

export const getScrollPosition = (el = window) => ({
    x: el.pageXOffset !== undefined ? el.pageXOffset : el.scrollLeft,
    y: el.pageYOffset !== undefined ? el.pageYOffset : el.scrollTop
});
/*滚动到顶部*/

export const scrollToTop = () => {
    const c = document.documentElement.scrollTop || document.body.scrollTop;
    if (c > 0) {
        window.requestAnimationFrame(scrollToTop);
        window.scrollTo(0, c - c / 8);
    }
}
/*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;
}
/*洗牌算法随机*/

export const shuffle = (arr) => {
    let result = [],
        random;
    while (arr.length > 0) {
        random = Math.floor(Math.random() * arr.length);
        result.push(arr[random])
        arr.splice(random, 1)
    }
    return result;
}
/*劫持粘贴板*/

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

/*判断类型集合*/
export function 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':     //网址
            // eslint-disable-next-line no-useless-escape
            return /(http|ftp|https):\/\/[\w\-_]+(\.[\w\-_]+)+([\w\-\.,@?^=%&:/~\+#]*[\w\-\@?^=%&/~\+#])?/.test(str)
        case 'IP':      //IP
            return /((?:(?: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':    //日期时间
            // eslint-disable-next-line no-useless-escape
            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;
    }
}

/*严格的身份证校验*/

export const isCardID = (sId) => {
    if (!/(^\d{15}$)|(^\d{17}(\d|X|x)$)/.test(sId)) {
        console.log('你输入的身份证长度或格式错误')
        return false
    }
    //身份证城市
    let 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
    }

    // 出生日期验证
    let 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
    }

    // 身份证号码校验
    let sum = 0,
        weights = [7, 9, 10, 5, 8, 4, 2, 1, 6, 3, 7, 9, 10, 5, 8, 4, 2],
        codes = "10X98765432"
    for (let i = 0; i < sId.length - 1; i++) {
        sum += sId[i] * weights[i];
    }
    let last = codes[sum % 11]; //计算出来的最后一位身份证号码
    if (sId[sId.length - 1] != last) {
        console.log('你输入的身份证号非法')
        return false
    }

    return true
}

/*随机数范围*/

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

/*将阿拉伯数字翻译成中文的大写数字*/

export const numberToChinese = (num) => {
    let AA = new Array("零", "一", "二", "三", "四", "五", "六", "七", "八", "九", "十");
    let BB = new Array("", "十", "百", "仟", "萬", "億", "点", "");
    let a = ("" + num).replace(/(^0*)/g, "").split("."),
        k = 0,
        re = "";
    for (let 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 (let 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;
}
/*将数字转换为大写金额*/

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 "";
    }

    //字符处理完毕后开始转换,采用前后两部分分别转换
    let part = String(Num).split(".");
    let newchar = "";
    //小数点前进行转化
    for (let i = part[0].length - 1; i >= 0; i--) {
        if (part[0].length > 10) {
            return "";
            //若数量超过拾亿单位,提示
        }
        let tmpnewchar = ""
        let 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;
        }
        let newchar = tmpnewchar + newchar;
    }
    //小数点之后进行转化
    if (Num.indexOf(".") != -1) {
        if (part[1].length > 2) {
            // alert("小数点之后只能保留两位,系统将自动截断");
            part[1] = part[1].substr(0, 2)
        }
        for (let i = 0; i < part[1].length; i++) {
            let tmpnewchar = ""
            let 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;
}
/*判断一个元素是否在数组中*/

export const contains = (arr, val) => {
    return arr.indexOf(val) != -1 ? true : false;
}
/*数组排序,{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;
        }
    })
}

/*去重*/
export function unique(arr) {
    // eslint-disable-next-line no-prototype-builtins
    if (Array.hasOwnProperty('from')) {
        return Array.from(new Set(arr));
    } else {
        let n = {}, r = [];
        for (let i = 0; i < arr.length; i++) {
            if (!n[arr[i]]) {
                n[arr[i]] = true;
                r.push(arr[i]);
            }
        }
        return r;
    }
}
function unique1 (arr) {
    return Array.from(new Set(arr))
}
/*求两个集合的并集*/

export const union = (a, b) => {
    let newArr = a.concat(b);
    return unique(newArr);
}

/*export const intersect = (a, b) => {
    let _this = this;
    a = this.unique(a);
    return this.map(a, function (o) {
        return _this.contains(b, o) ? o : null;
    });
}*/
/**
 * @name 求两个集合的交集
 * @param arr1 数组1
 * @param arr2 数组2
 * @return 数组
 * */
export const intersect = (arr1, arr2) => {
    let _arr = new Array();
    for (let i = 0; i < arr1.length; i++) {
        _arr.push(arr1[i]);
    }
    for (let i = 0; i < arr2.length; i++) {
        let flag = true;
        for (let j = 0; j < arr1.length; j++) {
            if (arr2[i] == arr1[j]) {
                flag = false;
                break;
            }
        }
        if (flag) {
            _arr.push(arr2[i]);
        }
    }
    return _arr;
}
/*删除其中一个元素*/

export const remove = (arr, ele) => {
    let index = arr.indexOf(ele);
    if (index > -1) {
        arr.splice(index, 1);
    }
    return arr;
}
/*将类数组转换为数组*/

export const formArray = (ary) => {
    let arr = [];
    if (Array.isArray(ary)) {
        arr = ary;
    } else {
        arr = Array.prototype.slice.call(ary);
    }
    return arr;
}
/*最大值*/

export const max = (arr) => {
    return Math.max.apply(null, arr);
}
/*最小值*/

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

export const sum = (arr) => {
    return arr.reduce((pre, cur) => {
        return pre + cur
    })
}
/*平均值*/

export const average = (arr) => {
    return this.sum(arr) / arr.length
}
/*去除空格,type: 1-所有空格 2-前后空格 3-前空格 4-后空格*/

export const trim = (str, type) => {
    type = type || 1
    switch (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;
    }
}
/*字符转换,type: 1:首字母大写 2:首字母小写 3:大小写转换 4:全部大写 5:全部小写*/

export const changeCase = (str, type) => {
    type = type || 4
    switch (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;
    }
}
/*检测密码强度*/

export const checkPwd = (str) => {
    let 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++
    }
    // eslint-disable-next-line no-useless-escape
    if (/[\.|-|_]/.test(str)) {
        Lv++
    }
    return Lv;
}
/*函数节流器*/

/*
export const debouncer = (fn, time, interval = 200) => {
    console.log("debouncer",time , (window.debounceTimestamp || 0),time - (window.debounceTimestamp || 0) , interval,time - (window.debounceTimestamp || 0) > interval);
    if (time - (window.debounceTimestamp || 0) > interval) {
        fn && fn();
        window.debounceTimestamp = time;
    }
}
*/
/**
 * 函数防抖 (只执行最后一次)
 */
let timer;
export const debouncer = (fn, t) => {
    let delay = t || 500;
    let dd = function () {
        let args = arguments;
        if (timer) {
            clearTimeout(timer);
        }
        timer = setTimeout(() => {
            timer = null;
            fn.apply(this, args);
        }, delay);
    }
    return dd();
}
/*
 * 函数节流
 */
export const Throttle = (fn, interval = 500) => {
    let last;
    let timer;
    return function () {
        let args = arguments;
        let now = +new Date();
        if (last && now - last < interval) {
            clearTimeout(timer);
            timer = setTimeout(() => {
                last = now;
                fn.apply(this, args);
            }, interval);
        } else {
            last = now;
            fn.apply(this, args);
        }
    }
};

/*在字符串中插入新字符串*/

export const insertStr = (soure, index, newStr) => {
    let str = soure.slice(0, index) + newStr + soure.slice(index);
    return str;
}
/*判断两个对象是否键值相同*/

export const isObjectEqual = (a, b) => {
    let aProps = Object.getOwnPropertyNames(a);
    let bProps = Object.getOwnPropertyNames(b);

    if (aProps.length !== bProps.length) {
        return false;
    }

    for (let i = 0; i < aProps.length; i++) {
        let propName = aProps[i];

        if (a[propName] !== b[propName]) {
            return false;
        }
    }
    return true;
}
/*16进制颜色转RGBRGBA字符串*/

export const colorToRGB = (val, opa) => {

    let pattern = /^(#?)[a-fA-F0-9]{6}$/; //16进制颜色值校验规则
    let isOpa = typeof opa == 'number'; //判断是否有设置不透明度

    if (!pattern.test(val)) { //如果值不符合规则返回空字符
        return '';
    }

    let v = val.replace(/#/, ''); //如果有#号先去除#号
    let rgbArr = [];
    let rgbStr = '';

    for (let i = 0; i < 3; i++) {
        let item = v.substring(i * 2, i * 2 + 2);
        let num = parseInt(item, 16);
        rgbArr.push(num);
    }

    rgbStr = rgbArr.join();
    rgbStr = 'rgb' + (isOpa ? 'a' : '') + '(' + rgbStr + (isOpa ? ',' + opa : '') + ')';
    return rgbStr;
}
/*追加url参数*/
export const appendQuery = (url, key, value) => {
    let options = key;
    if (typeof options == 'string') {
        options = {};
        options[key] = value;
    }
    // eslint-disable-next-line no-undef
    options = $.param(options);
    if (url.includes('?')) {
        url += '&' + options
    } else {
        url += '?' + options
    }
    return url;
}

//栈
export function ArrayStack() {
    window.arrStack = [];
    //压栈操作
    this.push = function (element) {
        window.arrStack.push(element);
    }
    //退栈操作
    this.pop = function () {
        return window.arrStack.pop();
    }
    //获取栈顶元素
    this.top = function () {
        return window.arrStack[window.arrStack.length - 1];
    }
    //获取栈长
    this.size = function () {
        return window.arrStack.length;
    }
    //清空栈
    this.clear = function () {
        window.arrStack = [];
        return true;
    }

    this.toString = function () {
        return window.arrStack.toString();
    }
}

/* 数组取交集 */
// TODO
/* 数组取并集 */
// TODO
/* 数组去掉重复 */
// TODO
/* 2个数组的差集 在arr不存在 */
// TODO
export default {
    install: Vue => {
        Vue.prototype.a_post = post;
        Vue.prototype.a_go = go;
        Vue.prototype.a_gop = gop;
        Vue.prototype.a_goReplace = goReplace;
        Vue.prototype.a_checkNull = checkNull;
        Vue.prototype.a_ifNO = ifNO;
        Vue.prototype.a_debouncer = debouncer;
        Vue.prototype.a_unique = unique;
        Vue.prototype.a_union = union;
        Vue.prototype.a_intersect = intersect;
        Vue.prototype.a_checkStr = checkStr;
        Vue.prototype.a_ArrayStack = ArrayStack;
        Vue.prototype.a_isArray = isArray;
        Vue.prototype.a_clearNoNum = clearNoNum;
        Vue.prototype.a_AmountCalculation = AmountCalculation;
        Vue.prototype.a_isUndefined = isUndefined;
        Vue.prototype.a_deepClone1 = deepClone1;
        Vue.prototype.a_deepClone2 = deepClone2
        // TODO Vue.prototype.a_setSStorage = setSStorage;
        // TODO Vue.prototype.a_ArrIntersection = ArrIntersection;
        // TODO Vue.prototype.a_ArrUnion = ArrUnion;
        // TODO Vue.prototype.a_ArrUniquelize = ArrUniquelize;
    }
};