// ==UserScript== // @name 嘉立创购物车辅助工具 // @namespace http://tampermonkey.net/ // @version 1.7.3 // @description 嘉立创辅助工具,购物车辅助增强工具 // @author Lx // @match https://cart.szlcsc.com/cart/display.html** // @match https://so.szlcsc.com/global.html** // @icon https://www.google.com/s2/favicons?sz=64&domain=szlcsc.com // @require https://cdn.bootcdn.net/ajax/libs/jquery/3.6.0/jquery.min.js // @require https://update.greasyfork.icu/scripts/455576/1122361/Qmsg.js // @resource customCSS https://gitee.com/snwjas/message.js/raw/master/dist/message.min.css // @grant GM_xmlhttpRequest // @grant GM_setClipboard // @grant GM_addStyle // @grant GM_getResourceText // @license MIT // @downloadURL none // ==/UserScript== (async function () { 'use strict'; // 引入message的css文件并加入html中 const css = GM_getResourceText("customCSS") GM_addStyle(css) /** * rgb颜色随机 * @returns */ const rgb = () => { var r = Math.floor(Math.random() * 256) var g = Math.floor(Math.random() * 256) var b = Math.floor(Math.random() * 256) var rgb = 'rgb(' + r + ',' + g + ',' + b + ')'; return rgb; } /** * rgba颜色随机 * @param {*} a * @returns */ const rgba = (a = 1) => { var r = Math.floor(Math.random() * 256) var g = Math.floor(Math.random() * 256) var b = Math.floor(Math.random() * 256) var rgb = 'rgba(' + r + ',' + g + ',' + b + ',' + a + ')'; return rgb; } /** * 十六进制颜色随机 * @returns */ const color16 = () => { var r = Math.floor(Math.random() * 256) var g = Math.floor(Math.random() * 256) var b = Math.floor(Math.random() * 256) var color = '#' + r.toString(16) + g.toString(16) + b.toString(16) return color; } /** * 正则获取品牌名称,需要传入xxxx(品牌名称) 这样的字符 * @param {*} text * @returns */ const getBrandNameByRegex = (text) => { let res = text try { res = /\(.+\)/g.exec(text)[0].replace(/\((.*?)\)/, '$1') } catch (e) { } return res } /** * 等待 * @param {*} timeout * @returns */ const setAwait = (timeout) => { return new Promise((resolve, reject) => { setTimeout(resolve, timeout); }) } /** * 获取本地缓存 * @param {*} key */ const getLocalData = (k) => { return localStorage.getItem(k) } /** * 设置本地缓存 * @param {*} key */ const setLocalData = (k, v) => { localStorage.setItem(k, v) } // 后续支持强排序按钮 // 商品清单集合暂存 const dataCartMp = new Map() // 品牌对应颜色,用于快速查找位置。 const dataBrandColorMp = new Map() // 优惠券页面,数据暂存。只保存16-15的优惠券 const all16_15CouponMp = new Map() // 自动领券的定时器 let couponTimer = null // 消息弹框全局参数配置 Qmsg.config({ showClose: true, timeout: 2800, maxNums: 50 }) /** * 根据value排序Map * @param {*} map * @returns */ const sortMapByValue = (map) => { var arrayObj = Array.from(map) //按照value值降序排序 arrayObj.sort(function (a, b) { return a[1] - b[1] }) return arrayObj } /** * GET请求封装 * @param {} data */ const getAjax = (url) => { return new Promise((resolve, reject) => { GM_xmlhttpRequest({ url, method: 'GET', onload: (r) => { resolve(r.response) }, onerror: (err) => { reject(err) } }) }) } /** * POST请求封装 * @param {} data */ const postAjaxJSON = (url, data) => { return new Promise((resolve, reject) => { GM_xmlhttpRequest({ url, method: 'POST', headers: { 'Content-Type': 'application/json' }, data, onload: (r) => { resolve(r.response) }, onerror: (err) => { reject(err) } }) }) } function jsonToUrlParam(json, ignoreFields = '') { return Object.keys(json) .filter(key => ignoreFields.indexOf(key) === -1) .map(key => key + '=' + json[key]).join('&'); } /** * POST请求封装 * @param {} data */ const postFormAjax = (url, jsonData) => { return new Promise((resolve, reject) => { GM_xmlhttpRequest({ url, data: jsonToUrlParam(jsonData), method: 'POST', headers: { 'Content-type': 'application/x-www-form-urlencoded; charset=UTF-8' }, onload: (r) => { resolve(r.response) }, onerror: (err) => { reject(err) } }) }) } /** * 订购数量发生变化的时候 */ const onChangeCountHandler = () => { // 订购数量 $('.product-item .cart-li input.input').on('change', () => { setTimeout(refresh, 1000); }) // 加减数量 $('.decrease,.increase').on('click', () => { setTimeout(refresh, 1000); }) } /** * 换仓按钮事件 * 一键换仓专用 * 换仓逻辑 https://cart.szlcsc.com/cart/warehouse/deliverynum/update cartKey规则: 标签id product-item-186525218 商品的跳转地址(商品id)20430799 cartKey: 186525218~0~20430799~RMB~CN gdDeliveryNum: 0 jsDeliveryNum: 1 */ const onClickChangeDepotBtnHandler = () => { /** * * @param {*} this 标签 * @param {*} warehouseType 仓库类型 GUANG_DONG:广东,JIANG_SU * @returns */ // 换仓封装 const _changeDepot = (that, warehouseType) => { return new Promise((resolve, reject) => { // 是否锁定样品 let isLocked = (that.find('.warehouse-wrap .warehouse:contains(广东仓)').length + that.find('.warehouse-wrap .warehouse:contains(江苏仓)').length) == 0 // 查找商品的属性 let infoElement = that.find('.cart-li:eq(1) a') if (isLocked === true) { Qmsg.error(`物料编号:${infoElement.text()},处于锁定样品状态,无法换仓`) console.error(`物料编号:${infoElement.text()},处于锁定样品状态,无法换仓`) return } // 订购数量 let count = that.find('.cart-li:eq(-4) input').val() // 物料ID1 let productId1 = /\d+/g.exec(that.attr('id'))[0] // 物料ID2 let productId2 = /\d+/g.exec(infoElement.attr('href'))[0] // 取最低起订量 let sinpleCount = /\d+/g.exec(that.find('.price-area:eq(0)').text())[0] // 订购套数 let batchCount = count / sinpleCount // 修改库存的参数体 let params = '' // 当前是广东仓 if (warehouseType == 'GUANG_DONG') { params = `cartKey=${productId1}~0~${productId2}~RMB~CN&gdDeliveryNum=${batchCount}&jsDeliveryNum=${0}` } // 其他情况当成是江苏仓 else if (warehouseType == 'JIANG_SU') { params = `cartKey=${productId1}~0~${productId2}~RMB~CN&gdDeliveryNum=${0}&jsDeliveryNum=${batchCount}` } GM_xmlhttpRequest({ url: `${webSiteShareData.lcscCartUrl}/cart/warehouse/deliverynum/update`, data: params, method: 'POST', headers: { 'Content-type': 'application/x-www-form-urlencoded; charset=UTF-8' }, onload: (r) => { console.log(r.response) resolve(r.response) }, onerror: (err) => { reject(err) } }) }) } /** * 动态刷新页面,不强制刷新 * !!!暂时不能用,需要考虑订货商品还是现货 */ // const _reload = async () => { // // 购物车URL // const cartDataUrl = `${webSiteShareData.lcscCartUrl}/cart/display?isInit=false&isOrderBack=${window.isOrderBack}&${Date.now()}` // const res = await getAjax(cartDataUrl) // const resObj = JSON.parse(res) // // 合并订货和现货商品 // const newArr = [...resObj.result.shoppingCartVO.rmbCnShoppingCart.currentlyProductList, // ...resObj.result.shoppingCartVO.rmbCnShoppingCart.isNeedProductList] // // 遍历物料编号 // newArr.forEach(function (item) { // const { // jsDeliveryNum, // 江苏的订货量 // gdDeliveryNum, // 广东的订货量 // productCode, // 物料编码 // isChecked, // 是否选中 // jsValidStockNumber, // 江苏剩余库存 // szValidStockNumber, // 广东剩余库存 // jsDivideSplitDeliveryNum, // 江苏起订量的倍数 // gdDivideSplitDeliveryNum, // 广东起订量的倍数 // shopCarMapKey // 购物车主键 // } = item // // 查找到这个物料编号所在的行 // const ele = getAllLineInfoByBrandName(productCode) // // 计算出仓库名 // const depotName = jsDeliveryNum > 0 ? '江苏仓' : (gdDeliveryNum > 0 ? '广东仓' : '') // const depotEle = ele.find('.warehouse-wrap .warehouse') // const newDepotName = (depotEle.html() || '').replace('江苏仓', depotName).replace('广东仓', depotName) // // 重新设置仓库名称 // depotEle.html(newDepotName) // }) // } // 换仓-江苏 $('.change-depot-btn-left').on('click', function () { let count = 0; const eles = getAllCheckedLineInfo() eles.each(async function () { count++ await _changeDepot($(this), 'JIANG_SU').then(res => { Qmsg.success('切换【江苏仓】成功!') }) if (eles.length === count) { // setTimeout(_reload, 500); setTimeout(function () { location.reload() // 官方刷新购物车 // cartModuleLoadCartList() }, 2500); } }) }) // 换仓-广东 $('.change-depot-btn-right').on('click', function () { let count = 0; const eles = getAllCheckedLineInfo() eles.each(async function () { count++ await _changeDepot($(this), 'GUANG_DONG').then(res => { Qmsg.success('切换【广东仓】成功!') }) if (eles.length === count) { // setTimeout(_reload, 500); setTimeout(function () { location.reload() // 官方刷新购物车 // cartModuleLoadCartList() }, 2500); } }) }) } /** * 选中仓库事件 * 一键选仓专用 * 废弃:由于模拟点击,会导致小窗口频繁刷新,影响性能。下面重新换接口 */ const _checkDepotBtnHandler = () => { const _clickFunc = (depotName, fn) => { const eles = fn() // 先看看有没有指定仓 const jsIsEmpty = getJsLineInfo().length === 0 const gdIsEmpty = getGdLineInfo().length === 0 if (depotName === 'JIANG_SU' && jsIsEmpty) { Qmsg.error('购物车中并没有【江苏仓】的商品!') return } else if (depotName === 'GUANG_DONG' && gdIsEmpty) { Qmsg.error('购物车中并没有【广东仓】的商品!') return } // 是否有至少一个选中的 const isHave = eles.parents('.product-item').find('input.check-box:checked').length > 0 if (isHave) { eles.each(function () { $(this).parents('.product-item').find('input.check-box:checked').click() }) } // 都未选中,则执行仓库全选操作 else { eles.each(function () { $(this).parents('.product-item').find('input.check-box').click() }) } } // 江苏仓 $(".check-js-btn-left").on('click', function () { _clickFunc('JIANG_SU', getJsLineInfo) }) // 广东仓 $(".check-gd-btn-right").on('click', function () { _clickFunc('GUANG_DONG', getGdLineInfo) }) } /** * 选中仓库事件 * 一键选仓专用 */ const checkDepotBtnHandlerNew = () => { const _clickFunc = (depotName) => { // 广东仓选中 const gdCheckedEles = getGdLineInfo() // 江苏仓选中 const jsCheckedEles = getJsLineInfo() // 先看看有没有指定仓 const jsIsEmpty = jsCheckedEles.length === 0 const gdIsEmpty = gdCheckedEles.length === 0 let isJs = depotName === 'JIANG_SU' let isGd = depotName === 'GUANG_DONG' if (isJs && jsIsEmpty) { Qmsg.error('购物车中并没有【江苏仓】的商品!') return } else if (isGd && gdIsEmpty) { Qmsg.error('购物车中并没有【广东仓】的商品!') return } // 这里只需要操作多选框的选中状态就行 if (isJs) { const jsInputCheckBox = jsCheckedEles.parents('.product-item').find('input.check-box') const jsInputCheckBoxCK = jsInputCheckBox.parents('.product-item').find('input.check-box:checked') const isHave = jsInputCheckBoxCK.length > 0 jsInputCheckBox.prop('checked', !isHave) } else if (isGd) { const gdInputCheckBox = gdCheckedEles.parents('.product-item').find('input.check-box') const gdInputCheckBoxCK = gdInputCheckBox.parents('.product-item').find('input.check-box:checked') const isHave = gdInputCheckBoxCK.length > 0 gdInputCheckBox.prop('checked', !isHave) } cartUpdateChecked().then(res => { if (res === 'true') { cartModuleLoadCartList() setTimeout(refresh(), 1000); } }) } // 江苏仓 $(".check-js-btn-left").on('click', function () { _clickFunc('JIANG_SU') }) // 广东仓 $(".check-gd-btn-right").on('click', function () { _clickFunc('GUANG_DONG') }) } /** * 自动领取优惠券的定时器 */ const autoGetCouponTimerHandler = () => { $('.auto-get-coupon').off('change') couponTimer = null // 自动领取优惠券开关 $('.auto-get-coupon').on('change', function () { const isChecked = $(this).is(':checked') setLocalData('AUTO_GET_COUPON_BOOL', isChecked) autoGetCouponTimerHandler() }) couponTimer = setInterval(() => { const isChecked = $('.auto-get-coupon').is(':checked') if (isChecked) { dataCartMp.keys().forEach(item => { // 查找优惠券 const $couponEle = $(`.couponModal .coupon-item:contains(${item}):contains(立即抢券) div[data-id]`) if ($couponEle.length === 0) { return } //优惠券ID const couponId = $couponEle.data('id') // 优惠券名称 const couponName = $couponEle.data('name') getAjax(`${webSiteShareData.lcscWwwUrl}/getCoupon/${couponId}`).then(res => { res = JSON.parse(res) if (res.code === 200 && res.msg === '') { Qmsg.success({ msg: `${couponName} 优惠券领取成功`, timeout: 8000 }) } }) }) } else { clearInterval(couponTimer) couponTimer = null } }, 5000); } /** * 一键分享 已经勾选的列表 */ const shareHandler = () => { // 产出数据并放在剪贴板中 const _makeDataAndSetClipboard = () => { const $checkedEles = getAllCheckedLineInfo() if ($checkedEles.length === 0) { Qmsg.error('购物车未勾选任何商品!') return } // 获取所有已经勾选的商品,也包含订货商品 const shareText = [...$checkedEles].map(function (item) { const $this = $(item) // 是否是江苏仓,如果是多个仓的话,只取一个 const isJsDepot = $this.find('.warehouse-wrap .warehouse').text().includes('江苏仓') // 该商品订购的总量 const count = $this.find('.cart-li:eq(4) input').val() return $this.find('.cart-li:eq(1) a').text().trim() + '_' + (isJsDepot ? 'JS_' : 'GD_') + count }).join('~') // navigator.clipboard.writeText(shareText) GM_setClipboard(shareText, "text", () => Qmsg.success('购物车一键分享的内容,已设置到剪贴板中!')) } $('.share_').click(_makeDataAndSetClipboard) } /** * 一键解析 */ const shareParseHandler = () => { let _loading = null // 定义匿名函数 const _shareParse = async () => { // 富文本框内容 const text = $('.textarea').val().trim() if (text.length === 0) { Qmsg.error('解析失败,富文本内容为空!') return } _loading = Qmsg.loading("正在解析中...请耐心等待!") // 成功条数计数 let parseTaskSuccessCount = 0 // 失败条数计数 let parseTaskErrorCount = 0 // 总条数 let parseTaskTotalCount = 0 // 首次处理出来的数组 const firstparseArr = text.split('~') parseTaskTotalCount = firstparseArr.length || 0 for (let item of firstparseArr) { // 二次处理出来的数组 const secondParseArr = item.split('_') // 物料编号 const productNo = secondParseArr[0].trim().replace('\n', '') // 仓库编码 const depotCode = secondParseArr[1].trim().replace('\n', '') // 数量 const count = secondParseArr[2].trim().replace('\n', '') if (productNo === undefined || count === undefined) { Qmsg.error('解析失败,文本解析异常!') _loading.close() return } // 添加购物车 await postFormAjax(`${webSiteShareData.lcscCartUrl}/cart/quick`, { productCode: productNo, productNumber: count }).then(res => { res = JSON.parse(res) if (res.code === 200) { Qmsg.info(`正在疯狂解析中... 共:${parseTaskTotalCount}条,成功:${++parseTaskSuccessCount}条,失败:${parseTaskErrorCount}条。`); } else { Qmsg.error(`正在疯狂解析中... 共:${parseTaskTotalCount}条,成功:${parseTaskSuccessCount}条,失败:${++parseTaskErrorCount}条。`); } }) } Qmsg.success(`解析完成!共:${parseTaskTotalCount}条,成功:${parseTaskSuccessCount}条,失败:${parseTaskErrorCount}条。已自动加入购物车`) _loading.close() // 刷新购物车页面 cartModuleLoadCartList() setTimeout(allRefresh, 100); } $('.share-parse').click(_shareParse) } // 控制按钮的生成 const buttonListFactory = () => { let isBool = getAllCheckedLineInfo().length > 0 return `
${lookCouponListBtnFactory()}
` } /** * 显示隐藏 小窗的的按钮展示 */ const showOrHideButtonFactory = () => { $('.hideBtn,.showBtn').remove() return `
收起助手 >
< 展开助手
` } /** * 查询购物车中的品牌数量总和(多选框选中) */ const brandCountFactory = () => { return `

${dataCartMp.size}

` } /** * 计算总的金额 */ const totalMoneyFactory = () => { let t = 0 if (dataCartMp.size > 0) { t = [...dataCartMp.values()].reduce((total, num) => total + num).toFixed(2) } return `

${t}

` } /** * 查询16-15优惠券列表 */ const lookCouponListBtnFactory = () => { return `

优惠券专区

` } /** * 查看优惠券页面的扩展按钮,绑定事件 */ const lookCouponListExtendsBtnHandler = () => { // 查看已领取的优惠券 $('.filter-haved').click(function () { $('.coupon-item:visible:not(:contains(立即使用))').hide() }) // 过滤16-15的优惠券 $('.filter-16-15').click(function () { $('.coupon-item:visible:not(:contains(满16可用))').hide() }) // 过滤新人优惠券 $('.filter-newone').click(function () { $('.coupon-item:visible:not(:contains(新人专享))').hide() }) // 过滤非新人优惠券 $('.filter-not-newone').click(function () { $('.coupon-item:visible:contains(新人专享)').hide() }) // 手动刷新优惠券页面 $('.refresh-coupon-page').click(function () { setTimeout(() => { Qmsg.info(`1秒后刷新优惠券页面...`) setTimeout(lookCouponListModal, 500); }, 500); }) // 一键领取当前显示的所有优惠券 $('.get-all').click(function () { const $couponEles = $('.coupon-item:visible div:contains(立即抢券)') let totalCount = 0, successCount = 0 $couponEles.each(function () { //优惠券ID const couponId = $(this).data('id') // 优惠券名称 const couponName = $(this).data('name') getAjax(`${webSiteShareData.lcscWwwUrl}/getCoupon/${couponId}`).then(res => { res = JSON.parse(res) if (res.code === 200 && res.msg === '') { successCount++ // console.log(`${couponName} 优惠券领取成功`) } else { // console.error(`${couponName} 优惠券领取失败,或者 已经没有可以领取的优惠券了!`) } }) totalCount++ }) if (successCount === 0) { Qmsg.error(`优惠券领取失败,或者已经没有可以领取的优惠券了!`) } else if ($couponEles.length === totalCount) { Qmsg.success(`优惠券领取成功!成功:${successCount}条,失败:${totalCount - successCount}条。`) setTimeout(() => { Qmsg.info(`2秒后刷新优惠券页面...`) // 由于调用接口领取,所以需要重新渲染优惠券页面 setTimeout(lookCouponListModal, 2000); }, 2000); } }) // 过滤新人优惠券 $('.filter-clear').click(function () { $('.coupon-item:hidden').show() }) } /** * 查看优惠券列表的按钮 */ const lookCouponListHandler = () => { const _lookCouponClick = () => { if ($('#couponModal').is(':hidden')) { $('#couponModal').show() } else if ($('#couponModal').is(':visible')) { $('#couponModal').hide() } } $('.look-coupon-btn,.look-coupon-closebtn').click(_lookCouponClick) } /** * 优惠券模态框 */ const lookCouponListModal = async () => { let couponHTML = await getAjax(`${webSiteShareData.lcscWwwUrl}/huodong.html`) const $couponHTML = $(couponHTML) let $cssLink = [...$couponHTML].filter(item => item.localName == 'link' && item.href.includes('/public/css/page/activity/couponAllCoupons'))[0].outerHTML let $jsLink = [...$couponHTML].filter(item => item.localName == 'script' && item.src.includes('/public/js/chunk/page/activity/couponAllCoupons'))[0].outerHTML let $main_wraper = $couponHTML.find('.main_wraper') let $navigation = $couponHTML.find('.navigation') let ht = `

成功提示

content

` const $couponEle = $('.couponModal') $couponEle.empty() $couponEle.append(ht).append($cssLink).append($jsLink) $('.couponModal .all-coupon-page').append($main_wraper).append($navigation) couponGotoHandler() } /** * 获取勾选框选中的物料编号集合,波浪线分割 */ const myGetCK = () => { return [...getAllCheckedLineInfo().map(function () { return $(this).attr('id').split('-')[2] })].join('~') } /** * 更新购物车勾选 */ const cartUpdateChecked = () => { return new Promise((resolve, reject) => { try { postFormAjax(`${webSiteShareData.lcscCartUrl}/page/home/cart/update/checked`, { ck: (myGetCK() || 'false') }).then(res => { res = JSON.parse(res) if (res.code === 200 && res.msg === null) { resolve('true') } else { resolve('true') } }) } catch (error) { console.error(error); reject('false') } }) } /** * 追加的html * @returns */ const htmlFactory = () => { let tempHtml = ` ${$('.couponModal').length === 0 ? ` ` : ''} ${showOrHideButtonFactory()}
${buttonListFactory()}
' } /** * 优惠券按钮的html生成 * @param {*} brandName 品牌名称 */ const couponHTMLFactory = (brandName) => { // 优惠券实体 const couponEntity = all16_15CouponMp.get(brandName) let buttonLine = '' if (!$.isEmptyObject(couponEntity)) { // 是否已经领取 if (couponEntity.isHaved === true) { buttonLine = ` 已领取-${couponEntity.isNew === false ? '普通券' : '新人券'} ` } else { buttonLine = ` ` } } return $.isEmptyObject(buttonLine) ? '' : buttonLine } /** * 追加的css * @returns */ const cssFactory = () => ` ` /** * 追加到body */ const appendHtml = () => { console.time('appendHtml') if ($('#myCss').length === 0) { $('body').append(cssFactory()) } $('.bd').remove() $('body').append(htmlFactory()) // =========== 事件 ============== clickBrandHandler() getCouponClickHandler() showOrHideModalHandler() onClickChangeDepotBtnHandler() checkDepotBtnHandlerNew() lookCouponListExtendsBtnHandler() lookCouponListHandler() shareHandler() shareParseHandler() // ============================= resizeHeight() console.timeEnd('appendHtml') } /** * 基础配置优化 */ const basicSettings = () => { // 多选框放大 $('input[type*=checkbox]').css('zoom', '150%') // 点击物料图片,操作多选框 $('.product-img').each(function () { $(this).on('click', function (target) { $(this).prev('.check-box').click() }) }) // 购物车列表 点击品牌跳转到该品牌下的商品 let brandElement = $('.product-item li.cart-li-pro-info').find('div:eq(2)') brandElement.css({ cursor: 'pointer' }) brandElement.on('click', function () { window.open(`${webSiteShareData.lcscSearchUrl}/global.html?k=${getBrandNameByRegex(this.innerText)}`) }) } /** * 遍历购物车清单,并计算品牌总金额 */ const eachCartList = () => { dataCartMp.clear() getHavedCheckedLineInfo().each(function (i) { let $this = $(this) // 物料编号 // let productNo = $this.find('ul li:eq(1) a').text().trim() // 品牌名称 let brandName = $this.find('.cart-li-pro-info div:eq(2)').text().trim() // 查找到品牌名称 brandName = getBrandNameByRegex(brandName.split('\n')[brandName.split('\n').length - 1].trim()) // if ($this.find('input:checked').length === 0) { // return // } // 品牌下的单个商品总价 let linePrice = parseFloat($this.find('.line-total-price').text().trim().replace('¥', '')) // 日志打印控制台 // console.log(productId, brandName, linePrice) let mpVal = $.isEmptyObject(dataCartMp.get(brandName)) ? 0 : dataCartMp.get(brandName) // 保存到Map中 dataCartMp.set(brandName, parseFloat((mpVal + linePrice).toFixed(2))) if ($.isEmptyObject(dataBrandColorMp.get(brandName))) { // 对品牌进行随机色设置 dataBrandColorMp.set(brandName, rgba('0.9')) } }) } /** * 对品牌进行随机色设置 */ const setBrandColor = () => { //弹框 对品牌进行随机色设置 $('.li-cs').each(function (i) { $(this).css('background', dataBrandColorMp.get($(this).find('span:eq(0)').text().trim())) }) // 购物车列表颜色设置 dataBrandColorMp.forEach((v, k) => { let brandElement = getHavedLineInfoByBrandName(k).find('ul li.cart-li-pro-info') brandElement.css({ 'background-color': v, 'color': 'white' }) brandElement.find('a').css({ 'color': 'white' }) }) } /** * 查找购物车中所有选中的行的元素(包含现货、订货) * */ const getAllCheckedLineInfo = () => { return $('.product-list .product-item input:checked').parents('.product-item') } /** * 查找购物车中所有选中的行的元素(包含现货、订货)指定:江苏仓 * */ const getJsLineInfo = () => { return $('.product-list .product-item .warehouse-wrap .warehouse:contains(江苏仓)') } /** * 查找购物车中所有选中的行的元素(包含现货、订货)指定:广东仓 * */ const getGdLineInfo = () => { return $('.product-list .product-item .warehouse-wrap .warehouse:contains(广东仓)') } /** * 通过品牌名称,查找购物车中所在行的元素(包含现货、订货) */ const getAllLineInfoByBrandName = (brandName) => { return $('.product-list .product-item:contains(' + brandName + ')') } /** * 购物车中所在行的元素(包含现货、订货) */ const getAllLineInfo = () => { return $('.product-list .product-item') } /** * 通过品牌名称,查找购物车中所在行的元素(只获取现货商品) */ const getHavedLineInfoByBrandName = (brandName) => { return $('.product-list .product-list-dl:eq(0) .product-item:contains(' + brandName + ')') } /** * 查找购物车中所在行的元素(只获取现货商品、选中的) * product-list-dl eq 0 是现货 * product-list-dl eq 1 是订货 * */ const getHavedCheckedLineInfo = () => { return $('.product-list .product-list-dl:eq(0) .product-item input:checked').parents('.product-item') } /** * 点击小窗口的品牌按钮,实现该品牌下的单选 * 且该品牌下的物料,会自动排到购物车的前面几条 */ const clickBrandHandler = () => { $('.click-hv .sort_').on('click', function (target) { let brandName = $(this).text().trim() let cutHtmlElement = [] // 查找购物车 现货商品 getHavedLineInfoByBrandName(brandName).each(function (i) { cutHtmlElement.push($(this)) }) cutHtmlElement.forEach(item => { $('.product-list .product-list-dl:eq(0) .product-item').insertAfter(item) }) }) } /** * 多选框变化,刷新小窗口的计算结果 */ const checkStatusChangeHandler = () => { $(".check-box,.check-box-checked-all").change(refresh) } /** * 获取优惠券列表信息,并暂存在变量集合中 */ const getCouponHTML = async () => { let couponHTML = await getAjax(`${webSiteShareData.lcscWwwUrl}/huodong.html`) $(couponHTML).find('.coupon-item:contains(满16可用) div[data-id]').each(function () { let $this = $(this) // 优惠券id let couponId = $this.data('id') // 是否已经领取 let isHaved = $this.find(':contains(立即使用)').length > 0 // 优惠券名称 let couponName = $this.data('name') // 对应的品牌主页地址 let brandIndexHref = $this.data('href') // 优惠券金额 let couponPrice = couponName.replace(/^.*?\>(.*?)元.*$/, '$1') // 品牌名称 let brandName = couponName.replace(/^.*?元(.*?)品牌.*$/, '$1') // 是否新人优惠券 let isNew = couponName.split('新人专享').length >= 2 all16_15CouponMp.set(brandName, { couponName, // 优惠券名称 isNew, // 是否新人专享 couponPrice, //优惠券金额减免 brandName, // 品牌名称 couponId, // 优惠券id isHaved, // 是否已经领取 brandIndexHref, // 对应的品牌主页地址 couponLink: `${webSiteShareData.lcscWwwUrl}/getCoupon/${couponId}`, // 领券接口地址 }) }) } /** * 优惠券领取按钮的绑定事件 */ const getCouponClickHandler = () => { $('.to_cou').click(async function (target) { let brandName = $(this).parents('span').siblings('.key').text() // 优惠券实体 let couponEntity = all16_15CouponMp.get(brandName) if (!$.isEmptyObject(couponEntity)) { let res = await getAjax(couponEntity.couponLink) // console.log(res) let resParseData = JSON.parse(res) if (resParseData.result === 'success') { Qmsg.success(`${couponEntity.couponName},领取成功!`) refresh(true) } else { Qmsg.error(resParseData.msg) } } }) } // 隐藏/显示 小窗 const showOrHideModalHandler = () => { $('.showBtn,.hideBtn').click(function (target) { let $bd = $('.bd') if ($bd.is(':hidden')) { $('.hideBtn').show() $('.showBtn').hide() setLocalData('SHOW_BOOL', true) refresh() } else if ($bd.is(':visible')) { $('.showBtn').show() $('.hideBtn').hide() $('#couponModal').hide() setLocalData('SHOW_BOOL', false) } $bd.fadeToggle() f }) } /** * 优惠券快速入口 */ const couponGotoHandler = () => { const append_ = ` 快速入口 ` $('.coupon-item').each(function () { const $this = $(this) const btnBackgound = $this.hasClass('coupon-item-plus') ? '#61679e' : ($this.hasClass('receive') ? 'linear-gradient(90deg,#f4e6d6,#ffd9a8)' : '#199fe9') $this.append(append_) if ($this.hasClass('receive')) { $this.find('.coupon-item-goto').css({ color: 'unset' }) } $this.find('.coupon-item-goto').css({ background: btnBackgound }) $this.find('.coupon-item-goto').attr('href', $this.find('div[data-id]').data('url')) }) } /** * 页面加载的时候,控制小窗显示隐藏 */ const onLoadSet = () => { if (getLocalData('SHOW_BOOL') === 'false') { $('#bd').hide() $('.hideBtn').click() } if (getLocalData('AUTO_GET_COUPON_BOOL') === 'true') { $('.auto-get-coupon').attr('checked', true) } // $('textarea').css('min-width', `${$('textarea').css('width')} !important`) } /** * 刷新小窗口数据 * @param {*} notRefreshCouponHtml 是否更新优惠券集合数据 */ const refresh = async (notRefreshCouponHtml) => { console.time('refresh') if (getLocalData('SHOW_BOOL') === 'false') { return } // 是否更新优惠券集合数据,主要更新是否领取的状态 if (notRefreshCouponHtml === true) { await getCouponHTML() } eachCartList() appendHtml() setBrandColor() console.timeEnd('refresh') } /** * 全部刷新重置 */ const allRefresh = async () => { basicSettings() await getCouponHTML() refresh(true) checkStatusChangeHandler() onChangeCountHandler() autoGetCouponTimerHandler() onLoadSet() lookCouponListModal() } /** * 重置小窗口的高度f5 * */ const resizeHeight = () => { if (((window.innerHeight - 120) < $('.bd').height())) { $('.bd').height('82vh') } else { $('.bd').height('auto') } } location.href.includes('https://so.szlcsc.com/global.html') /** * 购物车页面 */ const cartStart = async () => { window.addEventListener('resize', resizeHeight) basicSettings() eachCartList() await getCouponHTML() appendHtml() setBrandColor() checkStatusChangeHandler() onChangeCountHandler() autoGetCouponTimerHandler() onLoadSet() lookCouponListModal() } /** * 搜索页 * @param {*} isNew 是否新人 true/false * @param {*} type 单选多选 ONE/MORE */ const searchStart = async () => { // 更新优惠券列表到集合中 await getCouponHTML() /** * 设置单选的背景颜色 */ const _setOneCssByBrandName = (brandName, bgColor = 'aquamarine') => { // 查找某个品牌 const searchBrandItemList = $(`#brandList div`).find(`span:eq(0):contains(${brandName})`) searchBrandItemList.css({ 'background-color': bgColor, 'border-radius': '30px' }) } /** * 设置多选的背景颜色 */ const _setMultiCssByBrandName = (brandName, bgColor = 'aquamarine') => { // 查找某个品牌 const searchBrandItemList = $(`.pick-txt.det-screen1 div`).find(`label:contains(${brandName})`) searchBrandItemList.css({ 'background-color': bgColor, 'border-radius': '30px' }) } /** * 筛选条件:单选品牌-颜色 */ const _renderFilterBrandColor = async () => { await setAwait(1200) $(`#brandList div`).find(`span:eq(0)`).each(function () { const text = $(this).text().trim() let findBrandName = text if (text.includes('(')) { findBrandName = getBrandNameByRegex(text) } if (all16_15CouponMp.has(findBrandName)) { if (all16_15CouponMp.get(findBrandName).isNew) { _setOneCssByBrandName(findBrandName) } else { _setOneCssByBrandName(findBrandName, 'deepskyblue') } } }) // 省略号去掉,方便查看 $('.det-screen1 span').css({ 'display': 'unset' }) } /** * 筛选条件:单选品牌-颜色 */ const _renderMulitFilterBrandColor = async () => { await setAwait(1200) $(`.pick-txt.det-screen1 div`).each(function () { const text = $(this).find('label').attr('title').trim() let findBrandName = text if (text.includes('(')) { findBrandName = getBrandNameByRegex(text) } if (all16_15CouponMp.has(findBrandName)) { if (all16_15CouponMp.get(findBrandName).isNew) { _setMultiCssByBrandName(findBrandName) } else { _setMultiCssByBrandName(findBrandName, 'deepskyblue') } } }) // 省略号去掉,方便查看 $('.det-screen1 span').css({ 'display': 'unset' }) } _renderFilterBrandColor() /** * 筛选条件:多选品牌 * @param {*} isNew 是否新人券 true/false */ const multiFilterBrand = async (isNew) => { $('#more-brand').click() // $('.pick-txt.det-screen1 label.active').removeClass('active'); $('.pick-txt.det-screen1 div').each(function () { const $labelEle = $(this).find('label.fuxuanku-lable') // 品牌名称 const text = $labelEle.attr('title').trim() let findBrandName = text if (text.includes('(')) { findBrandName = getBrandNameByRegex(text) } if (all16_15CouponMp.has(findBrandName)) { if (all16_15CouponMp.get(findBrandName).isNew === isNew) { // 多选框选中 $labelEle.click() } } }) $('.hoice-ys .more-input02').click() } if ($('#_remind').length === 0) { $('.det-screen:contains("品牌:")').append(`

新人券

非新人券
`) } // 多选展开按钮 $('#more-brand').click(_renderMulitFilterBrandColor) // 品牌单选 $('.screen-more .more-brand').click(_renderFilterBrandColor) // 多选新人券 $('.get_new_coupon').click(() => multiFilterBrand(true)) // 多选非新人券 $('.get_notnew_coupon').click(() => multiFilterBrand(false)) } // 搜索页 let isSearchPage = () => location.href.includes('so.szlcsc.com/global.html'); // 购物车页 let isCartPage = () => location.href.includes('cart.szlcsc.com/cart/display.html'); let isInit = false; let timer__ = setInterval(function () { if (isCartPage() && !isInit) { cartStart() isInit = true; clearInterval(timer__) timer__ = null } if (isSearchPage() && !isInit) { searchStart() isInit = true; clearInterval(timer__) timer__ = null } }, 200) })()