diff --git a/mining-pool/src/App.vue b/mining-pool/src/App.vue index ec42a37..56549b4 100644 --- a/mining-pool/src/App.vue +++ b/mining-pool/src/App.vue @@ -1,16 +1,19 @@ + + \ No newline at end of file diff --git a/mining-pool/src/i18n/ChatWidget.js b/mining-pool/src/i18n/ChatWidget.js new file mode 100644 index 0000000..ef2b1e3 --- /dev/null +++ b/mining-pool/src/i18n/ChatWidget.js @@ -0,0 +1,32 @@ +export const ChatWidget_zh = { + chat:{ + + title: '在线客服', + welcome: '欢迎使用在线客服,请问有什么可以帮您?', + placeholder: '请输入您的消息...', + send: '发送', + close: '关闭', + inputPlaceholder:"请输入您的问题...", + onlyImages:"只能上传图片文件!", + imageTooLarge:"图片大小不能超过5MB!", + imageReceived:"已收到您的图片,我们会尽快处理您的问题。", + }, + + +} + +export const ChatWidget_en = { + + + chat:{ + title: 'Online Customer Service', + welcome: 'Welcome to the online customer service, what can I help you with?', + placeholder: 'Please enter your message...', + send: 'Send', + close: 'Close', + inputPlaceholder:"Please enter your question...", + onlyImages:"Only image files can be uploaded!", + imageTooLarge:"The image size cannot exceed 5MB!", + imageReceived:"We have received your image, and we will handle your question as soon as possible.", + } + } \ No newline at end of file diff --git a/mining-pool/src/i18n/messages.js b/mining-pool/src/i18n/messages.js index 71d2078..acc64d6 100644 --- a/mining-pool/src/i18n/messages.js +++ b/mining-pool/src/i18n/messages.js @@ -11,6 +11,7 @@ import {workOrder_zh,workOrder_en} from'./submitWorkOrder' import {alerts_zh,alerts_en} from'./alerts' import {seo_zh,seo_en} from'./seo' import {chooseUs_zh,chooseUs_en} from'./dataDisplay' +import {ChatWidget_zh,ChatWidget_en} from'./ChatWidget' @@ -30,7 +31,7 @@ export default { ...alerts_zh, ...seo_zh, ...chooseUs_zh, - + ...ChatWidget_zh, }, @@ -50,7 +51,7 @@ export default { ...alerts_en, ...seo_en, ...chooseUs_en, - + ...ChatWidget_en, diff --git a/mining-pool/src/router/index.js b/mining-pool/src/router/index.js index 58f0072..87c6442 100644 --- a/mining-pool/src/router/index.js +++ b/mining-pool/src/router/index.js @@ -118,6 +118,22 @@ const childrenRoutes = [ } }, + {//在线客服 + path: 'customerService', + name: 'CustomerService', + component: () => import('../views/customerService/index.vue'), + meta: {title: '在线客服', + description:i18n.t(`seo.apiFile`), + allAuthority:[`all`], + // keywords: 'M2Pool 矿池,API 文档,认证 token,接口调用,API file,authentication token,Interface call' + keywords:{ + en: 'API file,authentication token,Interface call', + zh: 'M2Pool 矿池,API 文档,认证 token,接口调用' + } + + } + }, + {//接入矿池页面 path: '/:lang/AccessMiningPool', name: 'AccessMiningPool', diff --git a/mining-pool/src/utils/request.js b/mining-pool/src/utils/request.js index 5f0890d..8a4cc8a 100644 --- a/mining-pool/src/utils/request.js +++ b/mining-pool/src/utils/request.js @@ -160,7 +160,10 @@ window.addEventListener('offline', () => { service.defaults.retry = 2;// 重试次数 service.defaults.retryDelay = 2000; -service.defaults.shouldRetry = (error) => true +service.defaults.shouldRetry = (error) => { + // 只有网络错误或超时错误才进行重试 + return error.message === "Network Error" || error.message.includes("timeout"); +}; localStorage.setItem('superReportError', "") let superReportError = localStorage.getItem('superReportError') @@ -286,7 +289,6 @@ service.interceptors.response.use(res => { let { message } = error; - if (message == "Network Error" || message.includes("timeout")) { if (!navigator.onLine) { // 断网状态,添加到重试队列 @@ -296,7 +298,7 @@ service.interceptors.response.use(res => { params: error.config.params, data: error.config.data }); - + // 根据URL确定请求类型并记录回调 let callback = null; if (error.config.url.includes('getPoolPower')) { @@ -313,7 +315,7 @@ service.interceptors.response.use(res => { } }; } - + if (!pendingRequests.has(requestKey)) { pendingRequests.set(requestKey, { config: error.config, @@ -321,17 +323,31 @@ service.interceptors.response.use(res => { retryCount: 0, callback: callback }); - + console.log('请求已加入断网重连队列:', error.config.url); } - } else if ((error.config.retry > 0 && error.config)) { - // 保留现有的重试逻辑 - error.config.retry--; - return new Promise(resolve => { - setTimeout(() => { - resolve(service(error.config)); - }, 2000); - }); + } else { + // 网络已连接,但请求失败,尝试重试 + // 确保 config 中有 __retryCount 字段 + error.config.__retryCount = error.config.__retryCount || 0; + + // 判断是否可以重试 + if (error.config.__retryCount < service.defaults.retry && service.defaults.shouldRetry(error)) { + // 增加重试计数 + error.config.__retryCount += 1; + + console.log(`[请求重试] ${error.config.url} - 第 ${error.config.__retryCount} 次重试`); + + // 创建新的Promise等待一段时间后重试 + return new Promise(resolve => { + setTimeout(() => { + resolve(service(error.config)); + }, service.defaults.retryDelay); + }); + } + + // 达到最大重试次数,不再重试 + console.log(`[请求失败] ${error.config.url} - 已达到最大重试次数`); } } @@ -375,63 +391,11 @@ service.interceptors.response.use(res => { // 避免完全不提示,可以在控制台记录被抑制的错误 console.log('[错误提示] 已抑制重复错误:', message); } - - - - // let { message } = error; - // if (message == "Network Error") { - // // message = "后端接口网络连接异常,请刷新重试"; - // const now = Date.now(); - // if (now - lastNetworkErrorTime > NETWORK_ERROR_THROTTLE_TIME) { - // lastNetworkErrorTime = now; // 更新最后提示时间 - // Message({ - // message: window.vm.$i18n.t(`home.NetworkError`), - // type: 'error', - // duration: 4 * 1000, - // showClose: true - // }); - // } - - // } - // else if (message.includes("timeout")) { - // // message = "系统接口请求超时,请刷新重试"; - // Message({ - // message: window.vm.$i18n.t(`home.requestTimeout`), - // type: 'error', - // duration: 5 * 1000, - // showClose: true - // }) - - // } - // else if (message.includes("Request failed with status code")) { - // // message = "系统接口" + message.substr(message.length - 3) + "异常"; - // Message({ - // message: "系统接口" + message.substr(message.length - 3) + "异常", - // type: 'error', - // duration: 5 * 1000, - // showClose: true - // }) - // } else { - - // Message({ - // message: message, - // type: 'error', - // duration: 5 * 1000, - // showClose: true - // }) - - // } - - - - - } - return Promise.reject(error) } diff --git a/mining-pool/src/views/customerService/index.js b/mining-pool/src/views/customerService/index.js new file mode 100644 index 0000000..e69de29 diff --git a/mining-pool/src/views/customerService/index.vue b/mining-pool/src/views/customerService/index.vue new file mode 100644 index 0000000..13caa90 --- /dev/null +++ b/mining-pool/src/views/customerService/index.vue @@ -0,0 +1,1044 @@ + + + + \ No newline at end of file diff --git a/mining-pool/src/views/home/index.vue b/mining-pool/src/views/home/index.vue index b98f766..40299be 100644 --- a/mining-pool/src/views/home/index.vue +++ b/mining-pool/src/views/home/index.vue @@ -3,10 +3,10 @@
- - + mining +
@@ -329,13 +329,12 @@
+
- + + mining --> + mining
@@ -785,6 +784,7 @@ export default { p{ width: 100% ; background: transparent ; + padding-left: 8px; } i{ @@ -1295,16 +1295,44 @@ export default { @media screen and (min-width:800px) and (max-width: 1279px) { .imgTop { width: 100%; - // padding-left: 10%; - text-align: center; + padding-left: 20%; + text-align: left; img { - width: 100%; + width: auto ; + height:300px; } } #chart { height: 400px !important; } + .describeBox2{ + width: 100%; + font-size: 0.9rem; + padding: 8px; + margin: 0 auto; + p{ + width: 100% ; + background: transparent ; + padding-left: 8px; + + } + i{ + color: #5721e4; + margin-right: 5px; + } + .describeTitle{ + color: #5721e4; + font-weight: 600; + font-size: 0.95rem; + } + + .view{ + color: #5721e4; + margin-left: 5px; + } + } + .moveCurrencyBox { @@ -2046,7 +2074,7 @@ export default { .bgBox { // background: gold; width: 100%; - // height: 380px; + height: 300px; box-sizing: border-box; // background-position: 50% 28%; // background-size: cover; @@ -2059,12 +2087,20 @@ export default { // background-position: 13.2vw 0 ; // background-repeat: no-repeat; // margin-top: 50px; - margin: 30px 0px; + // margin: 30px 0px; - text-align: center; + text-align: left; + .bgImg{ + height: 100%; + width: auto ; + position: absolute; + left: 25vw; + top: 0; + } .bgBoxImg { height: 100%; + width: auto; position: absolute; left: 23%; transition: all 0.3s linear; diff --git a/mining-pool/src/views/rate/index.js b/mining-pool/src/views/rate/index.js index 3950484..4b88640 100644 --- a/mining-pool/src/views/rate/index.js +++ b/mining-pool/src/views/rate/index.js @@ -69,7 +69,7 @@ export default { value:"enx", label:"Entropyx(Enx)", img:`${this.$baseApi}img/enx.svg`, - rate:"0", + rate:"1%", address:"", mode:"PPLNS+PROPDIF", quota:"5000", diff --git a/mining-pool/src/views/rate/index.vue b/mining-pool/src/views/rate/index.vue index 1ab54be..c011cf8 100644 --- a/mining-pool/src/views/rate/index.vue +++ b/mining-pool/src/views/rate/index.vue @@ -12,8 +12,8 @@
@@ -76,8 +76,8 @@
  • coin {{item.label}} {{item.address}} - {{ $t(`course.timeLimited`) }} 0% - {{item.rate}} + + {{item.rate}} {{item.mode}} {{item.quota}}
  • diff --git a/mining-pool/src/views/simulation.vue b/mining-pool/src/views/simulation.vue index 0620323..bbaaa91 100644 --- a/mining-pool/src/views/simulation.vue +++ b/mining-pool/src/views/simulation.vue @@ -1,153 +1,397 @@ - - this.myChart.setOption(this.option); - // 回调函数,在渲染完成后执行 - this.myChart.on("finished", () => { - // 在这里执行显示给用户的操作 - // console.log('图表渲染完成,显示给用户'); - this.minerChartLoading = false; - }); - // window.addEventListener("resize", () => { - // if (this.myChart) this.myChart.resize(); - // }); + \ No newline at end of file diff --git a/mining-pool/src/views/submitWorkOrder/index.js b/mining-pool/src/views/submitWorkOrder/index.js index 3f308f7..af03869 100644 --- a/mining-pool/src/views/submitWorkOrder/index.js +++ b/mining-pool/src/views/submitWorkOrder/index.js @@ -105,9 +105,9 @@ export default { console.log(res,"文件返回"); this.ruleForm.files = res.data.data.id - if (this.ruleForm.files) {//成功拿到返回ID - this.fetchSubmitWork(this.ruleForm) - } + // if (this.ruleForm.files) {//成功拿到返回ID + // this.fetchSubmitWork(this.ruleForm) + // } }) } else { diff --git a/mining-pool/test/css/app-113c6c50.af06316f.css b/mining-pool/test/css/app-113c6c50.af06316f.css new file mode 100644 index 0000000..495b434 --- /dev/null +++ b/mining-pool/test/css/app-113c6c50.af06316f.css @@ -0,0 +1 @@ +@media screen and (min-width:220px)and (max-width:1279px){[data-v-a57ca41e]::-webkit-scrollbar{width:0!important;height:0}[data-v-a57ca41e]::-webkit-scrollbar-thumb{background-color:#d2c3e9;border-radius:20PX}[data-v-a57ca41e]::-webkit-scrollbar-track{background-color:#f0f0f0}.accountInformation[data-v-a57ca41e]{width:100%!important;height:33px!important;background:rgba(0,0,0,.5);position:fixed;top:61px!important;left:0;display:flex;align-items:center;padding:1% 5%;z-index:2001;line-height:33px!important}.accountInformation img[data-v-a57ca41e]{width:18px!important}.accountInformation i[data-v-a57ca41e]{color:#fff;font-size:.95rem!important;margin-left:10px}.accountInformation .coin[data-v-a57ca41e]{margin-left:5px;font-weight:600;color:#fff;text-transform:capitalize;font-size:.8rem!important}.accountInformation .ma[data-v-a57ca41e]{font-weight:400!important;color:#fff;margin-left:10px;font-size:.9rem!important}.profitTop[data-v-a57ca41e]{width:100%;height:auto;display:flex;flex-wrap:wrap;justify-content:space-around;padding-top:40px}.profitTop .box[data-v-a57ca41e]{width:45%;height:80px;background:#fff;margin-top:10px;display:flex;flex-direction:column;align-items:left;justify-content:space-around;padding:8px;font-size:.9rem;border-radius:5px;box-shadow:0 0 3px 1px #ccc}.profitTop .accountBalance[data-v-a57ca41e]{width:95%;display:flex;justify-content:space-between;padding:15px 15px;background:#fff;margin:0 auto;margin-top:18px;border-radius:5px;box-shadow:0 0 3px 1px #ccc}.profitTop .accountBalance .box2[data-v-a57ca41e]{display:flex;flex-direction:column;align-items:left;font-size:.9rem}.profitTop .accountBalance .el-button[data-v-a57ca41e]{background:#661fff;color:#fff}.profitBtm2[data-v-a57ca41e]{width:95%;height:400px;margin:0 auto;margin-top:18px;border-radius:5px;box-shadow:0 0 3px 1px #ccc;padding:8px;font-size:.95rem;background:#fff}.profitBtm2 .right[data-v-a57ca41e]{width:100%;height:95%;background:#fff;transition:all .2s linear}.profitBtm2 .right .intervalBox[data-v-a57ca41e]{display:flex;align-items:center;justify-content:space-between;padding:5px 10px}.profitBtm2 .right .intervalBox .title[data-v-a57ca41e]{text-align:center;font-size:.95rem;color:rgba(0,0,0,.8)}.profitBtm2 .right .intervalBox .times[data-v-a57ca41e]{display:flex;align-items:center;justify-content:space-between;border-radius:20px;padding:1px 1px;border:1px solid #5721e4;cursor:pointer;font-size:.8rem;margin-top:5px}.profitBtm2 .right .intervalBox .times span[data-v-a57ca41e]{min-width:55px;text-align:center;border-radius:20px;margin:0}.profitBtm2 .right .intervalBox .timeActive[data-v-a57ca41e]{background:#7245e8;color:#fff}.barBox[data-v-a57ca41e]{width:95%;height:400px;margin:0 auto;margin-top:18px;border-radius:5px;box-shadow:0 0 3px 1px #ccc;font-size:.95rem;background:#fff}.barBox .lineBOX[data-v-a57ca41e]{width:100%;height:98%;padding:10px 20px;transition:all .2s linear}.barBox .lineBOX .intervalBox[data-v-a57ca41e]{font-size:.9rem}.barBox .lineBOX .intervalBox .title[data-v-a57ca41e]{text-align:left;font-size:.95rem;color:rgba(0,0,0,.8)}.barBox .lineBOX .intervalBox .timesBox[data-v-a57ca41e]{width:100%;text-align:right;display:flex;justify-content:right}.barBox .lineBOX .intervalBox .timesBox .times2[data-v-a57ca41e]{max-width:47%;display:flex;align-items:center;justify-content:space-between;border-radius:20px;padding:1px 1px;border:1px solid #5721e4;font-size:.8rem}.barBox .lineBOX .intervalBox .timesBox .times2 span[data-v-a57ca41e]{text-align:center;padding:0 15px;border-radius:20px;margin:0}.barBox .lineBOX .intervalBox .timeActive[data-v-a57ca41e]{background:#7245e8;color:#fff}.searchBox[data-v-a57ca41e]{width:92%;border:2px solid #641fff;height:30px;display:flex;align-items:center;justify-content:space-between;border-radius:25px;overflow:hidden;margin:0 auto;margin-top:25px}.searchBox .inout[data-v-a57ca41e]{border:none;outline:none;padding:0 10px;background:transparent}.searchBox i[data-v-a57ca41e]{width:15%;height:101%;background:#641fff;color:#fff;font-size:1.2em;line-height:25px;text-align:center}.top3Box[data-v-a57ca41e]{margin-top:8px!important;width:100%;display:flex;justify-content:center;flex-direction:column;align-items:center;padding:0 1%;padding-bottom:5%;font-size:.95rem}.top3Box .tabPageBox[data-v-a57ca41e]{width:98%!important;display:flex;justify-content:center;flex-direction:column;margin-bottom:10px}.top3Box .tabPageBox .activeHeadlines[data-v-a57ca41e]{background:#651efe!important;color:#fff}.top3Box .tabPageBox .tabPageTitle[data-v-a57ca41e]{width:100%!important;height:60px;display:flex;align-items:end;position:relative;padding:0!important;font-weight:600}.top3Box .tabPageBox .tabPageTitle .TitleS[data-v-a57ca41e]{position:relative;display:inline-block;filter:drop-shadow(0 -5px 10px rgba(0,0,0,.3));cursor:pointer;margin:0;background:transparent}.top3Box .tabPageBox .tabPageTitle .TitleS .trapezoid[data-v-a57ca41e]{display:inline-block;width:130px!important;height:40px;background:#f9bbd0;clip-path:polygon(22% 0,79% 0,94% 100%,10% 100%);display:flex;justify-content:center;align-items:center}.top3Box .tabPageBox .tabPageTitle .TitleS[data-v-a57ca41e]:hover{font-weight:700}.top3Box .tabPageBox .tabPageTitle .ces[data-v-a57ca41e]{width:10%;height:60px;position:absolute;left:50%;clip-path:polygon(22% 0,79% 0,94% 100%,10% 100%);filter:drop-shadow(20px 20px 10px 10px rgba(0,0,0,.6))!important}.top3Box .tabPageBox .tabPageTitle .minerTitle[data-v-a57ca41e]{z-index:99}.top3Box .tabPageBox .tabPageTitle .profitTitle[data-v-a57ca41e]{position:absolute;left:-37px!important;z-index:98;margin:0!important}.top3Box .tabPageBox .tabPageTitle .paymentTitle[data-v-a57ca41e]{position:absolute;left:-72px!important;z-index:97;margin:0!important}.top3Box .tabPageBox .page[data-v-a57ca41e]{width:100%;min-height:380px!important;box-shadow:0 0 3px 3px rgba(0,0,0,.1)!important;z-index:999;margin-top:-3px;border-radius:20px;overflow:hidden;background:#fff;display:flex;flex-direction:column}.top3Box .tabPageBox .page .publicBox[data-v-a57ca41e]{min-height:300px!important}.top3Box .tabPageBox .page .minerPagination[data-v-a57ca41e]{margin:0 auto;margin-top:30px;margin-bottom:30px}.top3Box .tabPageBox .page .minerTitleBox[data-v-a57ca41e]{width:100%;height:40px;background:#efefef;padding:0!important}.top3Box .tabPageBox .page .minerTitleBox .TitleOnLine[data-v-a57ca41e]{width:100%!important;font-weight:600;display:flex;justify-content:left}.top3Box .tabPageBox .page .minerTitleBox .TitleOnLine span[data-v-a57ca41e]{display:inline-block;cursor:pointer;margin-left:18!important;padding:0!important;font-size:.9rem}.top3Box .tabPageBox .page .TitleAll[data-v-a57ca41e]{display:flex;width:100%!important;padding:0!important;padding-left:5px!important;border-radius:0!important}.top3Box .tabPageBox .page .TitleAll span[data-v-a57ca41e]:first-of-type{width:19%!important;text-align:center}.top3Box .tabPageBox .page .TitleAll span[data-v-a57ca41e]:nth-of-type(2){width:38%!important}.top3Box .tabPageBox .page .TitleAll span[data-v-a57ca41e]:nth-of-type(3){width:43%!important}.top3Box .tabPageBox .page .TitleAll span[data-v-a57ca41e]{font-size:.8rem;text-align:left}.top3Box .elTabs3[data-v-a57ca41e]{width:70%;position:relative}.top3Box .elTabs3 .searchBox[data-v-a57ca41e]{width:25%;position:absolute;right:0;top:-5px;z-index:99999;border:2px solid #641fff;height:30px;display:flex;align-items:center;justify-content:space-between;border-radius:25px;overflow:hidden}.top3Box .elTabs3 .searchBox .ipt[data-v-a57ca41e]{border:none;outline:none;padding:0 10px}.top3Box .elTabs3 .searchBox i[data-v-a57ca41e]{width:15%;height:101%;background:#641fff;color:#fff;font-size:1.2em;line-height:25px;text-align:center}.top3Box .elTabs3 .minerTabs[data-v-a57ca41e]{width:98%;margin-left:2%;margin-top:1%;min-height:600px}.top3Box .accordionTitle[data-v-a57ca41e]{width:100%;display:flex;justify-content:left;align-items:center;padding:0 20px}.top3Box .accordionTitle span[data-v-a57ca41e]{width:25%;text-align:left}.top3Box .accordionTitleAll[data-v-a57ca41e]{width:100%;display:flex;justify-content:left;align-items:center;padding:0!important;padding-left:5px!important}.top3Box .accordionTitleAll span[data-v-a57ca41e]:first-of-type{width:25%!important}.top3Box .accordionTitleAll span[data-v-a57ca41e]:nth-of-type(2){width:35%!important}.top3Box .accordionTitleAll span[data-v-a57ca41e]:nth-of-type(3){width:40%!important}.top3Box .accordionTitleAll span[data-v-a57ca41e]{font-size:.8rem;text-align:center;padding-left:5px!important;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.top3Box .Title[data-v-a57ca41e]{height:60px;background:#d2c3ea;border-radius:5px;display:flex;justify-content:left;align-items:center;padding:0 30px}.top3Box .Title span[data-v-a57ca41e]{width:24.5%;color:#433278;text-align:left}.top3Box .TitleAll[data-v-a57ca41e]{height:60px;background:#d2c3ea;border-radius:5px;display:flex;justify-content:left;align-items:center;padding:0 35px}.top3Box .TitleAll span[data-v-a57ca41e]{width:20%;color:#433278;text-align:left}.top3Box .totalTitleAll[data-v-a57ca41e]{height:40px!important;display:flex;justify-content:left;align-items:center;padding:0!important;background:#efefef;padding-left:5px!important}.top3Box .totalTitleAll span[data-v-a57ca41e]:first-of-type{width:25%!important}.top3Box .totalTitleAll span[data-v-a57ca41e]:nth-of-type(2){width:35%!important}.top3Box .totalTitleAll span[data-v-a57ca41e]:nth-of-type(3){width:40%!important}.top3Box .totalTitleAll span[data-v-a57ca41e]{font-size:.8rem;text-align:center;padding-left:5px!important;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.top3Box .totalTitle[data-v-a57ca41e]{height:60px;display:flex;justify-content:left;align-items:center;padding:0 20px;background:#efefef}.top3Box .totalTitle span[data-v-a57ca41e]{width:24.25%;text-align:left}.top3Box .miningMachine[data-v-a57ca41e]{background:#fff;box-shadow:0 0 3px 1px #ccc;overflow:hidden;border-radius:5px}.top3Box .miningMachine .belowTable[data-v-a57ca41e]{border-radius:5px!important;width:100%!important;margin-bottom:20px!important}.top3Box .payment .belowTable[data-v-a57ca41e]{box-shadow:0 0 3px 1px #ccc}.top3Box .payment .belowTable .table-title[data-v-a57ca41e]{height:50px;display:flex;justify-content:space-around;align-items:center;background:#d2c3ea;color:#433278;font-weight:600;width:100%;font-size:.8rem!important}.top3Box .payment .belowTable .table-title span[data-v-a57ca41e]{display:inline-block}.top3Box .payment .belowTable .table-title span[data-v-a57ca41e]:first-of-type{width:35%;padding-left:10px}.top3Box .payment .belowTable .table-title span[data-v-a57ca41e]:nth-of-type(2){width:35%;text-align:left}.top3Box .payment .belowTable .table-title span[data-v-a57ca41e]:nth-of-type(3){width:27%;text-align:center}.top3Box .payment .belowTable .el-collapse[data-v-a57ca41e]{width:100%;max-height:500px;overflow-y:auto}.top3Box .payment .belowTable .paymentCollapseTitle[data-v-a57ca41e]{display:flex;justify-content:left;align-items:center;width:100%}.top3Box .payment .belowTable .paymentCollapseTitle span[data-v-a57ca41e]{display:inline-block}.top3Box .payment .belowTable .paymentCollapseTitle span[data-v-a57ca41e]:first-of-type{width:35%;padding-left:10px}.top3Box .payment .belowTable .paymentCollapseTitle span[data-v-a57ca41e]:nth-of-type(2){width:32%;text-align:center}.top3Box .payment .belowTable .paymentCollapseTitle span[data-v-a57ca41e]:nth-of-type(3){width:27%;text-align:right}.top3Box .payment .belowTable .dropDownContent[data-v-a57ca41e]{width:100%;padding:0 10px;word-wrap:break-word}.top3Box .payment .belowTable .dropDownContent div[data-v-a57ca41e]{margin-top:8px}.top3Box .payment .belowTable .copy[data-v-a57ca41e]{padding:0 5px;display:inline-block;cursor:pointer;border:1px solid #d1c2e9;border-radius:5px;margin-left:10px;font-size:.8rem}.el-collapse[data-v-a57ca41e]{max-height:500px!important;overflow-y:auto}.table-item[data-v-a57ca41e]{display:flex;height:59px;width:100%;align-items:center;justify-content:space-around;padding:8px}.table-item div[data-v-a57ca41e]{width:50%;display:flex;align-items:center;flex-direction:column;justify-content:space-around;height:100%}.table-item div p[data-v-a57ca41e]{text-align:left}.table-itemOn[data-v-a57ca41e]{display:flex;height:59px;width:100%;align-items:center;justify-content:left;padding:8px}.table-itemOn div[data-v-a57ca41e]{width:50%;display:flex;align-items:left;flex-direction:column;justify-content:space-around;height:100%}.table-itemOn div p[data-v-a57ca41e]{text-align:left}.chartTitle[data-v-a57ca41e]{padding-left:3%;font-weight:600;color:#7245e8;color:rgba(0,0,0,.6);font-size:.9rem!important}[data-v-a57ca41e] .el-collapse-item__header{height:45px!important}.belowTable[data-v-a57ca41e]{width:99%;display:flex;flex-direction:column;align-items:center;border-radius:10px;overflow:hidden;margin:0 auto;padding:0;margin-top:-1px;margin-bottom:50px}.belowTable ul[data-v-a57ca41e]{width:100%;min-height:200px;max-height:690px;padding:0;overflow:hidden;overflow-y:auto;margin:0;margin-bottom:50px}.belowTable ul .table-title[data-v-a57ca41e]{position:sticky;top:0;background:#d2c3ea;padding:0 5px!important;color:#433278;font-weight:600;height:50px!important}.belowTable ul li[data-v-a57ca41e]{width:100%;list-style:none;display:flex;justify-content:space-around;align-items:center;height:40px!important;background:#f8f8fa}.belowTable ul li span[data-v-a57ca41e]{width:33.3333333333%!important;font-size:.8rem!important;text-align:center;word-wrap:break-word;overflow-wrap:break-word;white-space:normal}.belowTable ul li[data-v-a57ca41e]:nth-child(2n){background-color:#fff;background:#f8f8fa}.belowTable ul .currency-list[data-v-a57ca41e]{background:#efefef;padding:0!important;background:#f8f8fa;margin-top:5px!important;border:1px solid #efefef;color:rgba(0,0,0,.9)}.belowTable ul .currency-list .txidBox[data-v-a57ca41e]{display:flex;justify-content:left;box-sizing:border-box}.belowTable ul .currency-list .txidBox span[data-v-a57ca41e]:first-of-type{width:50%;text-align:right;display:inline-block;box-sizing:border-box;margin-right:10px}.belowTable ul .currency-list .txid[data-v-a57ca41e]{border-left:2px solid rgba(0,0,0,.1);margin-left:5px}.belowTable ul .currency-list .txid[data-v-a57ca41e]:hover{cursor:pointer;color:#2889fc;font-weight:600}[data-v-a57ca41e] .el-pager li{min-width:19px}[data-v-a57ca41e] .el-pagination .el-select .el-input{margin:0}[data-v-a57ca41e] .el-pagination .btn-next{padding:0!important;min-width:auto}}.activeState[data-v-a57ca41e]{color:red!important}.boxTitle[data-title][data-v-a57ca41e]{position:relative;display:inline-block}.boxTitle[data-title][data-v-a57ca41e]:hover:after{opacity:1;transition:all .1s ease .5s;visibility:visible}.boxTitle[data-title][data-v-a57ca41e]:after{min-width:180PX;max-width:300PX;content:attr(data-title);position:absolute;padding:5PX 10PX;right:28PX;border-radius:4PX;color:hsla(0,0%,100%,.8);background-color:rgba(80,79,79,.8);box-shadow:0 0 4PX rgba(0,0,0,.16);font-size:.8rem;visibility:hidden;opacity:0;text-align:center;z-index:999}[data-v-a57ca41e] .el-collapse-item__header{background:transparent;height:60PX}.item-even[data-v-a57ca41e]{background-color:#fff}.item-odd[data-v-a57ca41e]{background-color:#efefef}.miningAccount[data-v-a57ca41e]{width:100%;margin:0 auto;display:flex;flex-direction:column;justify-content:center;align-items:center;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 30%;background-repeat:no-repeat;background-position:0 -8%;padding-top:60PX}.accountInformation[data-v-a57ca41e]{width:100%;height:30PX;background:rgba(0,0,0,.5);position:fixed;top:8%;left:0;display:flex;align-items:center;padding:1% 5%;z-index:2001}.accountInformation img[data-v-a57ca41e]{width:23PX}.accountInformation i[data-v-a57ca41e]{color:#fff;font-size:.9rem;margin-left:10PX}.accountInformation .coin[data-v-a57ca41e]{margin-left:5PX;font-weight:600;color:#fff;text-transform:capitalize}.accountInformation .ma[data-v-a57ca41e]{font-weight:600;color:#fff;margin-left:10PX;font-size:.9rem}.DropDownChart[data-v-a57ca41e]{width:100%;height:500PX}.circularDots2[data-v-a57ca41e],.circularDots3.circularDots3[data-v-a57ca41e]{width:11PX!important;height:11PX!important;border-radius:50%;display:inline-block;border:2PX solid #ccc}.circularDots3.circularDots3[data-v-a57ca41e]{margin:0;padding:0!important}.activeCircular[data-v-a57ca41e]{width:11PX!important;height:11PX!important;border-radius:50%;border:none!important;background:radial-gradient(circle at center,#ebace3,#9754f1)}.chartTitle[data-v-a57ca41e]{padding-left:3%;font-size:1.3em;font-weight:600;color:#7245e8;color:rgba(0,0,0,.6)}.circularDots[data-v-a57ca41e]{display:inline-block;width:10PX;height:10PX;border-radius:50%;background:radial-gradient(circle at center,#ebace3,#9754f1)}.circularDotsOnLine[data-v-a57ca41e]{display:inline-block;width:8PX;background:#17cac7;height:8PX;border-radius:50%}.circularDotsOffLine[data-v-a57ca41e]{display:inline-block;width:8PX;background:#ff6565;height:8PX;border-radius:50%}.profitBox[data-v-a57ca41e]{width:70%;min-height:650PX;padding:20PX 1%}.profitBox .paymentSettingBth[data-v-a57ca41e]{width:100%;text-align:right}.profitBox .paymentSettingBth .el-button[data-v-a57ca41e]{background:#7245e8;color:#fff;padding:13PX 40PX;border-radius:8PX}.profitBox .profitTop[data-v-a57ca41e]{display:flex;min-height:20%;align-items:center;justify-content:space-between;margin:0 auto;flex-wrap:wrap}.profitBox .profitTop .box[data-v-a57ca41e]{width:230px;height:100px;background:#fff;box-shadow:0 0 10PX 1PX #ccc;border-radius:3%;transition:all .2s linear;padding:0;font-size:.95rem;margin:5px}.profitBox .profitTop .box .paymentSettings[data-v-a57ca41e]{display:flex}.profitBox .profitTop .box .paymentSettings span[data-v-a57ca41e]{width:45%;background:#661fff;color:#fff;border-radius:5PX;cursor:pointer;font-size:.8em;text-align:center;padding:0;display:inline-block;line-height:25PX}.profitBox .profitTop .box .paymentSettings span[data-v-a57ca41e]:hover{background:#7a50e7;color:#fff}.profitBox .profitTop .box span[data-v-a57ca41e]{display:inline-block;width:100%;height:50%;display:flex;align-items:center;padding:0 20PX}.profitBox .profitTop .box span span[data-v-a57ca41e]{width:8%}.profitBox .profitTop .box span img[data-v-a57ca41e]{width:18PX;margin-left:5PX}.profitBox .profitTop .box .text[data-v-a57ca41e]{justify-content:right;font-weight:600}.profitBox .profitTop .box[data-v-a57ca41e]:hover{box-shadow:10PX 5PX 10PX 3PX #e4dbf3}.profitBox .profitBtm[data-v-a57ca41e]{height:600px;width:100%;display:flex;align-items:center;justify-content:space-between}.profitBox .profitBtm .left[data-v-a57ca41e]{width:23%;height:90%;background:#fff;box-shadow:0 0 5PX 2PX #ccc;border-radius:3%;display:flex;flex-direction:column}.profitBox .profitBtm .left .box[data-v-a57ca41e]{width:100%;height:80%;background:#fff;border-radius:3%}.profitBox .profitBtm .left .box span[data-v-a57ca41e]{display:inline-block;width:100%;height:50%;display:flex;align-items:center;padding:0 25PX}.profitBox .profitBtm .left .box .text[data-v-a57ca41e]{justify-content:right;font-weight:600}.profitBox .profitBtm .left .bth[data-v-a57ca41e]{width:100%;text-align:center}.profitBox .profitBtm .left .bth .el-button[data-v-a57ca41e]{width:60%;background:#661fff;color:#fff}.profitBox .profitBtm .right[data-v-a57ca41e]{width:100%;height:90%;background:#fff;box-shadow:0 0 10PX 3PX #ccc;border-radius:15PX;padding:10PX 10PX;transition:all .2s linear}.profitBox .profitBtm .right .intervalBox[data-v-a57ca41e]{display:flex;align-items:center;justify-content:space-between;padding:10PX 20PX;font-size:.95rem}.profitBox .profitBtm .right .intervalBox .title[data-v-a57ca41e]{text-align:center;font-size:1.1em}.profitBox .profitBtm .right .intervalBox .times[data-v-a57ca41e]{display:flex;align-items:center;justify-content:space-between;border-radius:20PX;padding:1PX 1PX;border:1PX solid #5721e4;cursor:pointer}.profitBox .profitBtm .right .intervalBox .times span[data-v-a57ca41e]{min-width:55px;text-align:center;border-radius:20PX;margin:0}.profitBox .profitBtm .right .intervalBox .timeActive[data-v-a57ca41e]{background:#7245e8;color:#fff}.profitBox .profitBtm .right[data-v-a57ca41e]:hover{box-shadow:0 0 20PX 3PX #e4dbf3}.top1Box[data-v-a57ca41e]{width:90%;height:400PX;background-image:linear-gradient(90deg,#1e52e8 0,#1e52e8 80%,#0bb7bf);border-radius:10PX;color:#fff;font-size:1.3em;display:flex;flex-direction:column}.top1Box .top1BoxOne[data-v-a57ca41e]{height:12%;background:rgba(0,0,0,.3);border-radius:28PX 1PX 100PX 1PX;width:800PX;padding:5PX 20PX;line-height:40PX}.top1Box .top1BoxTwo[data-v-a57ca41e]{flex:1;width:100%;display:flex;flex-wrap:wrap;justify-content:left;align-items:center;padding:0 100PX}.top1Box .top1BoxTwo div[data-v-a57ca41e]{display:flex;flex-direction:column}.top1Box .top1BoxTwo div .income[data-v-a57ca41e]{margin-top:20PX;font-size:1.5em}.top1Box .top1BoxTwo .content[data-v-a57ca41e]{position:relative;padding:0 50PX;width:25%}.top1Box .top1BoxTwo .iconLine[data-v-a57ca41e]{width:1PX;background:hsla(0,0%,100%,.6);height:50%;position:absolute;right:0;top:25%}.top1Box .top1BoxThree[data-v-a57ca41e]{height:13%;background:rgba(0,0,0,.4);display:flex;justify-content:center;align-items:center}.top1Box .top1BoxThree .onlineSituation[data-v-a57ca41e]{width:50%;display:flex;justify-content:center;align-items:center;font-size:.8em}.top1Box .top1BoxThree .onlineSituation div[data-v-a57ca41e]{width:33.3333333333%;text-align:center}.top1Box .top1BoxThree .onlineSituation .whole[data-v-a57ca41e]{color:#fff}.top1Box .top1BoxThree .onlineSituation .onLine[data-v-a57ca41e]{color:#04c904}.top1Box .top1BoxThree .onlineSituation .off-line[data-v-a57ca41e]{color:#ef6565}.top2Box[data-v-a57ca41e]{margin-top:1%;width:70%;height:500PX;display:flex;justify-content:center;margin-bottom:2%;padding:0 1%}.top2Box .lineBOX[data-v-a57ca41e]{width:100%;padding:10PX 20PX;border-radius:15PX;box-shadow:0 0 10PX 3PX #ccc;transition:all .2s linear;background:#fff}.top2Box .lineBOX .intervalBox[data-v-a57ca41e]{display:flex;align-items:center;justify-content:space-between;padding:10PX 20PX;font-size:.95rem}.top2Box .lineBOX .intervalBox .title[data-v-a57ca41e]{text-align:center;font-size:1.1em}.top2Box .lineBOX .intervalBox .times[data-v-a57ca41e]{display:flex;align-items:center;justify-content:space-between;border-radius:20PX;padding:1PX 1PX;border:1PX solid #5721e4}.top2Box .lineBOX .intervalBox .times span[data-v-a57ca41e]{text-align:center;padding:0 15PX;border-radius:20PX;margin:0}.top2Box .lineBOX .intervalBox .timeActive[data-v-a57ca41e]{background:#7245e8;color:#fff}.top2Box .lineBOX[data-v-a57ca41e]:hover{box-shadow:0 0 20PX 3PX #e4dbf3}.top2Box .elTabs[data-v-a57ca41e]{width:100%;font-size:1em}.top2Box .intervalBox[data-v-a57ca41e]{display:flex;width:100%;justify-content:right}.top2Box .intervalBox span[data-v-a57ca41e]{margin-left:1%;cursor:pointer}.top2Box .intervalBox span[data-v-a57ca41e]:hover{color:#7245e8}.top3Box[data-v-a57ca41e]{margin-top:1%;width:100%;display:flex;justify-content:center;flex-direction:column;align-items:center;padding:0 1%;padding-bottom:5%}.top3Box .tabPageBox[data-v-a57ca41e]{width:70%;display:flex;justify-content:center;flex-direction:column;margin-bottom:10PX}.top3Box .tabPageBox .activeHeadlines[data-v-a57ca41e]{background:#651efe!important;color:#fff}.top3Box .tabPageBox .tabPageTitle[data-v-a57ca41e]{width:70%;height:60PX;display:flex;align-items:end;position:relative;padding:0;padding-left:1%;font-weight:600}.top3Box .tabPageBox .tabPageTitle .TitleS[data-v-a57ca41e]{position:relative;display:inline-block;filter:drop-shadow(0 -5PX 10PX rgba(0,0,0,.3));cursor:pointer;margin:0;background:transparent}.top3Box .tabPageBox .tabPageTitle .TitleS .trapezoid[data-v-a57ca41e]{display:inline-block;width:150PX;height:40PX;background:#f9bbd0;clip-path:polygon(22% 0,79% 0,94% 100%,10% 100%);display:flex;justify-content:center;align-items:center;font-size:.95rem}.top3Box .tabPageBox .tabPageTitle .TitleS[data-v-a57ca41e]:hover{font-weight:700}.top3Box .tabPageBox .tabPageTitle .ces[data-v-a57ca41e]{width:10%;height:60PX;position:absolute;left:50%;clip-path:polygon(22% 0,79% 0,94% 100%,10% 100%);filter:drop-shadow(20PX 20PX 10PX 10PX rgba(0,0,0,.6))!important}.top3Box .tabPageBox .tabPageTitle .minerTitle[data-v-a57ca41e]{z-index:99}.top3Box .tabPageBox .tabPageTitle .profitTitle[data-v-a57ca41e]{z-index:98;margin-left:-40PX}.top3Box .tabPageBox .tabPageTitle .paymentTitle[data-v-a57ca41e]{z-index:97;margin-left:-45PX}.top3Box .tabPageBox .page[data-v-a57ca41e]{width:100%;min-height:730PX;box-shadow:5PX 4PX 8PX 5PX rgba(0,0,0,.1);z-index:999;margin-top:-3PX;border-radius:20PX;overflow:hidden;background:#fff;display:flex;flex-direction:column}.top3Box .tabPageBox .page .publicBox[data-v-a57ca41e]{min-height:600PX}.top3Box .tabPageBox .page .minerPagination[data-v-a57ca41e]{margin:0 auto;margin-top:30PX;margin-bottom:30PX}.top3Box .tabPageBox .page .minerTitleBox[data-v-a57ca41e]{width:100%;height:40PX;background:#efefef;padding:0 30PX;display:flex;align-items:center;justify-content:space-between;font-size:.9rem}.top3Box .tabPageBox .page .minerTitleBox .TitleOnLine[data-v-a57ca41e]{width:60%;font-weight:600}.top3Box .tabPageBox .page .minerTitleBox .TitleOnLine span[data-v-a57ca41e]{display:inline-block;cursor:pointer;margin-left:20PX;padding:0 5PX}.top3Box .tabPageBox .page .minerTitleBox .searchBox[data-v-a57ca41e]{width:260px;border:2PX solid #641fff;height:30PX;display:flex;align-items:center;justify-content:space-between;border-radius:25PX;overflow:hidden;margin:0;margin-right:10px}.top3Box .tabPageBox .page .minerTitleBox .searchBox .inout[data-v-a57ca41e]{border:none;outline:none;padding:0 10PX;background:transparent}.top3Box .tabPageBox .page .minerTitleBox .searchBox i[data-v-a57ca41e]{width:35px;height:29px;background:#641fff;color:#fff;font-size:1.2em;line-height:29PX;text-align:center}.top3Box .elTabs3[data-v-a57ca41e]{width:70%;font-size:1em;position:relative}.top3Box .elTabs3 .searchBox[data-v-a57ca41e]{width:25%;position:absolute;right:0;top:-5PX;z-index:99999;border:2PX solid #641fff;height:30PX;display:flex;align-items:center;justify-content:space-between;border-radius:25PX;overflow:hidden}.top3Box .elTabs3 .searchBox .ipt[data-v-a57ca41e]{border:none;outline:none;padding:0 10PX}.top3Box .elTabs3 .searchBox i[data-v-a57ca41e]{width:15%;height:101%;background:#641fff;color:#fff;font-size:1.2em;line-height:25PX;text-align:center}.top3Box .elTabs3 .minerTabs[data-v-a57ca41e]{width:98%;margin-left:2%;margin-top:1%;min-height:600PX}.top3Box .accordionTitle[data-v-a57ca41e]{width:100%;display:flex;justify-content:left;align-items:center;padding:0 20PX}.top3Box .accordionTitle span[data-v-a57ca41e]{width:25%;text-align:left}.top3Box .accordionTitleAll[data-v-a57ca41e]{width:100%;display:flex;justify-content:left;align-items:center;padding:0 20PX}.top3Box .accordionTitleAll span[data-v-a57ca41e]{width:24%;text-align:left;padding-left:1.5%}.top3Box .Title[data-v-a57ca41e]{height:60PX;background:#d2c3ea;border-radius:5PX;display:flex;justify-content:left;align-items:center;padding:0 30PX}.top3Box .Title span[data-v-a57ca41e]{width:24.5%;color:#433278;text-align:left}.top3Box .TitleAll[data-v-a57ca41e]{height:60PX;background:#d2c3ea;border-radius:5PX;display:flex;justify-content:left;align-items:center;padding:0 35PX;font-size:.95rem}.top3Box .TitleAll span[data-v-a57ca41e]{width:20%;color:#433278;text-align:left}.top3Box .totalTitleAll[data-v-a57ca41e]{height:60PX;display:flex;justify-content:left;align-items:center;padding:0 35PX;background:#efefef;font-size:.95rem}.top3Box .totalTitleAll span[data-v-a57ca41e]{width:20%;text-align:left}.top3Box .totalTitle[data-v-a57ca41e]{height:60PX;display:flex;justify-content:left;align-items:center;padding:0 20PX;background:#efefef;font-size:.95rem}.top3Box .totalTitle span[data-v-a57ca41e]{width:24.25%;text-align:left}.belowTable[data-v-a57ca41e]{width:99%;display:flex;flex-direction:column;align-items:center;border-radius:10PX;overflow:hidden;margin:0 auto;padding:0;margin-top:-1PX;margin-bottom:50PX;font-size:.95rem}.belowTable ul[data-v-a57ca41e]{width:100%;min-height:200PX;max-height:690PX;padding:0;overflow:hidden;overflow-y:auto;margin:0;margin-bottom:50PX}.belowTable ul .table-title[data-v-a57ca41e]{position:sticky;top:0;background:#d2c3ea;padding:0 10PX;color:#433278;font-weight:600}.belowTable ul li[data-v-a57ca41e]{width:100%;list-style:none;display:flex;justify-content:space-around;align-items:center;height:60PX;background:#f8f8fa}.belowTable ul li span[data-v-a57ca41e]{width:25%;font-size:.95rem;text-align:center;word-wrap:break-word;overflow-wrap:break-word;white-space:normal}.belowTable ul li[data-v-a57ca41e]:nth-child(2n){background-color:#fff;background:#f8f8fa}.belowTable ul .currency-list[data-v-a57ca41e]{background:#efefef;padding:10PX 10PX;background:#f8f8fa;margin-top:10PX;border:1PX solid #efefef;color:rgba(0,0,0,.9)}.belowTable ul .currency-list .txidBox[data-v-a57ca41e]{display:flex;justify-content:left;box-sizing:border-box}.belowTable ul .currency-list .txidBox span[data-v-a57ca41e]:first-of-type{width:50%;text-align:right;display:inline-block;box-sizing:border-box;margin-right:10px}.belowTable ul .currency-list .txid[data-v-a57ca41e]{border-left:2px solid rgba(0,0,0,.1);margin-left:5px}.belowTable ul .currency-list .txid[data-v-a57ca41e]:hover{cursor:pointer;color:#2889fc;font-weight:600}.currency-list2.currency-list2.currency-list2[data-v-a57ca41e]{background:#efefef;padding:10PX 10PX}.el-input-group__append button.el-button[data-v-a57ca41e],.el-input-group__append div.el-select .el-input__inner[data-v-a57ca41e],.el-input-group__append div.el-select:hover .el-input__inner[data-v-a57ca41e],.el-input-group__prepend button.el-button[data-v-a57ca41e],.el-input-group__prepend div.el-select .el-input__inner[data-v-a57ca41e],.el-input-group__prepend div.el-select:hover .el-input__inner[data-v-a57ca41e]{background:#631ffc;color:#fff}.offlineTime[data-v-a57ca41e]{display:flex;flex-direction:column;justify-content:center}.offlineTime span[data-v-a57ca41e]{width:100%!important;display:inline-block;line-height:15PX!important}.sort[data-v-a57ca41e]{font-size:1.3em;cursor:pointer;color:#1e52e8}.sort[data-v-a57ca41e]:hover{color:#433299}[data-v-a57ca41e] .el-loading-spinner{top:25%!important}@media screen and (min-width:220px)and (max-width:1279px){.Block[data-v-d42df632]{width:100%;background:transparent!important;padding-top:10px!important}.currencySelect[data-v-d42df632]{display:flex;align-items:center;margin-bottom:10px;padding-left:8px;font-size:.85rem}.currencySelect .el-menu-demo[data-v-d42df632]{width:100%}.currencySelect .el-menu[data-v-d42df632]{background:transparent}.currencySelect .coinSelect img[data-v-d42df632]{width:25px}.currencySelect .coinSelect span[data-v-d42df632]{text-transform:capitalize;margin-left:5px}.moveCurrencyBox[data-v-d42df632]{margin:0;padding:0;width:100%;display:flex;min-height:200px;flex-wrap:wrap;padding:10px 20px;margin:0 auto;background:#fff}.moveCurrencyBox li[data-v-d42df632]{list-style:none;display:flex;flex-direction:column;align-items:center!important;margin-left:10px;padding:5px 5px;box-sizing:border-box}.moveCurrencyBox li img[data-v-d42df632]{width:25px}.moveCurrencyBox li p[data-v-d42df632]{min-width:50px;margin-top:8px;font-size:.85rem;word-wrap:break-word;word-break:break-all;text-align:center;text-transform:capitalize}.luckyBox[data-v-d42df632]{display:flex;flex-direction:row;flex-wrap:wrap;justify-content:space-between!important;width:100%;height:auto!important}.luckyBox .luckyItem[data-v-d42df632]{width:155px!important;margin-left:2%!important;height:88px!important;margin-top:10px;justify-content:space-between!important;padding-bottom:10px}.luckyBox .luckyItem .text[data-v-d42df632]{font-size:1.8rem!important}.tableBox[data-v-d42df632]{margin:0 auto;width:95%;min-height:300px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px}.tableBox .table-title[data-v-d42df632]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important}.tableBox .table-title span[data-v-d42df632]{text-align:center}.tableBox .table-title span[data-v-d42df632]:first-of-type{width:30%!important}.tableBox .table-title span[data-v-d42df632]:nth-of-type(2){width:70%!important}.tableBox .collapseTitle[data-v-d42df632]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important}.tableBox .collapseTitle span[data-v-d42df632]{text-align:center}.tableBox .collapseTitle span[data-v-d42df632]:first-of-type{width:30%!important}.tableBox .collapseTitle span[data-v-d42df632]:nth-of-type(2){width:70%!important}.tableBox .belowTable[data-v-d42df632]{display:flex;justify-content:space-between}.tableBox .belowTable div[data-v-d42df632]{width:50%;height:auto;text-align:left;padding-left:8%}.tableBox #hash[data-v-d42df632]{width:100%;padding-left:8%;margin-top:8px}.tableBox #hash .text[data-v-d42df632]{width:93%;height:auto;word-wrap:break-word;overflow-wrap:break-word;color:#8f61f5;text-decoration:underline}.tableBox .paginationBox[data-v-d42df632]{text-align:center}[data-v-d42df632] .el-pager li{min-width:19px}[data-v-d42df632] .el-pagination .el-select .el-input{margin:0}.el-pagination button[data-v-d42df632],.el-pagination span[data-v-d42df632]:not([class*=suffix]){min-width:20px}[data-v-d42df632] .el-pagination .btn-next,[data-v-d42df632] .el-pagination .btn-prev{padding:0!important;min-width:auto}[data-v-d42df632] .el-pagination .el-select .el-input{width:92px}}#boxTitle2[data-title][data-v-d42df632]{position:relative;display:inline-block}#boxTitle2[data-title][data-v-d42df632]:hover:after{opacity:1;transition:all .1s ease .5s;visibility:visible}#boxTitle2[data-title][data-v-d42df632]:after{min-width:180PX;max-width:300PX;content:attr(data-title);position:absolute;padding:5PX 10PX;right:28PX;border-radius:4PX;color:hsla(0,0%,100%,.8);background-color:rgba(80,79,79,.8);box-shadow:0 0 4PX rgba(0,0,0,.16);font-size:.8rem;visibility:hidden;opacity:0;text-align:center;overflow-wrap:break-word!important}.Block[data-v-d42df632]{background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding-top:60PX}.BlockTop[data-v-d42df632]{width:75%;margin:0 auto}.luckyBox[data-v-d42df632]{width:100%;height:280PX;border-radius:10PX;transition:all .3s linear;padding:0;display:flex;flex-wrap:wrap;justify-content:left;padding:10PX 10PX}.luckyBox .luckyItem[data-v-d42df632]{background:#d2c3ea;width:38%;height:45%;border-radius:5PX;display:flex;flex-direction:column;justify-content:left;align-items:center;color:#fff;font-weight:600;background-image:linear-gradient(-20deg,#b868da,#89e0f3);margin-left:50PX}.luckyBox .luckyItem span[data-v-d42df632]{font-size:.9em}.luckyBox .luckyItem .title[data-v-d42df632]{width:100%;height:35%;display:inline-block;text-align:right;padding:10PX 15PX}.luckyBox .luckyItem .text[data-v-d42df632]{font-size:2.5em}.luckyBox .luckyItem[data-v-d42df632]:hover{border:1PX solid #d2c3ea}.luckyBox p[data-v-d42df632]{width:100%;text-align:right;padding-right:10%}.luckyBox ul[data-v-d42df632]{padding:0;width:95%;padding-left:5%;height:90%}.luckyBox ul li[data-v-d42df632]{list-style:none;display:flex;width:100%;align-items:center;justify-content:space-between;height:20%}.luckyBox ul li .progressBar[data-v-d42df632]{width:82%;margin-left:1%;overflow:hidden}.luckyBox .progress-container[data-v-d42df632]{display:flex;align-items:center}.luckyBox .progress-bar[data-v-d42df632]{width:80%;height:10PX;background-color:#f0f0f0;border-radius:5PX}.luckyBox .progress[data-v-d42df632]{height:100%;background-color:#4caf50;border-radius:10PX;transition:width .3s ease;background:linear-gradient(180deg,#d0c7ec 60%,#6427df 0);margin-left:-3PX}.luckyBox .progress7[data-v-d42df632]{height:100%;background-color:#4caf50;border-radius:25PX;transition:width .3s ease;background:linear-gradient(180deg,#f4da95 60%,#ceac37 0);margin-left:-3PX}.luckyBox .progress30[data-v-d42df632]{height:100%;background-color:#4caf50;border-radius:25PX;transition:width .3s ease;background:linear-gradient(180deg,#7bd28e 60%,#349b53 0);margin-left:-3PX}.luckyBox .progress90[data-v-d42df632]{height:100%;background-color:#4caf50;border-radius:25PX;transition:width .3s ease;background:linear-gradient(180deg,#fcbad0 60%,#f2407c 0);margin-left:-3PX}.luckyBox .progress-percentage[data-v-d42df632]{width:20%;text-align:right;padding-right:5PX}[data-v-d42df632] .el-progress__text{text-align:left}.currencyBox[data-v-d42df632]{width:100%;display:flex;justify-content:left;align-items:start;padding:10PX 10PX;height:280PX;flex-wrap:wrap;box-shadow:0 0 10PX 3PX #ccc;border-radius:2%;background:#fff;transition:all .3s linear;overflow:hidden;overflow-y:auto}.currencyBox .sunCurrency[data-v-d42df632]{display:flex;justify-content:space-around;align-items:center;flex-direction:column;padding:8PX 5PX;border-radius:22PX;width:18%;cursor:pointer;margin-left:8PX;font-size:1em;text-align:center;height:100PX;transition:all .2s linear}.currencyBox .sunCurrency img[data-v-d42df632]{width:38PX;transition:all .2s linear}.currencyBox .sunCurrency span[data-v-d42df632]{text-transform:capitalize;margin-top:5PX;width:100%;font-size:.7em;padding:5PX 0;border-radius:5PX}.currencyBox .sunCurrency[data-v-d42df632]:hover{font-size:1.1em;box-shadow:0 0 5PX 3PX rgba(210,195,234,.8)}.currencyBox .sunCurrency:hover img[data-v-d42df632]{width:40PX}.currencyBox[data-v-d42df632]:hover{box-shadow:3PX 3PX 20PX 3PX #c1a1fe}.reportBlock[data-v-d42df632]{width:100%;display:flex;justify-content:center;margin-top:1%;padding-bottom:1%;background-size:100% 40%;background-repeat:no-repeat;background-position:30% 130%}.reportBlock .reportBlockBox[data-v-d42df632]{width:100%;height:100%;display:flex;justify-content:space-between;flex-direction:column;align-items:center}.reportBlock .reportBlockBox .top[data-v-d42df632]{width:100%;height:18%;display:flex;align-items:center;justify-content:center;border-bottom:1PX solid rgba(0,0,0,.1);padding:20PX 0;color:#fff;font-weight:600}.reportBlock .reportBlockBox .top .lucky[data-v-d42df632]{display:flex;align-items:center;flex-direction:column;justify-content:center}.reportBlock .reportBlockBox .top .lucky .luckyNum[data-v-d42df632]{font-size:1.8em}.reportBlock .reportBlockBox .top .lucky .luckyText[data-v-d42df632]{font-size:1em;margin-top:5%}.reportBlock .reportBlockBox .top div[data-v-d42df632]{width:16%;background:#2eaeff;height:100%;display:flex;align-items:center;justify-content:space-around;margin-left:5%;border-radius:10PX;box-shadow:0 8PX 20PX 0 rgba(46,174,255,.5)}.reportBlock .reportBlockBox .belowTable[data-v-d42df632]{width:75%;max-height:80%;display:flex;justify-content:center;flex-direction:column;align-items:center;border-radius:10PX;overflow:hidden;transition:all .3s linear;margin-bottom:120PX}.reportBlock .reportBlockBox .belowTable .table-title[data-v-d42df632]{width:100%;display:flex;align-items:center;height:68PX;position:sticky;top:0;background:#d2c3ea;padding:0 10PX;color:#4e3e7d;position:relative}.reportBlock .reportBlockBox .belowTable .table-title span[data-v-d42df632]{height:100%;width:20%;line-height:63PX;font-size:.95rem;font-weight:600;text-align:center}.reportBlock .reportBlockBox .belowTable .table-title .hash[data-v-d42df632]{width:58%;font-size:.95rem;text-align:left;margin-left:5%;justify-content:left}.reportBlock .reportBlockBox .belowTable .table-title .blockRewards[data-v-d42df632]{width:20%;font-weight:600;font-size:.95rem;text-align:left;margin-left:1%}.reportBlock .reportBlockBox .belowTable .table-title .transactionFee[data-v-d42df632]{width:18%;font-weight:600;font-size:.95rem}.reportBlock .reportBlockBox .belowTable .table-title span[data-v-d42df632]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;display:flex;align-items:center;justify-content:center}.reportBlock .reportBlockBox .belowTable ul[data-v-d42df632]{width:100%;min-height:200PX;max-height:818PX;padding:0;background:#fff;margin:0;overflow:hidden;overflow-y:auto}.reportBlock .reportBlockBox .belowTable ul .table-title[data-v-d42df632]{position:sticky;top:0;background:#d2c3ea;padding:0 10PX;color:#4e3e7d;position:relative}.reportBlock .reportBlockBox .belowTable ul .table-title .hash[data-v-d42df632]{width:50%;text-align:left}.reportBlock .reportBlockBox .belowTable ul .table-title .blockRewards[data-v-d42df632],.reportBlock .reportBlockBox .belowTable ul .table-title .transactionFee[data-v-d42df632]{width:18%;font-weight:600}.reportBlock .reportBlockBox .belowTable ul .table-title span[data-v-d42df632]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;display:flex;align-items:center;justify-content:center}.reportBlock .reportBlockBox .belowTable ul li[data-v-d42df632]{width:100%;list-style:none;display:flex;cursor:pointer;justify-content:space-around;align-items:center;height:9%}.reportBlock .reportBlockBox .belowTable ul li span[data-v-d42df632]{height:100%;width:20%;line-height:63PX;font-size:.95rem;font-weight:600;text-align:center}.reportBlock .reportBlockBox .belowTable ul li[data-v-d42df632]:nth-child(2n){background-color:#fff;background:#f8f8fa}.reportBlock .reportBlockBox .belowTable ul .currency-list[data-v-d42df632]{background:#efefef;box-shadow:0 0 2PX 1PX rgba(0,0,0,.02);padding:0 10PX;border:1PX solid #efefef;background:#f8f8fa;margin-top:10PX}.reportBlock .reportBlockBox .belowTable ul .currency-list span[data-v-d42df632]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.reportBlock .reportBlockBox .belowTable ul .currency-list .hash[data-v-d42df632]{width:58%;text-align:left;margin-left:5%}.reportBlock .reportBlockBox .belowTable ul .currency-list .reward[data-v-d42df632]{width:20%;text-align:left;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;margin-left:1%}.reportBlock .reportBlockBox .belowTable .pageBox[data-v-d42df632]{padding:2%}.reportBlock .reportBlockBox .belowTable[data-v-d42df632]:hover{box-shadow:0 0 15PX 3PX #c1a1fe}.el-progress[data-v-d42df632]{width:400PX;margin-left:-5PX;white-space:nowrap}.active[data-v-d42df632]{color:#fff;background:#641ffc}@media screen and (min-width:220px) and (max-width:1279px){.el-menu--horizontal{width:95%}}@media screen and (min-width:220px)and (max-width:1279px){.rate[data-v-6c8f77c4]{min-height:360px!important;background:transparent!important;padding-top:20PX!important}.rateMobile[data-v-6c8f77c4]{padding:10px}h4[data-v-6c8f77c4]{color:rgba(0,0,0,.8);padding-left:5%}.tableBox[data-v-6c8f77c4]{margin:0 auto;width:98%;min-height:300px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px}.tableBox .table-title[data-v-6c8f77c4]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important}.tableBox .table-title span[data-v-6c8f77c4]{text-align:center}.tableBox .table-title span[data-v-6c8f77c4]:first-of-type{width:30%!important}.tableBox .table-title span[data-v-6c8f77c4]:nth-of-type(2){width:70%!important}.tableBox .collapseTitle[data-v-6c8f77c4]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important;font-size:.95rem!important}.tableBox .collapseTitle span[data-v-6c8f77c4]{text-align:center}.tableBox .collapseTitle span[data-v-6c8f77c4]:first-of-type{width:40%!important;display:flex;align-items:center;justify-content:left;padding-left:4%}.tableBox .collapseTitle span:first-of-type img[data-v-6c8f77c4]{width:20px;margin-right:5px}.tableBox .collapseTitle span[data-v-6c8f77c4]:nth-of-type(2){width:60%!important}.tableBox[data-v-6c8f77c4] .el-collapse-item__wrap{background:#f0e9f5}.tableBox .belowTable[data-v-6c8f77c4]{margin-top:8px}.tableBox .belowTable div[data-v-6c8f77c4]{width:50%;height:auto;text-align:left;padding-left:8%;font-size:.85rem!important}.tableBox .belowTable div p[data-v-6c8f77c4]:first-of-type{font-weight:600}.tableBox .paginationBox[data-v-6c8f77c4]{text-align:center}}.rate[data-v-6c8f77c4]{width:100%;min-height:600PX;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:60PX;font-size:.9rem}.rateBox[data-v-6c8f77c4]{width:80%;margin:0 auto;min-height:700PX;display:flex;justify-content:center;border-radius:8PX;overflow:hidden;padding:20PX;transition:.3S linear}.rateBox .leftMenu[data-v-6c8f77c4]{width:18%;text-align:center;margin-right:2%;padding-top:50PX;box-sizing:border-box;box-shadow:0 0 5px 2px #ccc;border-radius:8px;overflow:hidden;padding:10px}.rateBox .leftMenu ul[data-v-6c8f77c4]{display:flex;justify-content:center;padding:0;margin:0}.rateBox .leftMenu ul li[data-v-6c8f77c4]{list-style:none;min-height:40PX;display:flex;align-items:center;justify-content:center;margin-top:10PX;border-radius:5PX;background:rgba(210,195,234,.3);width:90%;padding:8px 8px;font-size:.9rem;text-align:left}.rateBox .rightText[data-v-6c8f77c4]{box-sizing:border-box;width:80%;box-shadow:0 0 5px 2px #ccc;border-radius:8px;overflow:hidden;padding:10px;text-align:center;padding-top:30px}.rateBox .rightText h2[data-v-6c8f77c4]{text-align:left;padding-left:50px;margin-bottom:20px}.rateBox .rightText .table[data-v-6c8f77c4]{width:100%;text-align:center;display:flex;align-items:center;justify-content:center;flex-direction:column}.rateBox .rightText .tableTitle[data-v-6c8f77c4]{width:90%;display:flex;align-items:center;height:60PX;background:#d2c3ea;border-radius:5px 5px 0 0}.rateBox .rightText .tableTitle span[data-v-6c8f77c4]{display:inline-block;width:20%;text-align:center}.rateBox .rightText ul[data-v-6c8f77c4]{width:90%;padding:0;margin:0;display:flex;justify-content:center;flex-direction:column}.rateBox .rightText ul li[data-v-6c8f77c4]{width:100%;list-style:none;display:flex;align-items:center;height:50PX;background:#f8f8fa;margin-top:8PX;font-size:.95rem}.rateBox .rightText ul li span[data-v-6c8f77c4]{display:inline-block;width:20%;text-align:center}.rateBox .rightText ul li .coin[data-v-6c8f77c4]{display:flex;justify-content:left;align-items:center;padding-left:4%;text-transform:uppercase}.rateBox .rightText ul li .coin img[data-v-6c8f77c4]{width:22px;margin-right:5px}@media screen and (min-width:220px)and (max-width:1279px){.submitWorkOrder[data-v-3c152dc9]{width:100%;min-height:300px;background:transparent!important;padding:0!important}.WorkOrder[data-v-3c152dc9]{width:100%!important;margin:0 auto;padding:10px 18px!important;border-radius:8px;transition:all .2s linear}.prompt[data-v-3c152dc9]{width:100%}[data-v-3c152dc9] .el-upload-dragger{width:332px!important}}.submitWorkOrder[data-v-3c152dc9]{width:100%;min-height:360px;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding-top:60px}.WorkOrder[data-v-3c152dc9]{width:70%;margin:0 auto;padding:50px 88px;border-radius:8px;transition:all .2s linear}.elBtn[data-v-3c152dc9]{background:#661ffb;color:#fff;border-radius:20px}h3[data-v-3c152dc9]{margin-bottom:30px}@media screen and (min-width:220px)and (max-width:1279px){.workOrderRecords[data-v-10849caa]{width:100%;padding:0;margin:0;padding-top:30PX!important;background:transparent!important;min-height:300px!important}.workMain[data-v-10849caa]{width:100%!important;padding:10px 5px}.tableBox[data-v-10849caa]{margin:0 auto;width:95%;min-height:300px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px}.tableBox .table-title[data-v-10849caa]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important;padding-right:18PX}.tableBox .table-title span[data-v-10849caa]{text-align:center}.tableBox .table-title span[data-v-10849caa]:first-of-type{width:30%!important}.tableBox .table-title span[data-v-10849caa]:nth-of-type(2){width:40%!important}.tableBox .table-title span[data-v-10849caa]:nth-of-type(3){width:30%!important}.tableBox .rollContentBox[data-v-10849caa]{background:#eee8aa;max-height:500px;overflow:hidden;overflow-y:auto}.tableBox .collapseTitle[data-v-10849caa]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important}.tableBox .collapseTitle span[data-v-10849caa]{text-align:center;overflow:hidden;text-overflow:ellipsis}.tableBox .collapseTitle span[data-v-10849caa]:first-of-type{width:30%!important}.tableBox .collapseTitle span[data-v-10849caa]:nth-of-type(2){width:40%!important}.tableBox .collapseTitle span[data-v-10849caa]:nth-of-type(3){width:30%!important;color:#6621ff}.tableBox .belowTable[data-v-10849caa]{display:flex;justify-content:space-between}.tableBox .belowTable div[data-v-10849caa]{width:50%;height:auto;text-align:left;padding-left:8%}.tableBox #hash[data-v-10849caa]{width:100%;padding-left:8%;margin-top:8px}.tableBox #hash .text[data-v-10849caa]{width:93%;height:auto;word-wrap:break-word;overflow-wrap:break-word;color:#8f61f5;text-decoration:underline}.tableBox .paginationBox[data-v-10849caa]{text-align:center}[data-v-10849caa] .el-collapse-item__content{background:#edf2fa!important;padding:8px}.el-tab-pane[data-v-10849caa]{padding:1px;border-radius:0!important;overflow:hidden!important;border:none!important}}.workOrderRecords[data-v-10849caa]{width:100%;min-height:100vh;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:60PX;display:flex;justify-content:center}.bth[data-v-10849caa]{padding-top:51px;padding-left:70px!important}.workBK[data-v-10849caa]{padding:30px 50px;width:75%;margin:0 auto;min-height:360px;border-radius:8px}.el-tabs[data-v-10849caa]{margin-top:30px}.elBtn[data-v-10849caa]{background:#697861;color:#f0f8ff}.elBtn[data-v-10849caa]:hover{background:#ecf5ff;color:#409eff}.el-tab-pane[data-v-10849caa]{padding:1px;border-radius:5px;overflow:hidden!important;border:1px solid rgba(0,0,0,.1)}[data-v-10849caa] .el-tabs__item.is-active{color:#6621ff!important}[data-v-10849caa] .el-tabs__active-bar{background-color:#6621ff!important}[data-v-10849caa] .el-button--text{color:#6621ff!important}@media screen and (min-width:220px)and (max-width:1279px){.main[data-v-3554fa88]{width:100%;padding:15px 18px!important;margin:0;padding-top:30PX!important;background:transparent!important;min-height:300px!important}.MobileMain[data-v-3554fa88]{width:100%}.contentMobile p[data-v-3554fa88]{height:40px;line-height:40px;padding:0 8px;margin-top:8px;border-radius:5px;border:1px solid rgba(0,0,0,.1);font-size:.9rem;margin-left:18px}.el-row[data-v-3554fa88]{margin:0!important}.submitTitle[data-v-3554fa88]{font-size:14px;width:600px}.submitTitle .userName[data-v-3554fa88]{color:#661ffb}.submitTitle .time[data-v-3554fa88]{margin-left:8px}#contentBox[data-v-3554fa88]{border:1px solid rgba(0,0,0,.1);margin-top:5px;padding:8px;border-radius:5px;font-size:.9rem;word-wrap:break-word}[data-v-3554fa88] .el-upload-dragger{width:332px!important}}.main[data-v-3554fa88]{width:100%;min-height:100vh;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:60PX;display:flex;justify-content:center}.content[data-v-3554fa88]{width:50%;margin:0 auto}.orderDetails p[data-v-3554fa88]{width:80%;outline:1px solid rgba(0,0,0,.1);border-radius:4px;font-weight:600;padding:10px 10px;font-size:14px;display:flex;align-items:center}.orderDetails .orderTitle[data-v-3554fa88]{display:inline-block;text-align:center}.orderDetails .orderContent[data-v-3554fa88]{flex:1;display:inline-block;color:#661ffb;font-weight:400;border-radius:4px;text-align:left;padding-left:5px}.submitContent[data-v-3554fa88]{max-height:300px;overflow:hidden;overflow-y:auto;display:flex;flex-direction:column;padding:20px;border:1px solid #ccc;background:rgba(255,0,0,.01);border-radius:5px;margin-top:18px}.submitContent .submitTitle[data-v-3554fa88]{font-size:14px;width:600px;display:flex;justify-content:left}.submitContent .submitTitle span[data-v-3554fa88]:nth-of-type(2){margin-left:50px}.submitContent .contentBox[data-v-3554fa88]{width:50vw;padding:0 10px;padding-left:5px;font-size:15px;max-height:80px;display:inline-block;overflow:scroll;overflow-x:auto;overflow-y:auto}.submitContent .downloadBox[data-v-3554fa88]{font-size:15px;color:#661ffb;display:inline-block;cursor:pointer}.submitContent .replyBox[data-v-3554fa88]{margin-top:20px}.download[data-v-3554fa88]{display:inline-block;margin-top:10px;margin-left:20px;padding:8px 15px;border-radius:4px;font-size:14px;background:#f0f9eb;color:#67c23a;cursor:pointer}.download[data-v-3554fa88]:hover{color:#000;outline:1px solid rgba(0,0,0,.1)}.reply[data-v-3554fa88]{font-size:15px;margin-top:10px;padding:5px 0}.reply .replyTitle[data-v-3554fa88]{font-weight:600}.reply .replyContent[data-v-3554fa88]{color:#661ffb}[data-v-3554fa88].replyInput .el-input.is-disabled .el-input__inner{color:#000}.edit[data-v-3554fa88]{font-size:15px;color:#661ffb;cursor:pointer;margin-left:10px}.auditBox .submitTitle[data-v-3554fa88]{font-size:14px;width:600px;display:flex;justify-content:left}.auditBox .submitTitle span[data-v-3554fa88]:nth-of-type(2){margin-left:50px}.auditBox .contentBox[data-v-3554fa88]{width:54vw;border:1px solid rgba(0,0,0,.1);padding:5px 5px;padding-left:5px;font-size:15px;max-height:80px;display:inline-block;overflow:scroll;overflow-x:auto;overflow-y:auto}.auditBox .downloadBox[data-v-3554fa88]{font-size:15px;color:#661ffb;cursor:pointer;display:inline-block}.registeredForm .mandatory[data-v-3554fa88]{color:red;margin-right:5px}.logistics[data-v-3554fa88]{display:flex;margin-bottom:30px;width:26%;justify-content:space-between}.closingOrder[data-v-3554fa88]{font-size:14px;margin:0}.closingOrder span[data-v-3554fa88]{cursor:pointer;color:#661ffb}.closingOrder span[data-v-3554fa88]:hover{color:#67c23a}.elBtn[data-v-3554fa88]{background:#661ffb;color:#f0f8ff}.elBtn[data-v-3554fa88]:hover{background:#ecf5ff;color:#409eff}.machineCoding[data-v-3554fa88]{outline:1px solid rgba(0,0,0,.1);display:flex;max-height:300px;padding:10px!important;margin-top:8px;overflow-y:auto}.orderNum[data-v-3554fa88]{width:800px!important;padding:0!important;outline:none!important;border:none!important}.el-row[data-v-3554fa88]{margin:18px 0}@media screen and (min-width:220px)and (max-width:1279px){.workBK[data-v-1669c709]{width:100%;padding:0;margin:0;padding-top:30PX!important;background:transparent!important;min-height:300px!important}.workMain[data-v-1669c709]{width:100%!important;padding:10px 5px}.tableBox[data-v-1669c709]{margin:0 auto;width:95%;min-height:300px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px}.tableBox .table-title[data-v-1669c709]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important;padding-right:18PX}.tableBox .table-title span[data-v-1669c709]{text-align:center}.tableBox .table-title span[data-v-1669c709]:first-of-type{width:30%!important}.tableBox .table-title span[data-v-1669c709]:nth-of-type(2){width:40%!important}.tableBox .table-title span[data-v-1669c709]:nth-of-type(3){width:30%!important}.tableBox .rollContentBox[data-v-1669c709]{background:#eee8aa;max-height:500px;overflow:hidden;overflow-y:auto}.tableBox .collapseTitle[data-v-1669c709]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important}.tableBox .collapseTitle span[data-v-1669c709]{text-align:center;overflow:hidden;text-overflow:ellipsis}.tableBox .collapseTitle span[data-v-1669c709]:first-of-type{width:30%!important}.tableBox .collapseTitle span[data-v-1669c709]:nth-of-type(2){width:40%!important}.tableBox .collapseTitle span[data-v-1669c709]:nth-of-type(3){width:30%!important;color:#6621ff}.tableBox .belowTable[data-v-1669c709]{display:flex;justify-content:space-between}.tableBox .belowTable div[data-v-1669c709]{width:50%;height:auto;text-align:left;padding-left:8%}.tableBox #hash[data-v-1669c709]{width:100%;padding-left:8%;margin-top:8px}.tableBox #hash .text[data-v-1669c709]{width:93%;height:auto;word-wrap:break-word;overflow-wrap:break-word;color:#8f61f5;text-decoration:underline}.tableBox .paginationBox[data-v-1669c709]{text-align:center;margin:18px 8px}[data-v-1669c709] .el-collapse-item__content{background:#edf2fa!important;padding:8px}.el-tab-pane[data-v-1669c709]{padding:1px;border-radius:0!important;overflow:hidden!important;border:none!important}.paginationBox[data-v-1669c709]{text-align:center}[data-v-1669c709] .el-pager li{min-width:19px}[data-v-1669c709] .el-pagination .el-select .el-input{margin:0}}.workBK[data-v-1669c709]{width:100%;min-height:100vh;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:60PX;display:flex;justify-content:center}.workBKContent[data-v-1669c709]{width:60%;margin:0 auto}.elBtn[data-v-1669c709]{background:#e60751;color:#fff;border:none;margin-left:18px}.el-table__header-wrapper tbody td.el-table__cell[data-v-1669c709],[data-v-1669c709] .el-table__footer-wrapper tbody td.el-table__cell{text-align:center}.moneyItem[data-v-1669c709]{width:80%;display:flex;font-size:14px;align-items:center;font-weight:550;color:rgba(0,0,0,.7);flex-direction:column;height:100px;justify-content:center}.moneyItem div[data-v-1669c709]:first-of-type{width:100%;padding-left:10px}.moneyItem .moneyInput[data-v-1669c709]{display:flex;align-items:center;outline:1px solid #dcdfe6;margin:0;padding:0;border-radius:4px;height:38px;margin-top:25px}.moneyItem .moneyInput p[data-v-1669c709]{display:inline-block;height:30px;margin:0;padding:0;padding-top:5px;color:rgba(0,0,0,.3)}.moneyItem .moneyInput input[data-v-1669c709]:first-of-type{padding-left:5%}.moneyItem .moneyInput input[data-v-1669c709]{display:inline-block;width:45%;height:30px;border:none;outline:none}.moneyItem .moneyInput input[data-v-1669c709]::-webkit-input-placeholder{color:#c0c4cc}.moneyItem .moneyInput .InputIcon[data-v-1669c709]:hover{color:#409eff;cursor:pointer}[data-v-1669c709] .el-tabs__item.is-active{color:#6621ff!important}[data-v-1669c709] .el-tabs__active-bar{background-color:#6621ff!important}[data-v-1669c709] .el-button--text{color:#6621ff!important}.el-tab-pane[data-v-1669c709]{padding:1px;border-radius:5px;overflow:hidden!important;border:1px solid rgba(0,0,0,.1)}.loginPage[data-v-5057d973]{width:100%;height:100%;background-color:#fff;display:flex;justify-content:center;align-items:center;background-image:url(/img/logBg.3050d0aa.png);background-size:cover;background-repeat:no-repeat}.loginPage .loginModular[data-v-5057d973]{width:53%;height:68%;display:flex;border-radius:10px;overflow:hidden;box-shadow:0 0 20px 18px #d6d2ea}.loginPage .remind[data-v-5057d973]{font-size:.8em;padding:0;margin:0;min-height:15px;line-height:15px;color:#ff4081}.loginPage .leftBox[data-v-5057d973]{width:47%;height:100%;background-image:linear-gradient(150deg,#18b7e6 -20%,#651fff 60%);position:relative}.loginPage .leftBox img[data-v-5057d973]{width:100%;position:absolute;right:-15%;bottom:0;z-index:99}.loginPage .leftBox .logo[data-v-5057d973]{position:absolute;left:30px;top:18px;width:22%}.el-form[data-v-5057d973]{width:90%;padding:0 20px 50px 20px}.el-form-item[data-v-5057d973]{width:100%}.loginBox[data-v-5057d973]{width:53%;display:flex;justify-content:center;align-items:center;border-radius:10px;position:relative;flex-direction:column;overflow:hidden;padding:0 25px;background:#fff}.loginBox .demo-ruleForm[data-v-5057d973]{height:100%;padding-top:3%}.loginBox img[data-v-5057d973]{width:18%;position:absolute;top:20px;right:30px;cursor:pointer}.loginBox .closeBox[data-v-5057d973]{position:absolute;top:18px;right:30px;cursor:pointer}.loginBox .closeBox .close[data-v-5057d973]{font-size:1.3em}.loginBox .closeBox[data-v-5057d973]:hover{color:#661fff}.loginTitle[data-v-5057d973]{font-size:20px;font-weight:600;margin-bottom:30px;text-align:center}.loginColor[data-v-5057d973]{width:100%;height:15px;background:#661fff}.langBox[data-v-5057d973]{display:flex;justify-content:space-between;align-content:center}.register[data-v-5057d973]{display:flex;justify-content:start;margin:0;font-size:12px;height:10px}.register .goLogin[data-v-5057d973]:hover{color:#661fff;cursor:pointer}.forget[data-v-5057d973]{margin-left:10px}.forgotPassword[data-v-5057d973]{display:inline-block;width:20%}.verificationCode[data-v-5057d973]{display:flex}.verificationCode .codeBtn[data-v-5057d973]{font-size:13px;margin-left:2px}@media screen and (min-width:220px)and (max-width:1279px){.mobileMain[data-v-5057d973]{width:100vw;min-height:100vh;background:#fff;background-image:url(/img/bgtop.d1ac5a03.svg);background-repeat:no-repeat;background-size:115%;background-position:49% 47%;box-sizing:border-box}.headerBox2[data-v-5057d973]{width:100%;height:60px;display:flex;align-items:center;justify-content:space-between;line-height:60px;padding:0 20px;padding-top:10px;box-shadow:0 0 2px 1px #ccc}.headerBox2 img[data-v-5057d973]{width:30px}.headerBox2 .title[data-v-5057d973]{height:100%;font-weight:600}.imgTop[data-v-5057d973]{width:100%;display:flex;justify-content:center;margin-top:2%}.imgTop img[data-v-5057d973]{height:159px}.formInput[data-v-5057d973]{width:100%;display:flex;justify-content:center}.register .goLogin[data-v-5057d973]{color:#651fff;padding:0 8px}}.read-the-docs[data-v-e7166dbe]{color:#888}.user-input-container[data-v-e7166dbe]{max-width:400px;margin:20px auto}.input-group[data-v-e7166dbe]{display:flex;gap:10px;margin-bottom:10px}.chat-container[data-v-e7166dbe]{max-width:600px;margin:20px auto;padding:20px;border:1px solid #ddd;border-radius:8px;box-shadow:0 2px 6px rgba(0,0,0,.1)}.message-list[data-v-e7166dbe]{height:300px;overflow-y:auto;border:1px solid #eee;padding:10px;margin-bottom:10px;border-radius:4px}.message[data-v-e7166dbe]{margin:8px 0;padding:10px;background-color:#f5f5f5;border-radius:8px;max-width:80%}.message-header[data-v-e7166dbe]{display:flex;justify-content:space-between;font-size:.8em;margin-bottom:4px}.message-sender[data-v-e7166dbe]{font-weight:700;color:#333}.message-time[data-v-e7166dbe]{color:#999}.message-content[data-v-e7166dbe]{word-break:break-word}.message[class*=isSelf][data-v-e7166dbe]{background-color:#dcf8c6;margin-left:auto}.error-message[data-v-e7166dbe]{background-color:#ffebee;color:#d32f2f;padding:8px;border-radius:4px;margin:10px 0;text-align:center}.input-container[data-v-e7166dbe]{display:flex;gap:10px}input[data-v-e7166dbe],textarea[data-v-e7166dbe]{flex:1;padding:10px;border:1px solid #ddd;border-radius:4px;font-family:inherit;resize:none}button[data-v-e7166dbe]{padding:8px 16px;background-color:#4caf50;color:#fff;border:none;border-radius:4px;cursor:pointer}button[data-v-e7166dbe]:hover:not(:disabled){background-color:#45a049}button[data-v-e7166dbe]:disabled{opacity:.6;cursor:not-allowed}.button-group[data-v-e7166dbe]{display:flex;gap:10px}.disabled[data-v-e7166dbe]{opacity:.6;cursor:not-allowed}.disconnect-btn[data-v-e7166dbe]{background-color:#dc3545}.disconnect-btn[data-v-e7166dbe]:hover{background-color:#c82333}input[data-v-e7166dbe]:disabled,textarea[data-v-e7166dbe]:disabled{background-color:#f5f5f5;cursor:not-allowed}@media screen and (min-width:220px)and (max-width:1279px){.mobileMain[data-v-5b2d11d7]{width:100vw;min-height:100vh;background:#fff;background-image:url(/img/bgtop.d1ac5a03.svg);background-repeat:no-repeat;background-size:115%;background-position:49% 47%}.headerBox[data-v-5b2d11d7]{width:100%;height:60px;display:flex;align-items:center;justify-content:space-between;padding:0 20px;box-shadow:0 0 2px 1px #ccc}.headerBox img[data-v-5b2d11d7]{width:30px}.headerBox .title[data-v-5b2d11d7]{height:100%;font-weight:600;line-height:75px}.imgTop[data-v-5b2d11d7]{width:100%;display:flex;justify-content:center;margin-top:2%}.imgTop img[data-v-5b2d11d7]{height:159px}.formInput[data-v-5b2d11d7]{width:100%;display:flex;justify-content:center}.footer[data-v-5b2d11d7]{width:100%;height:100px;background:#651fff}}.loginPage[data-v-5b2d11d7]{width:100%;height:100%;background-color:#fff;display:flex;justify-content:center;align-items:center;padding:100px 0;background-image:url(/img/logBg.3050d0aa.png);background-size:cover;background-repeat:no-repeat}.loginPage .loginModular[data-v-5b2d11d7]{width:50%;height:85%;display:flex;border-radius:10px;overflow:hidden;box-shadow:0 0 20px 18px #d6d2ea}.loginPage .leftBox[data-v-5b2d11d7]{width:47%;height:100%;background-image:linear-gradient(150deg,#18b7e6 -20%,#651fff 60%);position:relative}.loginPage .leftBox .logo[data-v-5b2d11d7]{position:absolute;left:30px;top:18px;width:22%}.loginPage .leftBox img[data-v-5b2d11d7]{width:100%;position:absolute;right:-16%;bottom:0;z-index:99}.remind[data-v-5b2d11d7]{font-size:.8em;padding:0;margin:0;min-height:15px;line-height:15px;color:#ff4081}.el-form[data-v-5b2d11d7]{width:90%;padding:0 20px 50px 20px}.el-form-item[data-v-5b2d11d7]{width:100%}.loginBox[data-v-5b2d11d7]{width:53%;height:100%;display:flex;justify-content:center;align-items:center;border-radius:10px;flex-direction:column;overflow:hidden;background:#fff;position:relative;padding:0 35px}.loginBox .demo-ruleForm[data-v-5b2d11d7]{height:100%;padding-top:5%}.loginBox img[data-v-5b2d11d7]{width:18%;position:absolute;top:20px;left:30px;cursor:pointer}.loginBox .closeBox[data-v-5b2d11d7]{position:absolute;top:18px;right:30px;cursor:pointer}.loginBox .closeBox .close[data-v-5b2d11d7]{font-size:1.3em}.loginBox .closeBox[data-v-5b2d11d7]:hover{color:#661fff}.loginTitle[data-v-5b2d11d7]{font-size:20px;font-weight:600;margin-bottom:30px;text-align:center}.loginColor[data-v-5b2d11d7]{width:100%;height:15px;background:#661fff}.langBox[data-v-5b2d11d7]{display:flex;justify-content:space-between;align-content:center}.registerBox[data-v-5b2d11d7]{display:flex;justify-content:start;margin:0;font-size:12px;height:20px;cursor:pointer}.registerBox span[data-v-5b2d11d7]{padding:5px 0;display:inline-block;height:100%;z-index:99}.registerBox span[data-v-5b2d11d7]:hover{color:#661fff}.registerBox .noAccount[data-v-5b2d11d7]:hover{color:#000}.registerBox .forget[data-v-5b2d11d7]{margin-left:8px}.forget[data-v-5b2d11d7]{margin-left:10px}.forgotPassword[data-v-5b2d11d7]{display:inline-block;width:20%}.verificationCode[data-v-5b2d11d7]{display:flex}.verificationCode .codeBtn[data-v-5b2d11d7]{font-size:13px;margin-left:2px} \ No newline at end of file diff --git a/mining-pool/test/css/app-113c6c50.af06316f.css.gz b/mining-pool/test/css/app-113c6c50.af06316f.css.gz new file mode 100644 index 0000000..55aa102 Binary files /dev/null and b/mining-pool/test/css/app-113c6c50.af06316f.css.gz differ diff --git a/mining-pool/test/css/app-42f9d7e6.23095695.css b/mining-pool/test/css/app-42f9d7e6.23095695.css new file mode 100644 index 0000000..762572f --- /dev/null +++ b/mining-pool/test/css/app-42f9d7e6.23095695.css @@ -0,0 +1 @@ +.chat-widget[data-v-247f26e8]{position:fixed;bottom:40px;right:60px;z-index:1000;font-family:Arial,sans-serif}.chat-icon[data-v-247f26e8]{width:60px;height:60px;border-radius:50%;background-color:#ac85e0;color:#fff;display:flex;justify-content:center;align-items:center;cursor:pointer;box-shadow:0 4px 10px rgba(0,0,0,.2);transition:all .3s ease;position:relative}.chat-icon i[data-v-247f26e8]{font-size:28px}.chat-icon[data-v-247f26e8]:hover{transform:scale(1.05);background-color:#6e3edb}.chat-icon.active[data-v-247f26e8]{background-color:#6e3edb}.unread-badge[data-v-247f26e8]{position:absolute;top:-5px;right:-5px;background-color:#e74c3c;color:#fff;border-radius:50%;width:20px;height:20px;font-size:12px;display:flex;justify-content:center;align-items:center}.chat-dialog[data-v-247f26e8]{position:absolute;bottom:80px;right:0;width:350px;height:450px;background-color:#fff;border-radius:10px;box-shadow:0 5px 25px rgba(0,0,0,.1);display:flex;flex-direction:column;overflow:hidden}.chat-header[data-v-247f26e8]{background-color:#ac85e0;color:#fff;padding:15px;display:flex;justify-content:space-between;align-items:center}.chat-title[data-v-247f26e8]{font-weight:700;font-size:16px}.chat-actions[data-v-247f26e8]{display:flex;gap:15px}.chat-actions i[data-v-247f26e8]{cursor:pointer;font-size:16px}.chat-actions i[data-v-247f26e8]:hover{opacity:.8}.chat-body[data-v-247f26e8]{flex:1;overflow-y:auto;padding:15px;background-color:#f8f9fa}.chat-status[data-v-247f26e8]{display:flex;flex-direction:column;justify-content:center;align-items:center;height:100%}.chat-status i[data-v-247f26e8]{font-size:32px;margin-bottom:16px}.chat-status p[data-v-247f26e8]{margin:8px 0;color:#666}.chat-status.connecting i[data-v-247f26e8]{color:#ac85e0}.chat-status.error i[data-v-247f26e8],.chat-status.error p[data-v-247f26e8]{color:#e74c3c}.chat-status .retry-button[data-v-247f26e8]{margin-top:16px;padding:8px 16px;background-color:#ac85e0;color:#fff;border:none;border-radius:20px;cursor:pointer}.chat-status .retry-button[data-v-247f26e8]:hover{background-color:#6e3edb}.chat-empty[data-v-247f26e8]{color:#777;text-align:center;margin-top:30px}.chat-message[data-v-247f26e8]{display:flex;margin-bottom:15px}.chat-message.chat-message-user[data-v-247f26e8]{flex-direction:row-reverse}.chat-message.chat-message-user .message-content[data-v-247f26e8]{background-color:#ac85e0;color:#fff;border-radius:18px 18px 0 18px}.chat-message.chat-message-user .message-time[data-v-247f26e8]{text-align:right;color:hsla(0,0%,100%,.7)}.chat-message.chat-message-system .message-content[data-v-247f26e8]{background-color:#fff;border-radius:18px 18px 18px 0}.message-avatar[data-v-247f26e8]{width:36px;height:36px;border-radius:50%;display:flex;justify-content:center;align-items:center;background-color:#e0e0e0;margin:0 10px}.message-avatar i[data-v-247f26e8]{font-size:18px;color:#555}.message-content[data-v-247f26e8]{max-width:70%;padding:10px 15px;box-shadow:0 1px 2px rgba(0,0,0,.1)}.message-text[data-v-247f26e8]{line-height:1.4;font-size:14px;word-break:break-word}.message-image img[data-v-247f26e8]{max-width:200px;max-height:200px;border-radius:8px;cursor:pointer;transition:transform .2s}.message-image img[data-v-247f26e8]:hover{transform:scale(1.03)}.message-time[data-v-247f26e8]{font-size:11px;color:#999;margin-top:4px}.chat-footer[data-v-247f26e8]{padding:10px;display:flex;border-top:1px solid #e0e0e0;align-items:center}.chat-toolbar[data-v-247f26e8]{margin-right:8px}.image-upload-label[data-v-247f26e8]{display:flex;align-items:center;justify-content:center;width:30px;height:30px;cursor:pointer;color:#666}.image-upload-label[data-v-247f26e8]:hover:not(.disabled){color:#ac85e0}.image-upload-label.disabled[data-v-247f26e8]{opacity:.5;cursor:not-allowed}.image-upload-label i[data-v-247f26e8]{font-size:20px}.chat-input[data-v-247f26e8]{flex:1;border:1px solid #ddd;border-radius:20px;padding:8px 15px;outline:none}.chat-input[data-v-247f26e8]:focus:not(:disabled){border-color:#ac85e0}.chat-input[data-v-247f26e8]:disabled{background-color:#f5f5f5;cursor:not-allowed}.chat-send[data-v-247f26e8]{background-color:#ac85e0;color:#fff;border:none;border-radius:20px;padding:8px 15px;margin-left:10px;cursor:pointer;font-weight:700}.chat-send[data-v-247f26e8]:hover:not(:disabled){background-color:#6e3edb}.chat-send[data-v-247f26e8]:disabled{opacity:.5;cursor:not-allowed}.image-preview-overlay[data-v-247f26e8]{position:fixed;top:0;left:0;right:0;bottom:0;background-color:rgba(0,0,0,.8);z-index:1100;display:flex;justify-content:center;align-items:center}.image-preview-container[data-v-247f26e8]{position:relative;max-width:90%;max-height:90%}.preview-image[data-v-247f26e8]{max-width:100%;max-height:90vh;object-fit:contain}.preview-close[data-v-247f26e8]{position:absolute;top:-40px;right:0;color:#fff;font-size:24px;cursor:pointer;background-color:rgba(0,0,0,.5);width:36px;height:36px;border-radius:50%;display:flex;justify-content:center;align-items:center}.preview-close[data-v-247f26e8]:hover{background-color:rgba(0,0,0,.8)}.chat-slide-enter-active[data-v-247f26e8],.chat-slide-leave-active[data-v-247f26e8]{transition:all .3s ease}.chat-slide-enter[data-v-247f26e8],.chat-slide-leave-to[data-v-247f26e8]{transform:translateY(20px);opacity:0}@media(max-width:768px){.chat-widget[data-v-247f26e8]{bottom:20px;right:20px}.chat-dialog[data-v-247f26e8]{width:300px;height:400px;bottom:70px}.message-image img[data-v-247f26e8]{max-width:150px;max-height:150px}}:root{--background-color:#fff;--text-color:#000}.dark-mode{--background-color:#000;--text-color:#fff}*{margin:0;padding:0}*,body,html{box-sizing:border-box}body,html{scrollbar-width:none;-ms-overflow-style:none;border-right:none;overflow:hidden}#app{overflow-x:hidden;font-size:1rem}#app ::-webkit-scrollbar{width:5PX;height:6px}#app ::-webkit-scrollbar-thumb{background-color:#d2c3e9;border-radius:20PX}#app ::-webkit-scrollbar-track{background-color:#f0f0f0}#app input::-webkit-inner-spin-button,#app input::-webkit-outer-spin-button{-webkit-appearance:none}#app input[type=number]{-moz-appearance:textfield}.el-message{z-index:99999!important;min-width:300px!important}[data-v-07058f4b]{margin:0;padding:0;box-sizing:border-box}.nav[data-v-07058f4b]{z-index:1000;margin-right:8px;font-size:.9rem}.nav-item[data-v-07058f4b]{position:relative;display:flex;align-items:center;justify-content:center;cursor:pointer;padding:0 10px}.nav-item .itemImg[data-v-07058f4b]{width:20px;margin-right:5px}.nav-item .arrow[data-v-07058f4b]{margin-left:5px;border:solid rgba(0,0,0,.3);border-width:0 1px 1px 0;display:inline-block;padding:3px;transform:rotate(45deg);transition:transform .3s}.nav-item .arrow.up[data-v-07058f4b]{transform:rotate(-135deg)}.dropdown[data-v-07058f4b]{position:absolute;top:47px;left:0;width:392px;background:#fff;border:1px solid #eee;border-radius:4px;padding:3px;display:none;flex-wrap:wrap;gap:1px;box-shadow:0 2px 12px 0 rgba(0,0,0,.1);z-index:999999}.dropdown.show[data-v-07058f4b]{display:flex}.dropdown .option[data-v-07058f4b]{width:76px;height:80px;background:#f5f5f5;cursor:pointer;transition:all .3s;border-radius:4px;overflow:hidden;text-align:center;padding:5px}.dropdown .optionActive[data-v-07058f4b],.dropdown .option[data-v-07058f4b]:hover{background:#e8e8e8;color:#6e3edb;border:1px solid #9d8ac9}.dropdownCoin[data-v-07058f4b]{width:32px;margin:0}.dropdownText[data-v-07058f4b]{width:100%;font-size:.8rem;text-align:center;margin:0;word-break:break-word;margin-top:5px}.headerBox[data-v-07058f4b]{width:100%;font-size:.95rem;display:flex;justify-content:center}.miningAccountTitle[data-v-07058f4b]:hover{color:#6e3edb!important}.hidden[data-v-07058f4b]{display:block;opacity:1!important}.el-menu--horizontal>.el-submenu .el-submenu__title[data-v-07058f4b]{color:#000}.el-menu--horizontal[data-v-07058f4b]{background:transparent}.el-submenu[data-v-07058f4b]:hover{background-color:transparent!important}.el-submenu.is-active[data-v-07058f4b]:after{border-bottom:none!important;border-bottom-color:transparent!important;border:none!important;outline:none!important}.is-order[data-v-07058f4b]{background:#21a0ff}.dropdownItem[data-v-07058f4b]{display:flex;align-items:center}.dropdownItem img[data-v-07058f4b]{margin-right:5px}.active[data-v-07058f4b]{color:#6e3edb!important;font-weight:600}.whiteBg[data-v-07058f4b]{background:hsla(0,0%,100%,.5)}.header[data-v-07058f4b]{display:flex;justify-content:space-between;align-items:center;height:100%;width:95%}.logo[data-v-07058f4b]{width:18%;height:100%;display:flex;justify-content:right;align-items:center;font-size:.9rem}.logo img[data-v-07058f4b]{width:100px}.topMenu[data-v-07058f4b]{width:80%;height:100%;display:flex;justify-content:end;align-items:center}.topMenu .afterLoggingIn[data-v-07058f4b]{min-width:50%;display:flex;justify-content:right;align-items:center}.topMenu .afterLoggingIn .langBox[data-v-07058f4b]{display:flex;justify-content:space-around;align-items:center;width:70px}.topMenu .afterLoggingIn .LangLine[data-v-07058f4b]{width:1px;height:60%;background:#ccc;margin-right:8px}.topMenu .afterLoggingIn li[data-v-07058f4b]{position:relative}.topMenu .afterLoggingIn .horizontalLine[data-v-07058f4b]{width:100%;position:absolute;bottom:-10px;display:flex;justify-content:center;align-items:center;opacity:0;transition:all .3s linear}.topMenu .afterLoggingIn .horizontalLine .circular[data-v-07058f4b]{width:5px;height:5px;background:#6e3edb;border-radius:50%}.topMenu .afterLoggingIn .horizontalLine .line[data-v-07058f4b]{width:20px;height:5px;background:#6e3edb;margin-left:2px;border-radius:22px}.topMenu .notLoggedIn[data-v-07058f4b]{width:40%}.topMenu .notLoggedIn li[data-v-07058f4b]{margin-left:1%}.topMenu .notLoggedIn .langBox[data-v-07058f4b]{display:flex;justify-content:space-around;align-items:center;width:20%}.topMenu .notLoggedIn .register.register[data-v-07058f4b]{padding:1px 30px}.topMenu .notLoggedIn .LangLine[data-v-07058f4b]{width:1px;height:60%;background:#ccc;margin-right:2%}.menuBox[data-v-07058f4b]{min-width:42%!important;height:100%;display:flex;justify-content:end;align-items:center;margin:0}.menuBox li[data-v-07058f4b]{list-style:none;height:45%;display:flex;justify-content:center;align-items:center;cursor:pointer;margin-left:3%;font-size:.9rem;position:relative;text-align:center;min-width:61px}.menuBox li[data-v-07058f4b]:hover{color:#6e3edb;font-weight:600}.menuBox .login[data-v-07058f4b]{padding:2px 18px}.menuBox .login[data-v-07058f4b]:hover{color:#21a0ff;border:1px solid #21a0ff;border-radius:10px}.menuBox .register[data-v-07058f4b]{background:#d2c3ea;border-radius:25px;padding:0 25px}.menuBox .register[data-v-07058f4b]:hover{color:#000;color:#fe4886}.el-submenu__title{margin-right:10px}@media screen and (min-width:220px)and (max-width:1279px){.contentMain[data-v-3185108e]{background-image:none!important}.contentPage[data-v-3185108e]{min-height:200px!important}.moveFooterBox[data-v-3185108e]{width:100%;background-image:url(/img/homebgbtm.8b659935.png);background-repeat:no-repeat;background-size:100% 90%}.footerBox[data-v-3185108e]{align-items:flex-start!important;margin:0!important;display:flex;flex-direction:column;height:auto!important;padding-left:0!important}.footerBox .logoBox[data-v-3185108e]{width:100%;height:100px;display:flex;flex-direction:column;justify-content:center;padding:18px 18px;border-bottom:1px solid #ccc}.footerBox .logoBox .logoImg[data-v-3185108e]{width:140px}.footerBox .logoBox .copyright[data-v-3185108e]{margin-top:15px;font-size:.8rem;color:rgba(0,0,0,.7)}.footerBox .missionBox[data-v-3185108e]{width:100%;min-height:130px;border-bottom:1px solid #ccc;padding:10px 18px}.footerBox .missionBox .mission[data-v-3185108e]{font-size:.9rem;font-weight:600}.footerBox .missionBox .missionText[data-v-3185108e]{margin-top:18px;font-size:.85rem;color:rgba(0,0,0,.7);padding-left:18px;cursor:pointer}.footerBox .missionBox .FMenu[data-v-3185108e]{width:100%;padding-left:18px;font-size:.85rem;color:rgba(0,0,0,.8);margin-top:18px}.footerBox .missionBox .FMenu p[data-v-3185108e]{line-height:30px;width:50%}.footerBox .missionBox .FMenu p a[data-v-3185108e]:nth-of-type(2){margin-left:28%}.footerBox .missionBox .FMenu p span[data-v-3185108e]{cursor:pointer}}.contentPage[data-v-3185108e]{min-height:630px}.contentMain[data-v-3185108e]{width:100%;min-height:100vh;background-image:url(/img/bktop.91a777f0.png);background-size:100% 28%;background-repeat:no-repeat;background-position:0 -6%;position:relative;overflow-x:hidden}.header[data-v-3185108e]{display:flex;justify-content:space-between;align-items:center;height:100%;width:95%;padding:0 5%}.logo[data-v-3185108e]{width:18%;height:100%;display:flex;justify-content:center;align-items:center;font-size:1.8em}.logo img[data-v-3185108e]{width:38%}.topMenu[data-v-3185108e]{width:80%;height:100%;display:flex;justify-content:end;align-items:center}.topMenu .afterLoggingIn[data-v-3185108e]{width:35%}.topMenu .afterLoggingIn .langBox[data-v-3185108e]{display:flex;justify-content:space-around;align-items:center;width:20%}.topMenu .afterLoggingIn .LangLine[data-v-3185108e]{width:1px;height:60%;background:#ccc;margin-right:2%}.topMenu .notLoggedIn[data-v-3185108e]{width:35%}.topMenu .notLoggedIn .langBox[data-v-3185108e]{display:flex;justify-content:space-around;align-items:center;width:20%}.topMenu .notLoggedIn .LangLine[data-v-3185108e]{width:1px;height:60%;background:#ccc;margin-right:2%}.menuBox[data-v-3185108e]{width:50%;height:100%;display:flex;justify-content:end;align-items:center;margin:0}.menuBox li[data-v-3185108e]{list-style:none;height:45%;display:flex;justify-content:center;align-items:center;cursor:pointer;margin-left:8%}.menuBox li[data-v-3185108e]:hover{color:#000}.menuBox .login[data-v-3185108e]{padding:2px 18px}.menuBox .login[data-v-3185108e]:hover{color:#21a0ff;border:1px solid #21a0ff;border-radius:10px}.menuBox .register[data-v-3185108e]{background:#d2c3ea;border-radius:25px;padding:0 25px}.menuBox .register[data-v-3185108e]:hover{color:#000;color:#fe4886}.whiteBg[data-v-3185108e]{background:hsla(0,0%,100%,.2)}.head[data-v-3185108e]{position:fixed;top:0;left:0}.contentBox[data-v-3185108e]{width:100%;display:flex;justify-content:start;align-items:center;flex-direction:column;padding-top:5%}.contentBox .currencyBox[data-v-3185108e]{width:85%;display:flex;justify-content:center;align-items:center}.contentBox .currencyBox .sunCurrency[data-v-3185108e]{display:flex;justify-content:space-around;align-items:center;flex-direction:column;padding:8px 10px;border-radius:22px;cursor:pointer;font-weight:600;margin-left:10px;font-size:1em}.contentBox .currencyBox .sunCurrency img[data-v-3185108e]{width:35px;margin-left:5%}.contentBox .currencyBox .sunCurrency span[data-v-3185108e]{text-transform:uppercase;margin-top:10px}.contentBox .currencyBox .sunCurrency[data-v-3185108e]:hover{background:rgba(223,83,52,.05);font-size:12px;box-shadow:0 0 5px 3px rgba(223,83,52,.05)}.contentBox .currencyDescription[data-v-3185108e]{width:85%;display:flex;justify-content:center}.contentBox .currencyDescription .currencyDescriptionBox[data-v-3185108e]{width:90%;height:600px;box-shadow:0 0 3px 1px #ccc;margin-top:2%;display:flex;justify-content:start;flex-direction:column;align-items:center;position:relative}.contentBox .currencyDescription .currencyDescriptionBox .titleBOX[data-v-3185108e]{display:flex;justify-content:space-around;align-items:center;padding:20px 10px;width:100%;border-bottom:1px solid rgba(0,0,0,.1)}.contentBox .currencyDescription .currencyDescriptionBox .titleBOX h3[data-v-3185108e]{width:90%;font-size:1.5em;text-align:center}.contentBox .currencyDescription .currencyDescriptionBox .titleBOX .titleCurrency[data-v-3185108e]:hover{background:rgba(223,83,52,.05);font-size:13px;box-shadow:0 0 5px 3px rgba(223,83,52,.05)}.contentBox .currencyDescription .currencyDescriptionBox .titleCurrency[data-v-3185108e]{display:flex;justify-content:space-around;align-items:center;flex-direction:column;padding:8px 10px;border-radius:22px;font-weight:600;margin-left:30px;font-size:1.1em;margin-right:1%;position:absolute;top:10px;right:60px}.contentBox .currencyDescription .currencyDescriptionBox .titleCurrency img[data-v-3185108e]{width:35px;margin-left:1%}.contentBox .currencyDescription .currencyDescriptionBox .titleCurrency span[data-v-3185108e]{margin-top:10px;text-transform:uppercase}.contentBox .currencyDescription .currencyDescriptionBox .computationalPower[data-v-3185108e]{height:15%;width:100%;display:flex;justify-content:space-around;align-items:center;font-size:1.3em;margin:10px 10px}.contentBox .currencyDescription .currencyDescriptionBox .computationalPower .PowerBox[data-v-3185108e]{display:flex;flex-direction:column;justify-content:center;align-content:center}.contentBox .currencyDescription .currencyDescriptionBox .computationalPower span[data-v-3185108e]{cursor:pointer;width:100%;text-align:center}.contentBox .currencyDescription .currencyDescriptionBox .computationalPower span[data-v-3185108e]:hover{color:#df5334;font-weight:600}.contentBox .currencyDescription .currencyDescriptionBox .computationalPower .Power[data-v-3185108e]{font-size:1.5em}.contentBox .currencyDescription .currencyDescriptionBox p[data-v-3185108e]{width:80%;margin:0;font-size:1em;margin-top:3px;margin-left:5%;text-align:left;height:8%;padding:0 10px;line-height:50px;box-shadow:0 0 2px 1px #ccc;margin-top:1%}.contentBox .reportBlock[data-v-3185108e]{width:85%;display:flex;justify-content:center;height:1200px;margin-top:1%}.contentBox .reportBlock .reportBlockBox[data-v-3185108e]{width:90%;height:100%;box-shadow:0 0 3px 1px #ccc;background:#f5f9fd;display:flex;justify-content:space-between;flex-direction:column;align-items:center;padding:10px 10px}.contentBox .reportBlock .reportBlockBox .top[data-v-3185108e]{width:100%;height:18%;display:flex;align-items:center;justify-content:center;border-bottom:1px solid rgba(0,0,0,.1);padding:20px 0;color:#fff;font-weight:600;font-size:1.2em}.contentBox .reportBlock .reportBlockBox .top div[data-v-3185108e]{width:20%;background:#2eaeff;height:100%;display:flex;align-items:center;justify-content:space-around;margin-left:3%;border-radius:5%}.contentBox .reportBlock .reportBlockBox .belowTable[data-v-3185108e]{width:100%;height:80%;display:flex;justify-content:center;flex-direction:column;align-items:center}.contentBox .reportBlock .reportBlockBox .belowTable ul[data-v-3185108e]{width:100%;height:90%;padding:0;overflow:hidden;overflow-y:auto}.contentBox .reportBlock .reportBlockBox .belowTable ul .table-title[data-v-3185108e]{position:sticky;top:0;background:#f5f9fd;padding:0 10px}.contentBox .reportBlock .reportBlockBox .belowTable ul li[data-v-3185108e]{width:100%;list-style:none;display:flex;justify-content:space-around;align-items:center;height:7%}.contentBox .reportBlock .reportBlockBox .belowTable ul li span[data-v-3185108e]{height:100%;width:20%;line-height:55px;font-size:1.1em;font-weight:600;text-align:center}.contentBox .reportBlock .reportBlockBox .belowTable ul .currency-list[data-v-3185108e]{background:#fff;box-shadow:0 0 2px 1px rgba(0,0,0,.02);margin-top:1%;padding:0 10px}.contentBox .EchartsBox[data-v-3185108e]{width:80%;min-height:300px}.contentBox .EchartsBox .chart[data-v-3185108e]{height:300px;border:1px solid rgba(0,0,0,.1);margin-top:2%}.contentBox .formBox[data-v-3185108e]{width:80%;min-height:300px;border:1px solid rgba(0,0,0,.1);margin-top:2%}.footerBox[data-v-3185108e]{justify-content:space-around;width:100%;height:300px;display:flex;justify-content:center;align-items:center;padding-left:15%;background-image:url(/img/bkbuttom.05337f57.png);background-repeat:no-repeat;background-size:100% 100%;color:rgba(0,0,0,.9);margin-top:100px}.footerBox .one .oneText[data-v-3185108e]{width:40%;margin:0 auto;height:30%;display:flex;flex-direction:column;justify-content:space-between}.footerBox .one .oneText img[data-v-3185108e]{width:100%}.footerBox .logo2[data-v-3185108e]{display:flex}.footerBox .logo2 .logoBox[data-v-3185108e]{display:flex;flex-direction:column;justify-content:start;margin-top:4%}.footerBox .logo2 .logoBox .logoImg[data-v-3185108e]{width:160px}.footerBox .logo2 .logoBox .copyright[data-v-3185108e]{font-size:.8rem;width:100%;margin-top:15px}.footerBox .logo2 .logoBox .socialContact[data-v-3185108e]{display:flex;justify-content:space-around;width:120%;margin-top:28px}.footerBox .logo2 .logoBox .socialContact img[data-v-3185108e]{width:25px;transition:.1s linear;cursor:pointer}.footerBox .logo2 .logoBox .socialContact img[data-v-3185108e]:hover{width:28px}.footerBox .text div[data-v-3185108e]{width:77%;height:60%;line-height:28px;margin-top:25px;font-size:.95rem}.footerBox .product ul[data-v-3185108e]{margin:0;padding:0;display:flex;justify-content:center;flex-direction:column}.footerBox .product ul .productTitle[data-v-3185108e]{margin:0}.footerBox .product ul li[data-v-3185108e]{margin-top:15px;list-style:none;font-size:.95rem}.footerBox .product ul li span[data-v-3185108e]{cursor:pointer}.footerBox .product ul li span[data-v-3185108e]:hover{color:#6e3edb}.footerBox .product ul li a[data-v-3185108e]:hover{color:#6e3edb;cursor:pointer}.footerSon[data-v-3185108e]{width:100%;height:90%;margin:18px 10px}.footerSon .productTitle[data-v-3185108e],.footerSon h4[data-v-3185108e]{color:#000}.MoveMain[data-v-5f8aca30]{width:100%;height:100%;position:relative;z-index:9999}.headerMove[data-v-5f8aca30]{width:100%;min-height:60px;display:flex;align-items:center;justify-content:space-between;padding:0 20px;z-index:999}.headerMove img[data-v-5f8aca30]{width:30px}.headerMove .title[data-v-5f8aca30]{font-weight:600}.headerMove .menu[data-v-5f8aca30]{width:15%;height:100%;display:flex;align-items:center;justify-content:right}.menuItem[data-v-5f8aca30]{background:#d2c4e8;padding-left:5%;border-radius:5px;margin-top:20px;display:flex;align-items:center;justify-content:left}.menuItem img[data-v-5f8aca30]{width:15px;margin-right:5px}.menuItem2[data-v-5f8aca30]{background:#d2c4e8;padding-left:5%;border-radius:5px;display:flex;align-items:center}.menuItem2 img[data-v-5f8aca30]{width:15px;margin-right:5px}.menuLogin[data-v-5f8aca30]{display:flex;margin-top:10px;justify-content:space-around;margin-bottom:20px}.langBox[data-v-5f8aca30]{width:100%;display:flex;font-size:.6em;margin-top:18px;justify-content:space-around}[data-v-5f8aca30] .el-collapse-item__content{max-height:300px;overflow-y:auto}.el-radio[data-v-5f8aca30]{margin:0!important;margin-left:2px!important;font-size:.6em!important}.lgBTH[data-v-5f8aca30]{background:#651efe;color:#fff;padding:8px 23px}.reBTH[data-v-5f8aca30]{padding:8px 23px;color:#fff;background:#ff4181}[data-v-5f8aca30].el-dropdown-menu{left:40%!important;top:48px!important;padding-bottom:30px}.el-popper[x-placement^=bottom][data-v-5f8aca30]{min-width:60%!important}[data-v-5f8aca30] .el-collapse-item__header{border:none!important;height:36px!important;line-height:36px!important;background:#d2c4e8!important;margin-top:20px;border-radius:5px}.el-dropdown-menu__item[data-v-5f8aca30]:not(.is-disabled):hover,[data-v-5f8aca30].el-dropdown-menu__item:focus{padding:0}[data-v-5f8aca30] .el-collapse-item__wrap,[data-v-5f8aca30].el-collapse{border:none!important}.currencyBox[data-v-5f8aca30]{margin:0;padding:0;width:88%;display:flex;min-height:200px;flex-wrap:wrap;padding:10px 20px;margin:0 auto}.currencyBox li[data-v-5f8aca30]{list-style:none;display:flex;flex-direction:column;align-items:center!important;margin-left:10px;padding:5px 5px;box-sizing:border-box}.currencyBox li img[data-v-5f8aca30]{width:25px}.currencyBox li p[data-v-5f8aca30]{min-width:50px;margin-top:8px;font-size:.85rem;word-wrap:break-word;word-break:break-all;text-align:center;text-transform:capitalize}.accountBox[data-v-5f8aca30]{padding:8px 12px;font-size:.8rem;justify-content:space-between;border-bottom:1px solid rgba(0,0,0,.1)}.accountBox .coinBox[data-v-5f8aca30],.accountBox[data-v-5f8aca30]{display:flex;align-items:center}.accountBox .coinBox img[data-v-5f8aca30]{width:20px}.accountBox .coinBox .coin[data-v-5f8aca30]{margin-left:5px}.accountBox .coin[data-v-5f8aca30]{text-transform:capitalize}.el-menu--horizontal>.el-submenu .el-submenu__title[data-v-5f8aca30]{color:#000}.el-menu--horizontal[data-v-5f8aca30]{background:transparent}.el-submenu[data-v-5f8aca30]:hover{background-color:transparent!important}.el-submenu.is-active[data-v-5f8aca30]:after{border-bottom:none!important;border-bottom-color:transparent!important;border:none!important;outline:none!important;background:transparent}.el-submenu__title:hover{background-color:transparent!important;background:transparent!important;color:#6e3edb!important}.el-menu-item.is-active:not(.is-index){border-bottom:none!important}.el-submenu.is-active,.el-submenu__title{border:none!important;border-bottom:none!important;border-bottom-color:transparent!important}.el-menu--horizontal>.el-submenu.is-active .el-submenu__title{border-bottom:0!important}.el-submenu.is-active .el-submenu__title{border-bottom-color:transparent!important}.el-menu.el-menu--horizontal{border-bottom:0!important}.el-dropdown-menu__item,.el-menu-item{padding:0 10px!important}.el-main[data-v-79927a4c]{scrollbar-width:none;-ms-overflow-style:none;border-right:none}.containerApp[data-v-79927a4c]{overflow-x:hidden}[data-v-79927a4c]::-webkit-scrollbar{width:0;height:0}.el-header[data-v-79927a4c]{height:8%!important;display:flex;justify-content:center;background-image:url(/img/bktop.91a777f0.png);background-position:60% 8%;background-size:cover;scrollbar-width:none;-ms-overflow-style:none;border-right:none}.el-main[data-v-79927a4c]{padding:0;overflow-y:auto}@media screen and (min-width:220px)and (max-width:1279px){.el-header[data-v-79927a4c]{width:100%;background-image:none;height:auto!important;padding:0;box-shadow:0 0 3px 2px #ccc!important;margin:0 auto}.containerApp[data-v-79927a4c]{width:100vw;min-height:100vh;background:#fff;background-image:url(/img/homebgtop.733f659d.png);background-repeat:no-repeat;background-size:115%;background-position:40% -2%}}.fade-enter-active[data-v-763fcf11],.fade-leave-active[data-v-763fcf11]{transition:all .3s}.fade-enter[data-v-763fcf11],.fade-leave-to[data-v-763fcf11]{opacity:0;transform:scale(.8);-ms-transform:scale(.8);-webkit-transform:scale(.8)}.slide-fade-enter-active[data-v-763fcf11],.slide-fade-leave-active[data-v-763fcf11]{transition:all .3s ease}.slide-fade-enter[data-v-763fcf11],.slide-fade-leave-to[data-v-763fcf11]{transform:translateY(6PX);-ms-transform:translateY(6PX);-webkit-transform:translateY(6PX);opacity:0}.m-tooltip[data-v-763fcf11]{position:absolute;top:0;z-index:999;padding-bottom:6PX}.m-tooltip .u-tooltip-content[data-v-763fcf11]{padding:10PX;margin:0 auto;word-break:break-all;word-wrap:break-word;border-radius:4PX;font-weight:400;font-size:14PX;background:rgba(0,0,0,.5);color:#fff}.m-tooltip .u-tooltip-arrow[data-v-763fcf11]{margin:0 auto;width:0;height:0;border-left:2PX solid transparent;border-right:2PX solid transparent;border-top:4PX solid rgba(0,0,0,.5)}body{height:100%;margin:0;-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased;text-rendering:optimizeLegibility;font-family:Helvetica Neue,Helvetica,PingFang SC,Hiragino Sans GB,Microsoft YaHei,Arial,sans-serif}label{font-weight:700}html{box-sizing:border-box}#app,html{height:100%}*,:after,:before{box-sizing:inherit}.no-padding{padding:0!important}.padding-content{padding:4px 0}a:active,a:focus{outline:none}a,a:focus,a:hover{cursor:pointer;color:inherit;text-decoration:none}div:focus{outline:none}.fr{float:right}.fl{float:left}.pr-5{padding-right:5px}.pl-5{padding-left:5px}.block{display:block}.pointer{cursor:pointer}.inlineBlock{display:block}.clearfix:after{visibility:hidden;display:block;content:" ";clear:both;height:0}aside{background:#eef1f6;padding:8px 24px;margin-bottom:20px;border-radius:2px;display:block;line-height:32px;font-size:16px;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Oxygen,Ubuntu,Cantarell,Fira Sans,Droid Sans,Helvetica Neue,sans-serif;color:#2c3e50;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}aside a{color:#337ab7;cursor:pointer}aside a:hover{color:#20a0ff}.app-container{padding:20px}.components-container{margin:30px 50px;position:relative}.pagination-container{margin-top:30px}.text-center{text-align:center}.sub-navbar{height:50px;line-height:50px;position:relative;width:100%;text-align:right;padding-right:20px;transition:position .6s ease;background:linear-gradient(90deg,#20b6f9,#20b6f9 0,#2178f1 100%,#2178f1 0)}.sub-navbar .subtitle{color:#fff}.sub-navbar.deleted,.sub-navbar.draft{background:#d0d0d0}.link-type,.link-type:focus{color:#337ab7;cursor:pointer}.link-type:focus:hover,.link-type:hover{color:#20a0ff}.filter-container{padding-bottom:10px}.filter-container .filter-item{display:inline-block;vertical-align:middle;margin-bottom:10px}.multiselect{line-height:16px}.multiselect--active{z-index:1000!important}@font-face{font-family:iconfont;src:url(/fonts/iconfont.5b7e587a.eot);src:url(/fonts/iconfont.5b7e587a.eot#iefix) format("embedded-opentype"),url(data:application/x-font-woff2;charset=utf-8;base64,d09GMgABAAAAAB84AAsAAAAANsAAAB7oAAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAHFQGYACKIgrTQMRNATYCJAOBRAtkAAQgBYRnB4RfGyYuM6PCxgEgIH0VRFEmKGn2f0qgY+xQ7mCSEVtlq9SoKuwv1Cnr08zEkkel3w43Ornq0AgWLycGMvPaIYUUfpot7oMWyRHZsMxQyoTnebve82beQOvZv/tBBXIFllCtKpWKKq1QEUWZDrqJK2GH57fZg6/wUSqUaMFowEAMaKNBrCKMzblSV6LuJq5Sl6Fr127T5ZW7qRdeuV2li3YBAXC5+xVRhGVj4h40QSNNOGxzvAOgzdHV1xs2Z65EvEkL7F61zf/dB97r9nr44sOUYUFC66vuuvYdEKOQI8YXnrfdbu8L1SUUZT7EhnKazQTau5GhYEnZ3ZYTXgIQJAsYWGQfzLS/mTsWGAIF25HlZIEDvAjS6ODVAgj4P51lK3mPq7uES717Ck64qKFO1/0ZybeeGRnG9oHWR1rWshwyBO7YAcCKoKgk+0BalA7loDcIVd7VeenTp8WmTN2maOtoW6Ix/RY0d03dTWHs/7HZPq7K4zmmjYgxxSisi3o/KODrNZmRec/V4OewWmLS7k9UMG+q5nrUAe8KNGON4mZs3lmTX9eDBMYeOQocJb+8+tMfuGCwIu7HtXSY7RsRvoztgAcznxxMbgc4sAEsYIJOwYrGg92nTpg67STcp/38dXASYKEU3sKXw5eUxcDGFUAqTIQUWcwcmjRbqMe/9BuTp/L1XWb5DXSjoZ68d7dg6775bz77P76AIJ5EQkvF10Lyv+N+e2WhYqXK1aWV12z1/4QH6NKjTk4sI6tDitamm8lmSEiqVqFVjUaVfOWKIkqvBnn1OtWqEipoEmjWoozD4mnnSkOlgBuHAKOkjPVCwAhdEIXQAzEQ6iAmQg6iEWKIhZCB2AhZiIPQAfEQUhAfQUMSCG2QJEI3JItgQsoYyRqVgGBAqhnRjUZggNEEDJbRAggVkC6EVkgPQg1kCkMxpgIjDWMxIPiQlQjlkO0IRcgOhAiyC0FB9mvVahwBhAbICYQ85AZCPeQ+QifkKUIt5CtCFd4tQgjxbgVCAe/OIDTh3UWEAO9uIzTj3WOEFrx3EcrwYYHAIcZRQLDwcbHAA+MXILTjc9HENWLqUEcaQB/MsAngmugO6SO4n6F2Z9RU12oWw9RMjbhkpWPZI4ps6QwAd7m5BkIjUQimNuI+k4euuGG6KrtOxcRRkCrGaeU1N9l2KhXHjZ5r65bemq0xjqOoUlcVdFRUYfjmbmayOe37nuv4Tmo0D6etWX66GBdSOuevVjRFixK2pIrpnCrGzdGaXRROtN04VlF7nF0PhaqpiiMn8oLQ1rDQc82dscXzorfArrJcvtAZhWEi4QX5phD9uGYvcTl9gFhGtu0GthWGg555GbckjhBVjBj0gKea47onDWzyVRjob5Zcn5KWA41o9RQaZV0bPQVy7fXklMQ1rgdC+wcy1Ve8nYpm0QwWVdMUmKzbJEfP3Q8g4Zx6HsD+rEx5TDSAOMhX3/9As9/N8jzlOTXPCpDowcQJAZL2FhrXTEGU7wvMfZrJ7J8UP0nG3rBXI3j4JX09egK/pe/JB/buSoRyDotJ8CEQosz3QRH2vJNR9uI2hJ8AV1v+7qUIveO0gk/Jref1AssDgJ39xXW4EJJC/JV4k8eKICkKXCyM8MbUqeJiP2SI/TVr9Mej4LtDTKdxSPpYD8CKgh0FZTaAuNSJm9ihklZiAiqO5IVoLkXSnSILgjS85VIrLdtMPA2wWFJaCccSzaxQUGepDeGvQWAMExdRb3zMB5p1tVS4gj5uUrRzIdrbPmGX3cmyYkOy9YFab2RoTtqZ6ugTwqyn7QAVif0oHPurmOyHdPMaszNC1QqQwEe8CyBIvu6okwsyTKchGaT9AJEgqKxafKPaiFU7XcoxlEsK7JJQEoGoNAqKQiBcfLIo7EvYoBYyB1EolFdRckAQmIkNhOpBwOJawVnpezUCjgRZVixhM8yGwtg2MwGoNey1M68VD7OBILT/SAcVa2gaNazU9KE2mBbanZHH5QHwxa/k+brbgUcv/g4tiGFouFroHSrCcZhaRG4RoxrHGo0wlZqtTAmxqQj151ps4tJYY3OztNXUaOA8k1uaTFYg0sef/+6zuNjUYt/Pt8UaOb2cO1Jzo3HHbZdbIvcX7scPNiaNaH15IaqEPNJDNtn1KSDGcTLLOtMklaOZxCk9UramENXCaC/FIhwHlXIkjnB3D+u7Dsl7+lYJQHJ5D3XP67ymLwPAn//U0pRndQVS29xSqGOf6kYHn2t2yRCracrjo8rI5NxUWo5LQlMUok9vgBJ885kQlpWRi+GS0L7GKAMhSIau7MpgGOB+LVeka1rxCI2VSK/c0tjUNM13a1sdWrtdMYXFulYb1r4oe/ew36IIfc8yP5wIEakUx131DpTgt1epo9C8FXd5B3HRbkTLX29H+Su875W9WTEGCR+Pyj0P4GUjm3rlzArAoiiYJrNlQbIgCdos3qyPxSi2bEN4cbdizaMjxp638jHncQTJco6oMgwAog4oahacplQ83UEyZYwt6wYg1ICQbsXXYogNABwzYnE6DHA8JHAGnMBdXu5gbe1TjDuSZt1x2kTVvCuwF3W63S5Zd658Qq3czWQLnzITlGDjZLQ4Eo30nh3GOQZo60ZD5xlEiSAwd1bR7wpBPs5yV75R9Lfdqe7dl3ueEm6rCcU6Eujya14xM6jU87DvsyAgnDdxWx7l/PJ+ttGXw3jkFXszRkZff7ls7rylixcuXzB/xaJToFfxUCdaL0AZNW8PvSgx89nAzWvNjf6n6GKmv0yi5SiW8EJlvAy0ctFTJxe8uT04if15PWxB33DPGvqg1y9cczzKaz3vmwCbBRiv1t1U9102VvTQzr4p12ePwUnd87xtcgTTTME1obsnCfNSwqnRVCK2OxnDcECZkUxWFGFTvOMhyu+XvydZXE8X+u5/slWdhTSRUm6llZKs8VbObU+n5Y6vO4K6wtCLJwJ71NMjdvtftn1pmsmGAWljV9cc4iEsowbASUFg/byAFM1ENOFqci5Vm+udDe9+mRzdzXbJtXgSCsBDD+CRZ7NAT8QvIq3z94u7Byqys4DLZGkI77+5DdNaziWFqoZEOcz2gOTe4Wz3bXLjsVDDl1PPuzDggzG9u9w0sydYwiMlgoT/1IrnJe5oeMk3W6lprKnY4y+ws6JoJi5dr4XFqHUrc7NzCNHyO9UOXtY9z+wspKRBTmRoz+kUBFZxN+DBAfYWGgnRFJ9terWsFd4SkmCHnXZzMfmuVp+pd9mcYEMg9yxoDVwZiNPKJEkkF2+zAtFq2YCTZRahJnqcqdkKU8yOzP411YpDazWXzzMBVbbcWRWoVMmUlxvOobdbVM2FCr3OCHalylwlV+3OrJk0YopBZVmkbGuQqB6iOy0i//+vDSaO/ada8LuAIq+XIV2eepazD2NyH353jLH5X3h3ljyjvp/pfQ4PhfoyhQcFoW/BfieE2Qcnf1+I5DuXKHsRfQ8h+SAI7B0A+K1GnQfON9njfbEeSSiR1iXqnYbNFnHfV00n40q/NPgC3+BEJmel5CDQ3VtwzrdOs2ySypAkCFh6xSHJxZEwaC4FMy1QaCdAye5xwt7w6JBRp2BsHvAEGyKjdBgPnMLvSiOCSp/fIrdfsGc38Y2nGu3HA/6PYPC439XYy4+MnK3mu+t7NcjnP59f9C4jXfquwqsmv65HFf15z2oGzkdjHNC1JaoSor3X2mGxri7UlGWIOGbOwrhpAVuwqM7vx6zS2sWNDh0ldS2LXT4W1Kh5PIyOBUNYU+wtNVCESpzrgVqvAkwh9JRtS73W2z1FYBghX40G+vAchWvSVoO6RN7RyxXVFJOt5WPPQKZ3/IFFEclqY4NZdSLZ2vUAXc4I6Zzw/783/O9v9cOTlRXiDA7azILg+9DPvn9IBL0mP+HQfCzuzdwc/8PB8f3eN9Ff+OJEv/7KV8UIDIItdhbIxlsRW36yyjStvHGeTUTvj3a/vrHebNDm4rnRMVOsqQu2qEqNKYKcpq19sTfP6nYsLKx0x3idVGvWvfKXSq48I21P/LKtZkE/WbfYgnvGoBdi39fHZYFyS3JrXBF+1eIOOAZhut29pwAET7xX0nqDpksxi1wb7HXcIOXecwAgXeMYPVr0QX/XI50ZIuyc05avUChtYlyNTBhVx3qqBJAcMwywHNtZX8+CwUSqnHZnkelIIcOVi62CGLbz0y3eDCtGbHEwOC+G5FnqQkuyYCetx9ga7TX3PGX1qRF15S+T97dNWnvtOzVfE8DDHX/Alu0JixLVkT3161+v+mniQX2RsnhxksLzIHBBp6BauYyTSIpJdp00iOyREBUL0dhkSN4zjgGwEFkzCXmfw3Z8yhKTYhXcrBPq2fsTbEhcpcnI1mXOwf999fhfG0cqRzzJcI+/AvCeY+BD+alx//rst26+cWrLt0DgjvPu3z7717jyU8BPOtEAl2e/Q4Dkl/8Xpsc3ScAcSVq8c+pVFrccMQjq0A2dSf0USv8FnyMGdYjBHch//rE7WhgERsvCFt1vKN+W9+9sHQUflo/GpkdKA9QaSZZaIlFLI+PSrs13HiDbMV47bIqW1l9EqUFRkXl5kdWaPiIvKlhk+qW1DNvbEVIb6lj4fZkf9lRIRVCpSZEaeyIt1qgo2HkT7RM8xCviFsSmREKIrtAA7VwL3yRIs/o8oE37lApyBJnzHca3AvQczRy0RhuN1kntWepRgvj1cEdUTkREbuRxEVNNSmGKOyJzlVRkwmp/Tb2Sgx3hvCG8ob2aasqKV9Kapl7RCJwR7C81m2hTNG+cJL6AD+Fz07gG7uzZHAMvbb/AUJ4Gbhr3QCrXyJ01m7uh+w8pQwf4pHJzs7tmqxuTkhtTmrwEBgKFd9NhdVKjGkSToINN6o5agg7v2+2zXkGmRwVQFD4bfFbgdYSyaNpo0I9BU0H3QDJ526PgB9Pb1cWSwugsqSYgJSWgfH+i+NWT7Mk1Y9HmqChzNBqWdifWb38Q8iCCiMJIWb07HgRPhUx/9Z2js3Q2nnqPtpWBQSEizZaoaNpU8BQtvi44JyekDhxnZURqUw9sTbMRB8W28IwIi98WcH/PXr+wpYP3K9feF96PKRXnloZx95ius0nrpEHmx3px4KnoLMpdeBXOLbm5Mq4sJqYsrvIXgXNlMfud/3KI1aun59ADnj85DlY6wM+fEwTTmmlBTkhwampwAYEzhHBti539FITS2z0VOKQ6wVfBLgAO4MudsVgKBgaC2z/RAfD3lO+P9FFfAa+fP83v5z3Cb+dLfafoU75SoQsWPhKiXcJpoQstJOh5umKk7YLfR+xj/Bjfe3ylGCEcZMfAlSLgN0gb4fXzQh6Qhy5w5ZG3xWvkdO8Rr0N6fWbGCZlCXDrvCo/LSHclfXFAHy/gETRXxZXFxpbFVf0iMNSTV8X94hpDU5h2a83mrKMCv7I5yho9qnQOGQSPkmxx8RbyENkSH2ePxhTExdnIn5Ms8fEW0igIaUcg3EwS0w2BAM+EP0YlgV8vUH/vPHB9a7mpuFAwfOn0If4K8lU/Pzrjc2Gd4HN2QiAY4neTjovEAv5VoZMEYnO3AU/PJjN7PvtsPo7EJOHmN7uHSWb1eAUtoOvR0DSRY774yTXspa2zxVL2mkmgb/7x+5Eulxqhy3TwtaAHiuhHIY/yD+GDoC+4EUA57sqnF9hCbQV0IdCBE9aFjEehjxgL6Z5Qzz/X+9yXz7BcxMIQEnSENdNh07Ufwj4AXOMpAlcAd31rqywOkohMvduymJZYisNXASpcbW0gShgFDhwkRhGz8/1//WlftnYARD0d545zuDWcsBvc/dwboZwaLnucS6uZJk3rNtdw3Bz6NJ3T6geFf11bOaHToRz3aCGW5D8lxHcE5HO37ESlaLUWsmVujJcXynsl/huijPDmNUmoIAtevqyCNz579vQZFfWNV3B4v5gk+kZEEpODgZ8EN4VAtFMEhKuDcbVMUgt5J7mFdHNV0Xp4DDNEuop5Yl8lDYHYSDTI5Bk42tkOvf94+qxUo6FlocHoY2wx6BU1rSz9Z4P/LAdXyzOALG9vpg/C5z39PbiwUCmR8wsLmyOWAgw1mIJiY+jeTG9vpTpGXlIcU5VbTNgstCqnMiKIihrJv7vwRITeVhWpfzj/bj6lj/IHNiSow4eGCx5CndDDghEw3J6SQm47VroUz3Er3Rz80tJjgA+5nBXSEsnq1ZISacWYwFCvXiKpkI5R3FFdZxbWKqvi4qqUtf8R+MpVcbXK/1zeBbaxV0PiS1uaj4rpGpjyfQOdSaPec/cLL/0LwGjOEh9ULxpC96JIOA/vn1//6Raje1C3siRaiVodoJHuFjCERC3RZt1C9TB5XoMG3YKF+tUATDWsSF4PE+GYhCEdst5ogDyW1i2alxZwoXTDfJ1uQU/K3KoojX+K9Nc91QJFnkGiC7B2orP3V3He83OmCQ/9rHojK2pu8jxN4n7zdfpkuVUmszplhdZop8An4ZRZrTLwQl4YHV3ojLYWypysTyRZuC9YH7xfv5+pZ+7b40pKdN05vz4za/15oFu78j5expHhf9Xi318ZI/ktK2A3W22nss+wxPYo9m5WtE3MOt0wYsfuZrt/YBxiN6f7NEgYb29VOZQ1tUq76qnA/sqaBEdrmShfmONanMvL5B5FrDxe+2Jhjji/zFEWKyvZpssWXpSXxsnDrFmy0gb4MuTH31WaA3MDlQZ7dWEG4zMTKzuV83karTb3ZnyWJaQwzAbAVITLKS2XlKxZUyIpl44BAIUb/KHLxyi9Hn2xIyNWrcrxMmtS7ZM7VC9drug7SWJreEx0QUF0o8ARY8Kt4qRMQfmaAjyJTcKrVHa7qtW+4ip7y4LyNSMJoo1BhqCNBu0/BLwnUYO2fjwxZ90SmDczNIeVwQmdUYbAFbrnJd4iTqZXPioH1vj8bT7ik4dRx68z3vtxmFnqdDPxfpfxC1+XNlXuiyftb/j9MspWSU/LUP1KoTO4jX8knNjLzpq7LXDz9IrtVUQ94QSsPf853EU0k14QLMS1mJ0k7CaMDWYQabD3BdhN7ICrGT/2FTDYY/tIgB+PW1q6uZ1LsLB/+oJyFgr1l/iH3lGrZVJy2qJV4o8ut4SE4EgFeCpasXiAEodbw8ghRQ3emRH6nFpwbFvkpRVmxdPfur7zZaFyVYuciTal0pbofJ7o4LAtwal6rsrahASbyvFc5YR/rdKZiD6Q2VCqKJTJixQlk9guLyyU7y7flCiK5LLCmJJJbJcVFcngAvboleb8DRvyjwKcPapXBUY/UTgS8KIONyU8LCszrIxAGt4B37UIr5TZxpwiY74ul+qkNZrG84y5Oie1gTZhNJr1Oe4QYgfH2t752/my7PCM0NCM8OzLBOYyQvc7v3z4cYtm5i1HLL9Y+mf3RWJbOWg7fKgB0dgIjgY9ESwJVEwL/z5S1aFI0xy82zc9Z/snTe79iJCt88LTEq+Cf/OblWr1vnP/Q+00dmTaxpoUSfa3d1XtOKF+h7Z4c+D7LYH9K8syJK/Y2OdH7ujVqtJ2mSvv5RtYCzNQt7ecy0QtNLDy71UCE9vA1tU3G0TBfT3+An93VlpmmvvZtMeaT0kiADaCkMRbS6BKgwdsIl6ThATAU/J4BIqDKysCfCjEWUH/5sit6pmTog6+QN/5y/FzGecyXqdAz+8Qn5iZO3jpTgXdkVxZRD3UIrkVSuggKb/7t+kI/wjifackdRBUg5LuLUXUwOsWCBqKTLZ89XUvs7e+3lJ+Q15elvx84En++5JoNXc10hNk+K/k2wc8k7lRxa0fpJMGavMEzubpjnVikoFkwk8OPMMR0+3D0wardSDCUC9LFu1jGpj7DFpbYJJ3MlgfGKgPvh4UaNAHBmtVWoldcl1qkZ7E1nVJgdRFmBcwBF0PDtQ7TzXsC9AG8BG8sqyl7M4WHMB+gwW4n7GrmbHbk4axRH8SdhiH8AeyZcCSAKdHt6ckUsKC/khPNs/uRpnxkvFqrimxvEoxt1rhsCaf0wzBTAcGba1fmcf5aKcgONBoCDIrWpAxWHSPIcFg1lPXw5iEmOI4WaWyraYq15SYX2OK4uTHdsz6N9T4RDAS3nLBr4LNBAleQtgsiG4UE3VcPVFMsHDN+O83Esw8M0H7xOilQo/+sfax3gN+YYqBiWgiGcnmDdywicTxsETOeOIEh9vvJ4xShSaBCdiKMCFhpSpsRRjHio6KjsSFxtmAdxqsVE0QDUNBFqm+h6v9PtO+Fj7uSBFfzwJpXOIq31Ifj+PxAXVsCv/9pSK+jlmdI4i+/igmwuI7DS6FnRzJsFCbFj18GUyrGpvxMz58sUWjZVpOjUSxqH60XfG9nb/61d393r3xcWpmml1HelgU/x7X4aaP+M6TxYvb1BNGZ/GS3d1Iw/kUZMtnU07ThAB89mO1Tym3kL1yqcQitValhfVcGaaupA7LDaH9vlZsTaxZkZcnt8QM63OCcoNy6rC56pYhYYtwyKHJ83FmB+YFZmOKIk2VUalwUTazKtvXkZxHahnYtHmltb1C+vXVnb22gHPX0/NrOmy9VkA4BG3CboJCkdpVkXkhUBeuC7K0ueDFBjhPRJOdRqTINXDHDum6dvlGWt1GejF8uwTr5YMtue0/YVbZlaoa3xu+iYdFcwbvO9Ur87WrFmjDYRyn2S3sWLkulmXN7WI1R5Roydru18ysEdRf1C9BGAlmItK4Ko/MhzFMgo5rjnqUM6euLqUVpbO2YmJev0Cg3Tg3+mOtUHROKBGKBJLRpZu8NkEv2lC9uF5UAyrITxoFqgYeH/vwKD3jfnHxjp3YIqyXfONGklY7GtAjvpqW6tA4/rdr7CUl49mtHR0kGWnZMs+HM52e/uP4U92WzW4/7/LkEla1f5mL4g7opSxhFrCKNNal7h3E0W2zpZVga02YKWmrLtVS2yOGVXxLZUq4ZboVYgq9BZYUzRDZPSNIpJAjjdA/S98gR/qwooaH3zyM3YZLv+1/Ox3Xlt7Wo9zxu5M+0gYzw+VPmehmck+kgUGLQu5T90NtGW3IvoBjlDbY/6ksmZHiH9J2Z0Yb7Vt5HxHWJfFbw/4R2l/Xoxch+iR95EUZi7Dn0/3Tz2P1KrRMZYgntlF83fktujz4EsH2+NJjG+GV7cy+iIzluJK5bm3mtc8zrphMoz/M0qtyDsEXU062Lz9muqIf/bLl6pOYi9mH9KpZP4waTRlXwGeZ19atvZL584+wuWpVX9ox2BQ6dLob0ZqU0YTSnq9Z1YROP2Q5NbMnFeXIyp+9xK+mcUWL8LdrGLtt+vTT30gt3Y36clTqIW0WevL48f4W91h1mDoBLpQbrcT0MH9zQI7LxJBkbL97V9fYeOxx+FzMOj224Q5cnJWZB3tFznhjCQwCFvGDZA0R+9jvMRaejIki5qO91DNeWED1ys/3L9mQiqUOkbVLew0tLmh/76ndgwtQuqkDSgKg9HUAVANA6XXSIRiA0m4/QRUAlNppMlZ+tRfiKC5UqMN7j5+hKgDA1JADK2W5t9Di1v/YCtEBKD2wHxKySnOQF8npf0buO70Pcb7ZG+TvngDQEPF1ksakoVzv55BC2dWPocq1N/Cg5FIBeQMSit7SdfNoWJQudckVQJQuW6Al8JjfQOmgDMcbUiu3XIMSSx1u8IyOGodyoq45Cq2lJ0Um6CVfq4RC0upOU3loLsRTDvoVKqXHoxARR3f6BLLzrBlE/k27WfIKpdMk1Flqh96lZXYHoeh/8jsQeFe/4UYFQfUC9v0v4OCrQ6YykvKMnvboIU4fLsOvpPAHPrPed3xQT+2lH/ri/xvpuPFg7lvQkt5HvPdZnM4uQCvQ5j5X/r6lFZv66v3g73zbMp6idJabaNS16VvV4KhQTa56WS9tVy2BftXmmqT6OsyaO5C1E0TFHtDs8EpVUk6phoSrqinlsayXPlEteW9VW8o/1bc6wIULNC/+7cVxCLyh1ZHqGo1QJpB3+sll7MB5Df9y5zUGKcsK58QHN9zFEeBHWYYgqHDY0/fN8fGuQzo4bHkdMhXC8JznghaQ1difvTgOQbtwQ1XHq+oajbjzYP/1fXIZO3Cc8q/pvELQO6eYTMEhf3DDtUtBqv0oSwGZgmLq0HhPve8AtNuOIjXQ7ZbX51JGRbCHZ7l6Z4KXZ+mn+x7Hz9rdbu+nLEuBBgMWHHgIECFBhgIVGnQYzVa70+31B8PReDKdzRfL1Xqz3e0Px9P5cr3dHy+vEjA2gmHTvwZz0I6bxOozV4DXJxWPmgygD5FdP9771KMLqYhdt/xHIw/a7LlRgImIJ6X/8HrDiWYx8opJFHWipJniKGcnxjbxsoBxrXgMJpgGP+8Uce49wTYejN9N0hqH48zWw9i0AzrSwfFxFWHHdQ8hykInTsJVlMn1loycaKSKk2Le+hRJE7XEWOxz0hVRolYCMwjCkqw4DOCyx7JIh2Qyk2d6FQSXj7PSgPNaxYxz67i5L5Yvzl08qWpJzwL1HyMnqTiSI5hWJ5MkgpEYBiTggguHAPVOIRWKpdn0x79JSoQgXt/W6ZmjgZ2KZeIzwhZE6TfNlj87AwAA) format("woff2"),url(/fonts/iconfont.822d0662.woff) format("woff"),url(/fonts/iconfont.f799a9e7.ttf) format("truetype"),url(/img/iconfont.39b68b2e.svg#iconfont) format("svg")}.iconfont{font-family:iconfont!important;font-size:16px;font-style:normal;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.icon-anquan1:before{content:"\e671"}.icon-lianxiren:before{content:"\e61c"}.icon-qianbao:before{content:"\e613"}.icon-zhuyi:before{content:"\e60a"}.icon-paixu1:before{content:"\ea8f"}.icon-paixu:before{content:"\e617"}.icon-sort-full:before{content:"\ea4b"}.icon-kongxinwenhao:before{content:"\ed19"}.icon-fuzhi_o:before{content:"\eb4e"}.icon-fuzhi:before{content:"\e64e"}.icon-fuzhi1:before{content:"\e8b0"}.icon-guanbi:before{content:"\e84d"}.icon-guanbi1:before{content:"\e66f"}.icon-guanbi2:before{content:"\e61e"}.icon-youjiantou:before{content:"\e624"}.icon-hengxiandianzuo:before{content:"\e609"}.icon-youjiantou1:before{content:"\ee39"}.icon-sanhengxian-copy:before{content:"\e605"}.icon-hengxian11:before{content:"\e606"}.icon-icon-prev:before{content:"\e603"}.icon-zuoyoujiantou1:before{content:"\e604"}.icon-shouji:before{content:"\e692"}.icon-youxiang:before{content:"\e908"}.icon-shouji1:before{content:"\e853"}.icon-yonghu:before{content:"\e667"}.icon-anquanzu:before{content:"\e654"}.icon-duigou:before{content:"\e627"}.icon-anquan-:before{content:"\e640"}.icon-shanchuzhanghu:before{content:"\e6f4"}.icon-diannao:before{content:"\e625"}.icon-morentouxiang:before{content:"\e62f"}.icon-touxiang:before{content:"\e6de"}.icon-zhanghubaobiao:before{content:"\e602"}.icon-chongzhi360:before{content:"\e6bc"}.icon-gerenzhongxin:before{content:"\e689"}.icon-zhanghuyue:before{content:"\e63f"}.icon-anquan:before{content:"\e8ab"}.icon-yanjing:before{content:"\e8bf"}.icon-yanjing1:before{content:"\e8c7"}.icon-baogao:before{content:"\e62d"}.icon-zhanghuxinxi:before{content:"\e60e"}.icon-a-fenzhi1:before{content:"\ebf9"}.icon-kuanggong:before{content:"\e607"}.icon-suanli:before{content:"\e6c3"}.icon-kuanggong1:before{content:"\e600"}.icon-kuanggong2:before{content:"\e60f"}.icon-suanli1:before{content:"\e601"}.icon-shishisuanli:before{content:"\e676"} \ No newline at end of file diff --git a/mining-pool/test/css/app-42f9d7e6.23095695.css.gz b/mining-pool/test/css/app-42f9d7e6.23095695.css.gz new file mode 100644 index 0000000..3a81562 Binary files /dev/null and b/mining-pool/test/css/app-42f9d7e6.23095695.css.gz differ diff --git a/mining-pool/test/css/app-72600b29.83c22f01.css b/mining-pool/test/css/app-72600b29.83c22f01.css new file mode 100644 index 0000000..35bfd64 --- /dev/null +++ b/mining-pool/test/css/app-72600b29.83c22f01.css @@ -0,0 +1 @@ +@media screen and (min-width:220px)and (max-width:800px){.imgTop[data-v-be8442b4]{width:100%;text-align:center}.imgTop img[data-v-be8442b4]{width:100%}#chart[data-v-be8442b4]{height:400px!important}.describeBox2[data-v-be8442b4]{width:100%;font-size:.9rem;padding:8px;margin:0 auto}.describeBox2 p[data-v-be8442b4]{width:100%;background:transparent;padding-left:8px}.describeBox2 i[data-v-be8442b4]{color:#5721e4;margin-right:5px}.describeBox2 .describeTitle[data-v-be8442b4]{color:#5721e4;font-weight:600;font-size:.95rem}.describeBox2 .view[data-v-be8442b4]{color:#5721e4;margin-left:5px}.moveCurrencyBox[data-v-be8442b4]{margin:0;padding:0;width:100%;display:flex;min-height:200px;flex-wrap:wrap;padding:10px 18px;margin:0 auto;background:#fff}.moveCurrencyBox li[data-v-be8442b4]{list-style:none;display:flex;flex-direction:column;align-items:center!important;margin-left:10px;padding:5px 5px;box-sizing:border-box}.moveCurrencyBox li img[data-v-be8442b4]{width:25px}.moveCurrencyBox li p[data-v-be8442b4]{min-width:50px;margin-top:8px;font-size:.85rem;word-wrap:break-word;word-break:break-all;text-align:center;text-transform:capitalize}.currencySelect[data-v-be8442b4]{display:flex;align-items:center;margin-bottom:10px;padding-left:8px;font-size:.85rem}.currencySelect .el-menu-demo[data-v-be8442b4]{flex:1}.currencySelect .el-menu[data-v-be8442b4]{background:transparent}.currencySelect .coinSelect img[data-v-be8442b4]{width:25px}.currencySelect .coinSelect span[data-v-be8442b4]{text-transform:capitalize;margin-left:5px}.miningPoolLeft[data-v-be8442b4]{margin:0 auto;width:95%;min-height:300px;box-shadow:0 0 1px 1px #ccc;padding-top:18px;border-radius:10px;overflow:hidden;background:#fff}.miningPoolLeft .interval[data-v-be8442b4]{padding:0 8px;font-size:.7rem;width:100%;display:block}.miningPoolLeft .interval .timeBox[data-v-be8442b4]{padding:0 10px}.miningPoolLeft .interval .times[data-v-be8442b4]{width:15%;text-align:center;border-radius:10px;line-height:30px}.miningPoolLeft .interval .timeActive[data-v-be8442b4],.miningPoolLeft .interval .times[data-v-be8442b4]:hover{color:#5721e4}.miningPoolLeft .interval .chartBth .slideBox[data-v-be8442b4]{background-image:linear-gradient(90deg,#b6e6f1 0,#f8bbd0);padding:0 2px;border-radius:20px;display:flex;align-items:center;justify-content:left;height:30px;width:auto}.miningPoolLeft .interval .chartBth .slideBox span[data-v-be8442b4]{text-align:center;border-radius:20px;height:80%;line-height:25px;margin:0;transition:all .3s linear;padding:0 5px}.miningPoolLeft .interval .chartBth .slideActive[data-v-be8442b4]{background:#5721e4;color:#fff}.miningPoolLeft .timeBox[data-v-be8442b4]{width:100%;text-align:right}.miningPoolRight[data-v-be8442b4]{display:flex;justify-content:center;margin-top:10px;min-width:300px}.miningPoolRight ul[data-v-be8442b4]{padding:0;padding:0 2%;margin:0;height:100%;display:flex;align-items:center;flex-wrap:wrap;justify-content:space-between}.miningPoolRight ul li[data-v-be8442b4]{list-style:none;width:160px;height:80px;background:#fff;border-radius:5%;display:flex;align-items:center;justify-content:space-between;box-shadow:3px 3px 5px 2px #ccc;margin-top:18px;transition:all .2s linear}.miningPoolRight ul li .text[data-v-be8442b4]{height:90%;width:70%;padding-left:5%;overflow:hidden}.miningPoolRight ul li .text p[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;font-size:.9rem}.miningPoolRight ul li .text .content[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;font-size:.8rem;margin-top:23%}.miningPoolRight ul li .imgIcon[data-v-be8442b4]{height:90%;width:30%;padding-top:5%}.miningPoolRight ul li .imgIcon img[data-v-be8442b4]{width:80%}.miningPoolRight ul li[data-v-be8442b4]:hover{box-shadow:0 0 5px 2px #d2c3ea}.miningPoolRight ul .ConnectMiningPool[data-v-be8442b4],.miningPoolRight ul .profitCalculation[data-v-be8442b4]{cursor:pointer}.reportBlock[data-v-be8442b4]{width:100%;display:flex;justify-content:center;max-height:700px;margin-top:3%;padding-bottom:2%;background:transparent!important}.reportBlock .reportBlockBox[data-v-be8442b4]{width:96%!important;display:flex;justify-content:space-between;flex-direction:column;align-items:center;border-radius:10px;overflow:hidden;transition:all .2s linear;padding:0!important;height:auto!important;margin-top:20px}.reportBlock .reportBlockBox .belowTable[data-v-be8442b4]{width:100%;display:flex;justify-content:center;flex-direction:column;align-items:center;margin-bottom:100px}.reportBlock .reportBlockBox .belowTable ul[data-v-be8442b4]{width:100%;max-height:650px;min-height:200px;padding:0;margin:0;overflow:hidden;border-radius:10px!important;border:1px solid #ccc!important}.reportBlock .reportBlockBox .belowTable ul li[data-v-be8442b4]{margin:0!important;border:none!important}.reportBlock .reportBlockBox .belowTable ul .table-title2[data-v-be8442b4]{position:sticky;top:0;background:#d2c3ea!important;color:#433278;font-weight:600;height:40px;display:flex;justify-content:space-around;padding-right:10px!important}.reportBlock .reportBlockBox .belowTable ul .table-title2 span[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;font-size:.9rem;line-height:40px;text-align:center}.reportBlock .reportBlockBox .belowTable ul .table-title2 .block-Height[data-v-be8442b4],.reportBlock .reportBlockBox .belowTable ul .table-title2 .block-Time[data-v-be8442b4]{width:50%}.reportBlock .reportBlockBox .belowTable ul li[data-v-be8442b4]:nth-child(2n){background-color:#fff;background:#f8f8fa!important}.reportBlock .reportBlockBox .belowTable ul .currency-list2[data-v-be8442b4]{width:100%;list-style:none;display:flex;cursor:pointer;justify-content:space-around;align-items:center;height:40px;padding-right:20px!important}.reportBlock .reportBlockBox .belowTable ul .currency-list2 span[data-v-be8442b4]{height:100%;width:50%;font-weight:600;text-align:center;font-size:.85rem;line-height:40px}.reportBlock .reportBlockBox .belowTable ul .currency-list2[data-v-be8442b4]{background:#efefef;box-shadow:0 0 2px 1px rgba(0,0,0,.02);padding:0 10px;margin-top:10px;background:#f8f8fa;border:1px solid #efefef}.reportBlock .reportBlockBox .belowTable ul .currency-list2 span[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.reportBlock .reportBlockBox[data-v-be8442b4]:hover{box-shadow:3px 3px 10px 4px #d2c3e9}.Calculator[data-v-be8442b4]{width:100%;min-height:400px;background:rgba(0,0,0,.5);position:fixed;padding:20px;top:10%;left:0;z-index:2001;display:flex;align-items:center;justify-content:center}.Calculator .prop[data-v-be8442b4]{width:98%;height:98%;background:#fafbff;border-radius:10px;display:flex;flex-direction:column;padding:20px;padding-bottom:50px}.Calculator .prop .titleBox[data-v-be8442b4]{display:flex;justify-content:space-between;align-items:center;width:100%;height:35px;position:relative}.Calculator .prop .titleBox span[data-v-be8442b4]{width:100%;text-align:left;font-size:.95rem;color:rgba(0,0,0,.7);padding-left:3%}.Calculator .prop .titleBox .close[data-v-be8442b4]{font-size:1.5rem;cursor:pointer;position:absolute;top:1px;right:10px}.Calculator .prop .titleBox .close[data-v-be8442b4]:hover{color:#6e3edb}.Calculator .prop .selectCurrency[data-v-be8442b4]{width:100%;display:flex;justify-content:center}.Calculator .prop .selectCurrency .Currency2[data-v-be8442b4]{display:flex;justify-content:space-between;align-items:center;justify-content:center;padding:5px;margin-top:3%}.Calculator .prop .selectCurrency .Currency2 img[data-v-be8442b4]{width:28px}.Calculator .prop .cautionBox[data-v-be8442b4]{padding:10px 10px;margin-left:3%;font-size:.85rem;color:rgba(0,0,0,.7)}.Calculator .prop .cautionBox span[data-v-be8442b4]{color:#8d72db;font-weight:600}.Calculator .prop .content2[data-v-be8442b4]{display:flex;justify-content:space-around;align-items:center;flex-direction:column;width:100%}.Calculator .prop .content2 .item[data-v-be8442b4]{width:100%;margin-top:10px}.Calculator .prop .content2 .item p[data-v-be8442b4]{margin-bottom:8px;font-size:.9rem}}@media screen and (min-width:800px)and (max-width:1279px){.imgTop[data-v-be8442b4]{width:100%;padding-left:20%;text-align:left}.imgTop img[data-v-be8442b4]{width:auto;height:300px}#chart[data-v-be8442b4]{height:400px!important}.describeBox2[data-v-be8442b4]{width:100%;font-size:.9rem;padding:8px;margin:0 auto}.describeBox2 p[data-v-be8442b4]{width:100%;background:transparent;padding-left:8px}.describeBox2 i[data-v-be8442b4]{color:#5721e4;margin-right:5px}.describeBox2 .describeTitle[data-v-be8442b4]{color:#5721e4;font-weight:600;font-size:.95rem}.describeBox2 .view[data-v-be8442b4]{color:#5721e4;margin-left:5px}.moveCurrencyBox[data-v-be8442b4]{margin:0;padding:0;width:100%;display:flex;min-height:200px;flex-wrap:wrap;padding:10px 18px;margin:0 auto;background:#fff}.moveCurrencyBox li[data-v-be8442b4]{list-style:none;display:flex;flex-direction:column;align-items:center!important;margin-left:10px;padding:5px 5px;box-sizing:border-box}.moveCurrencyBox li img[data-v-be8442b4]{width:25px}.moveCurrencyBox li p[data-v-be8442b4]{min-width:50px;margin-top:8px;font-size:.85rem;word-wrap:break-word;word-break:break-all;text-align:center;text-transform:capitalize}.currencySelect[data-v-be8442b4]{display:flex;align-items:center;margin-bottom:10px;padding-left:8px;font-size:.85rem}.currencySelect .el-menu-demo[data-v-be8442b4]{flex:1}.currencySelect .el-menu[data-v-be8442b4]{background:transparent}.currencySelect .coinSelect img[data-v-be8442b4]{width:25px}.currencySelect .coinSelect span[data-v-be8442b4]{text-transform:capitalize;margin-left:5px}.miningPoolLeft[data-v-be8442b4]{margin:0 auto;width:95%;min-height:300px;box-shadow:0 0 1px 1px #ccc;padding-top:18px;border-radius:10px;overflow:hidden;background:#fff}.miningPoolLeft .interval[data-v-be8442b4]{padding:0 8px;font-size:.7rem;width:100%;display:block}.miningPoolLeft .interval .timeBox[data-v-be8442b4]{padding:0 10px}.miningPoolLeft .interval .times[data-v-be8442b4]{width:15%;text-align:center;border-radius:10px;line-height:30px}.miningPoolLeft .interval .timeActive[data-v-be8442b4],.miningPoolLeft .interval .times[data-v-be8442b4]:hover{color:#5721e4}.miningPoolLeft .interval .chartBth .slideBox[data-v-be8442b4]{background-image:linear-gradient(90deg,#b6e6f1 0,#f8bbd0);padding:0 2px;border-radius:20px;display:flex;align-items:center;justify-content:left;height:30px;width:auto}.miningPoolLeft .interval .chartBth .slideBox span[data-v-be8442b4]{text-align:center;border-radius:20px;height:80%;line-height:25px;margin:0;transition:all .3s linear;padding:0 5px}.miningPoolLeft .interval .chartBth .slideActive[data-v-be8442b4]{background:#5721e4;color:#fff}.miningPoolLeft .timeBox[data-v-be8442b4]{width:100%;text-align:right}.miningPoolRight[data-v-be8442b4]{display:flex;justify-content:center;margin-top:10px;min-width:300px}.miningPoolRight ul[data-v-be8442b4]{padding:0;padding:0 2%;margin:0;height:100%;display:flex;align-items:center;flex-wrap:wrap;justify-content:left}.miningPoolRight ul li[data-v-be8442b4]{list-style:none;width:160px;height:80px;background:#fff;border-radius:5%;display:flex;align-items:center;justify-content:space-between;box-shadow:3px 3px 5px 2px #ccc;margin-top:18px;transition:all .2s linear;margin-left:2%}.miningPoolRight ul li .text[data-v-be8442b4]{height:90%;width:70%;padding-left:5%;overflow:hidden}.miningPoolRight ul li .text p[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;font-size:.9rem}.miningPoolRight ul li .text .content[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;font-size:.8rem;margin-top:23%}.miningPoolRight ul li .imgIcon[data-v-be8442b4]{height:90%;width:30%;padding-top:5%}.miningPoolRight ul li .imgIcon img[data-v-be8442b4]{width:80%}.miningPoolRight ul li[data-v-be8442b4]:hover{box-shadow:0 0 5px 2px #d2c3ea}.miningPoolRight ul .ConnectMiningPool[data-v-be8442b4],.miningPoolRight ul .profitCalculation[data-v-be8442b4]{cursor:pointer}.reportBlock[data-v-be8442b4]{width:100%;display:flex;justify-content:center;max-height:700px;margin-top:3%;padding-bottom:2%;background:transparent!important}.reportBlock .reportBlockBox[data-v-be8442b4]{width:96%!important;display:flex;justify-content:space-between;flex-direction:column;align-items:center;border-radius:10px;overflow:hidden;transition:all .2s linear;padding:0!important;height:auto!important;margin-top:20px}.reportBlock .reportBlockBox .belowTable[data-v-be8442b4]{width:100%;display:flex;justify-content:center;flex-direction:column;align-items:center;margin-bottom:100px}.reportBlock .reportBlockBox .belowTable ul[data-v-be8442b4]{width:100%;max-height:650px;min-height:200px;padding:0;margin:0;overflow:hidden;border-radius:10px!important;border:1px solid #ccc!important}.reportBlock .reportBlockBox .belowTable ul li[data-v-be8442b4]{margin:0!important;border:none!important}.reportBlock .reportBlockBox .belowTable ul .table-title2[data-v-be8442b4]{position:sticky;top:0;background:#d2c3ea!important;color:#433278;font-weight:600;height:40px;display:flex;justify-content:space-around;padding-right:10px!important}.reportBlock .reportBlockBox .belowTable ul .table-title2 span[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;font-size:.9rem;line-height:40px;text-align:center}.reportBlock .reportBlockBox .belowTable ul .table-title2 .block-Height[data-v-be8442b4],.reportBlock .reportBlockBox .belowTable ul .table-title2 .block-Time[data-v-be8442b4]{width:50%}.reportBlock .reportBlockBox .belowTable ul li[data-v-be8442b4]:nth-child(2n){background-color:#fff;background:#f8f8fa!important}.reportBlock .reportBlockBox .belowTable ul .currency-list2[data-v-be8442b4]{width:100%;list-style:none;display:flex;cursor:pointer;justify-content:space-around;align-items:center;height:40px;padding-right:20px!important}.reportBlock .reportBlockBox .belowTable ul .currency-list2 span[data-v-be8442b4]{height:100%;width:50%;font-weight:600;text-align:center;font-size:.85rem;line-height:40px}.reportBlock .reportBlockBox .belowTable ul .currency-list2[data-v-be8442b4]{background:#efefef;box-shadow:0 0 2px 1px rgba(0,0,0,.02);padding:0 10px;margin-top:10px;background:#f8f8fa;border:1px solid #efefef}.reportBlock .reportBlockBox .belowTable ul .currency-list2 span[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.reportBlock .reportBlockBox[data-v-be8442b4]:hover{box-shadow:3px 3px 10px 4px #d2c3e9}.Calculator[data-v-be8442b4]{width:100%;min-height:400px;background:rgba(0,0,0,.5);position:fixed;padding:20px;top:10%;left:0;z-index:2001;display:flex;align-items:center;justify-content:center}.Calculator .prop[data-v-be8442b4]{width:98%;height:98%;background:#fafbff;border-radius:10px;display:flex;flex-direction:column;padding:20px;padding-bottom:50px}.Calculator .prop .titleBox[data-v-be8442b4]{display:flex;justify-content:space-between;align-items:center;width:100%;height:35px;position:relative}.Calculator .prop .titleBox span[data-v-be8442b4]{width:100%;text-align:left;font-size:.95rem;color:rgba(0,0,0,.7);padding-left:3%}.Calculator .prop .titleBox .close[data-v-be8442b4]{font-size:1.5rem;cursor:pointer;position:absolute;top:1px;right:10px}.Calculator .prop .titleBox .close[data-v-be8442b4]:hover{color:#6e3edb}.Calculator .prop .selectCurrency[data-v-be8442b4]{width:100%;display:flex;justify-content:center}.Calculator .prop .selectCurrency .Currency2[data-v-be8442b4]{display:flex;justify-content:space-between;align-items:center;justify-content:center;padding:5px;margin-top:3%}.Calculator .prop .selectCurrency .Currency2 img[data-v-be8442b4]{width:28px}.Calculator .prop .cautionBox[data-v-be8442b4]{padding:10px 10px;margin-left:3%;font-size:.85rem;color:rgba(0,0,0,.7)}.Calculator .prop .cautionBox span[data-v-be8442b4]{color:#8d72db;font-weight:600}.Calculator .prop .content2[data-v-be8442b4]{display:flex;justify-content:space-around;align-items:center;flex-direction:column;width:100%}.Calculator .prop .content2 .item[data-v-be8442b4]{width:100%;margin-top:10px}.Calculator .prop .content2 .item p[data-v-be8442b4]{margin-bottom:8px;font-size:.9rem}}@media screen and (min-width:500px)and (max-width:800px){.Calculator[data-v-be8442b4]{width:100%;min-height:400px;padding:20px;background:rgba(0,0,0,.5);position:fixed;top:25%;left:0;z-index:2001;display:flex;align-items:center;justify-content:center}.Calculator .prop[data-v-be8442b4]{width:80%;background:#fafbff;border-radius:10px;display:flex;flex-direction:column;padding:20px;padding-bottom:50px}.Calculator .prop .titleBox[data-v-be8442b4]{display:flex;justify-content:space-between;align-items:center;width:100%;height:35px;position:relative}.Calculator .prop .titleBox span[data-v-be8442b4]{width:100%;text-align:left;font-size:.95rem;color:rgba(0,0,0,.7);padding-left:3%}.Calculator .prop .titleBox .close[data-v-be8442b4]{font-size:1.5rem;cursor:pointer;position:absolute;top:1px;right:10px}.Calculator .prop .titleBox .close[data-v-be8442b4]:hover{color:#6e3edb}.Calculator .prop .selectCurrency[data-v-be8442b4]{width:100%;display:flex;justify-content:center}.Calculator .prop .selectCurrency .Currency2[data-v-be8442b4]{display:flex;justify-content:space-between;align-items:center;justify-content:center;padding:5px;margin-top:3%}.Calculator .prop .selectCurrency .Currency2 img[data-v-be8442b4]{width:28px}.Calculator .prop .cautionBox[data-v-be8442b4]{padding:10px 10px;margin-left:3%;font-size:.85rem;color:rgba(0,0,0,.7)}.Calculator .prop .cautionBox span[data-v-be8442b4]{color:#8d72db;font-weight:600}.Calculator .prop .content2[data-v-be8442b4]{display:flex;justify-content:space-around;align-items:center;flex-direction:column;width:100%}.Calculator .prop .content2 .item[data-v-be8442b4]{width:100%;margin-top:10px}.Calculator .prop .content2 .item p[data-v-be8442b4]{margin-bottom:8px;font-size:.9rem}}#boxTitle2[data-title][data-v-be8442b4]{position:relative;display:inline-block}#boxTitle2[data-title][data-v-be8442b4]:hover:after{opacity:1;transition:all .1s ease .5s;visibility:visible}#boxTitle2[data-title][data-v-be8442b4]:after{min-width:180px;max-width:300px;content:attr(data-title);position:absolute;padding:5px 10px;right:28px;border-radius:4px;color:hsla(0,0%,100%,.8);background-color:rgba(80,79,79,.8);box-shadow:0 0 4px rgba(0,0,0,.16);font-size:.8em;visibility:hidden;opacity:0;text-align:center;overflow-wrap:break-word!important}.content[data-v-be8442b4]{width:100%;overflow-y:auto}.content .Calculator[data-v-be8442b4]{width:100%;height:100vh;background:rgba(0,0,0,.5);position:fixed;top:0;left:0;z-index:2001;display:flex;align-items:center;justify-content:center}.content .Calculator .prop[data-v-be8442b4]{width:52%;height:45%;background:#fafbff;border-radius:10px;display:flex;flex-direction:column;padding:20px 5px}.content .Calculator .prop .titleBox[data-v-be8442b4]{display:flex;justify-content:space-between;align-items:center;width:100%;height:35px;position:relative}.content .Calculator .prop .titleBox span[data-v-be8442b4]{width:100%;text-align:left;font-size:1.8em;color:rgba(0,0,0,.7);padding-left:3%}.content .Calculator .prop .titleBox .close[data-v-be8442b4]{font-size:2em;cursor:pointer;position:absolute;top:1px;right:10px}.content .Calculator .prop .titleBox .close[data-v-be8442b4]:hover{color:#6e3edb}.content .Calculator .prop .selectCurrency[data-v-be8442b4]{width:100%;display:flex;justify-content:center}.content .Calculator .prop .selectCurrency .Currency2[data-v-be8442b4]{display:flex;justify-content:space-between;align-items:center;justify-content:center;padding:5px;margin-top:3%}.content .Calculator .prop .selectCurrency .Currency2 img[data-v-be8442b4]{width:28px}.content .Calculator .prop .cautionBox[data-v-be8442b4]{padding:10px 10px;margin-left:3%;font-size:1.2em;color:rgba(0,0,0,.7)}.content .Calculator .prop .cautionBox span[data-v-be8442b4]{color:#8d72db;font-weight:600}.content .Calculator .prop .content2[data-v-be8442b4]{display:flex;justify-content:space-around;align-items:center;flex-direction:column}.content .Calculator .prop .content2 .titleS[data-v-be8442b4]{display:flex;justify-content:space-around;width:90%;margin-top:5%}.content .Calculator .prop .content2 .titleS span[data-v-be8442b4]{text-align:left;font-size:1.2em;color:rgba(0,0,0,.7)}.content .Calculator .prop .content2 .titleS .power[data-v-be8442b4]{width:40%}.content .Calculator .prop .content2 .titleS .time[data-v-be8442b4]{width:15%}.content .Calculator .prop .content2 .titleS .profit[data-v-be8442b4]{width:40%}.content .Calculator .prop .content2 .computingPower[data-v-be8442b4]{display:flex;height:50px;justify-content:space-around;width:90%;margin-top:1%}.content .bgBox[data-v-be8442b4]{width:100%;height:300px;box-sizing:border-box;position:relative;text-align:left}.content .bgBox .bgImg[data-v-be8442b4]{height:100%;width:auto;position:absolute;left:25vw;top:0}.content .bgBox .bgBoxImg[data-v-be8442b4]{height:100%;width:auto;position:absolute;left:23%;transition:all .3s linear}.content .bgBoxImg2Img[data-v-be8442b4]{width:73vw;height:40vh;margin:0 auto;overflow:hidden}.content .bgBoxImg[data-v-be8442b4]:hover{height:98%;position:absolute;left:23%}.content .container[data-v-be8442b4]{width:100%;display:flex;justify-content:center;height:80px}.content .container .containerBox[data-v-be8442b4]{width:80%;display:flex;background:#db7093;justify-content:center}.content .container .containerBox .image-list[data-v-be8442b4]{display:flex;padding:0 20px}.content .container .containerBox .image-list .imageBOX[data-v-be8442b4]{margin-left:10px;background:green;display:flex;flex-direction:column;justify-content:center;align-items:center;padding:8px 10px}.content .container .containerBox .image-list img[data-v-be8442b4]{width:30px}.content .container .containerBox .image-list span[data-v-be8442b4]{text-align:center}.content .contentBox[data-v-be8442b4]{width:100%}.Currency2 .el-select[data-v-be8442b4]{width:80%!important}[data-v-be8442b4] .el-input__inner{height:50px}@media screen and (min-width:220px)and (max-width:1279px){[data-v-be8442b4] .el-input__inner{height:40px}}.contentBox[data-v-be8442b4]{width:100%;display:flex;justify-content:start;align-items:center;flex-direction:column}.contentBox .currencyDescription2[data-v-be8442b4]{width:100%;display:flex;justify-content:center;align-items:center}.contentBox .currencyDescription2 .miningPoolBox[data-v-be8442b4]{width:75%;padding:0 20px;margin:0 auto;font-size:.9rem}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft[data-v-be8442b4]{width:100%;height:80%;box-shadow:0 0 10px 3px #ccc;padding:20px 10px;border-radius:10px;transition:all .3s linear;height:380px;display:flex;justify-content:center;flex-direction:column;margin-top:10px;min-width:300px}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .interval[data-v-be8442b4]{display:flex;justify-content:space-between;padding:2px 10px}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .interval .chartBth .slideBox[data-v-be8442b4]{background-image:linear-gradient(90deg,#b6e6f1 0,#f8bbd0);padding:0 2px;border-radius:20px;display:flex;align-items:center;justify-content:center;height:30px}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .interval .chartBth .slideBox span[data-v-be8442b4]{text-align:center;border-radius:20px;height:80%;line-height:25px;margin:0;transition:all .3s linear;padding:0 5px;overflow:hidden;text-overflow:ellipsis}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .interval .chartBth .slideActive[data-v-be8442b4]{background:#5721e4;color:#fff}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .timeBox[data-v-be8442b4]{padding:0 10px}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .timeBox span[data-v-be8442b4]{margin-left:8px;cursor:pointer}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .times[data-v-be8442b4]{width:15%;text-align:center;border-radius:10px;font-size:.9rem;line-height:30px}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .timeActive[data-v-be8442b4],.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft .times[data-v-be8442b4]:hover{color:#5721e4}.contentBox .currencyDescription2 .miningPoolBox .miningPoolLeft[data-v-be8442b4]:hover{box-shadow:3px 3px 10px 5px #d2c3e9}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight[data-v-be8442b4]{width:100%;display:flex;justify-content:center;margin-top:10px;min-width:300px}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul[data-v-be8442b4]{padding:0;padding:0 10px;margin:0;height:100%;display:flex;align-items:center;flex-wrap:wrap}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul .dataBlock[data-v-be8442b4]{margin:0;margin-left:3%}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul li[data-v-be8442b4]{list-style:none;width:30%;height:110px;background:#fff;border-radius:5%;display:flex;align-items:center;justify-content:space-between;box-shadow:3px 3px 5px 2px #ccc;margin-top:3%;transition:all .2s linear;margin-left:3%;overflow:hidden;text-overflow:ellipsis}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul li .text[data-v-be8442b4]{height:90%;width:70%;padding-left:5%;overflow:hidden}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul li .text p[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;font-size:.85rem;margin-top:5px}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul li .text .content[data-v-be8442b4]{overflow:hidden;word-wrap:break-word;text-overflow:ellipsis;margin-top:5px}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul li .imgIcon[data-v-be8442b4]{height:90%;width:30%;padding-top:5%}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul li .imgIcon img[data-v-be8442b4]{width:80%}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul li[data-v-be8442b4]:hover{box-shadow:0 0 5px 2px #d2c3ea}.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul .ConnectMiningPool[data-v-be8442b4],.contentBox .currencyDescription2 .miningPoolBox .miningPoolRight ul .profitCalculation[data-v-be8442b4]{cursor:pointer}.contentBox .currencyDescription2 .currencyDescriptionBox[data-v-be8442b4]{width:90%;height:600px;box-shadow:0 0 3px 1px #ccc;margin-top:2%;display:flex;justify-content:start;flex-direction:column;align-items:center;position:relative}.contentBox .currencyDescription2 .currencyDescriptionBox .titleBOX[data-v-be8442b4]{display:flex;justify-content:space-around;align-items:center;padding:20px 10px;width:100%;border-bottom:1px solid rgba(0,0,0,.1)}.contentBox .currencyDescription2 .currencyDescriptionBox .titleBOX h3[data-v-be8442b4]{width:90%;font-size:1rem;text-align:center}.contentBox .currencyDescription2 .currencyDescriptionBox .titleBOX .titleCurrency[data-v-be8442b4]:hover{background:rgba(223,83,52,.05);font-size:13px;box-shadow:0 0 5px 3px rgba(223,83,52,.05)}.contentBox .currencyDescription2 .currencyDescriptionBox .titleCurrency[data-v-be8442b4]{display:flex;justify-content:space-around;align-items:center;flex-direction:column;padding:8px 10px;border-radius:22px;font-weight:600;margin-left:30px;font-size:1.1em;margin-right:1%;position:absolute;top:10px;right:60px;transition:all .2s linear}.contentBox .currencyDescription2 .currencyDescriptionBox .titleCurrency img[data-v-be8442b4]{width:35px;margin-left:1%}.contentBox .currencyDescription2 .currencyDescriptionBox .titleCurrency span[data-v-be8442b4]{margin-top:10px;text-transform:uppercase}.contentBox .currencyDescription2 .currencyDescriptionBox .computationalPower[data-v-be8442b4]{height:15%;width:100%;display:flex;justify-content:space-around;align-items:center;font-size:1.3em;margin:10px 10px}.contentBox .currencyDescription2 .currencyDescriptionBox .computationalPower .PowerBox[data-v-be8442b4]{display:flex;flex-direction:column;justify-content:center;align-content:center}.contentBox .currencyDescription2 .currencyDescriptionBox .computationalPower span[data-v-be8442b4]{cursor:pointer;width:100%;text-align:center;transition:all .2s linear}.contentBox .currencyDescription2 .currencyDescriptionBox .computationalPower span[data-v-be8442b4]:hover{color:#df5334;font-weight:600}.contentBox .currencyDescription2 .currencyDescriptionBox .computationalPower .Power[data-v-be8442b4]{font-size:1.5em}.contentBox .currencyDescription2 .currencyDescriptionBox p[data-v-be8442b4]{width:80%;margin:0;font-size:1em;margin-top:3px;margin-left:5%;text-align:left;height:8%;padding:0 10px;line-height:50px;box-shadow:0 0 2px 1px #ccc;margin-top:1%}.contentBox .reportBlock[data-v-be8442b4]{width:100%;display:flex;justify-content:center;max-height:700px;margin-top:1%;padding-bottom:2%;background:#433278}.contentBox .reportBlock .reportBlockBox[data-v-be8442b4]{width:75%;display:flex;justify-content:space-between;flex-direction:column;align-items:center;border-radius:10px;overflow:hidden;transition:all .2s linear}.contentBox .reportBlock .reportBlockBox[data-v-be8442b4]:hover{box-shadow:3px 3px 10px 4px #d2c3e9}.contentBox .EchartsBox[data-v-be8442b4]{width:80%;min-height:300px}.contentBox .EchartsBox .chart[data-v-be8442b4]{height:300px;border:1px solid rgba(0,0,0,.1);margin-top:2%}.contentBox .formBox[data-v-be8442b4]{width:80%;min-height:300px;border:1px solid rgba(0,0,0,.1);margin-top:2%}.reportBlock[data-v-be8442b4]{width:100%;display:flex;justify-content:center;max-height:700px;margin-top:3%;padding-bottom:2%}.reportBlock .reportBlockBox[data-v-be8442b4]{width:75%;display:flex;justify-content:space-between;flex-direction:column;align-items:center;border-radius:10px;overflow:hidden;transition:all .2s linear}.reportBlock .reportBlockBox .top[data-v-be8442b4]{width:100%;height:28%;display:flex;align-items:center;justify-content:center;border-bottom:1px solid rgba(0,0,0,.1);padding:20px 0;color:#fff;font-weight:600;font-size:1.2em}.reportBlock .reportBlockBox .top .lucky[data-v-be8442b4]{display:flex;align-items:center;flex-direction:column;justify-content:center}.reportBlock .reportBlockBox .top .lucky .luckyNum[data-v-be8442b4]{font-size:1.8em}.reportBlock .reportBlockBox .top .lucky .luckyText[data-v-be8442b4]{font-size:1em;margin-top:5%}.reportBlock .reportBlockBox .top div[data-v-be8442b4]{width:20%;background:#2eaeff;height:100%;display:flex;align-items:center;justify-content:space-around;margin-left:3%;border-radius:15px;box-shadow:0 8px 20px 0 rgba(46,174,255,.5)}.reportBlock .reportBlockBox .belowTable[data-v-be8442b4]{width:100%;display:flex;justify-content:center;flex-direction:column;align-items:center;margin-bottom:100px}.reportBlock .reportBlockBox .belowTable ul[data-v-be8442b4]{width:100%;max-height:650px;min-height:200px;padding:0;margin:0;overflow:hidden}.reportBlock .reportBlockBox .belowTable ul .table-title[data-v-be8442b4]{position:sticky;top:0;background:#d2c3ea;padding:0 10px;color:#433278;font-weight:600}.reportBlock .reportBlockBox .belowTable ul .table-title .hash[data-v-be8442b4]{width:58%;text-align:left;margin-left:5%}.reportBlock .reportBlockBox .belowTable ul .table-title .blockRewards[data-v-be8442b4]{width:18%;font-weight:600;font-size:.95em;text-align:left;margin-left:1%}.reportBlock .reportBlockBox .belowTable ul .table-title .transactionFee[data-v-be8442b4]{width:18%;font-weight:600;font-size:.95em}.reportBlock .reportBlockBox .belowTable ul .table-title span[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;font-size:.95em}.reportBlock .reportBlockBox .belowTable ul li[data-v-be8442b4]:nth-child(2n){background-color:#fff;background:#f8f8fa}.reportBlock .reportBlockBox .belowTable ul li[data-v-be8442b4]{width:100%;list-style:none;display:flex;cursor:pointer;justify-content:space-around;align-items:center;height:60px}.reportBlock .reportBlockBox .belowTable ul li span[data-v-be8442b4]{height:100%;width:20%;line-height:60px;font-weight:600;text-align:center;font-size:.95rem}.reportBlock .reportBlockBox .belowTable ul .currency-list[data-v-be8442b4]{background:#efefef;box-shadow:0 0 2px 1px rgba(0,0,0,.02);padding:0 10px;margin-top:10px;background:#f8f8fa;border:1px solid #efefef}.reportBlock .reportBlockBox .belowTable ul .currency-list span[data-v-be8442b4]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.reportBlock .reportBlockBox .belowTable ul .currency-list .hash[data-v-be8442b4]{width:58%;margin-left:5%;text-align:left}.reportBlock .reportBlockBox .belowTable ul .currency-list .reward[data-v-be8442b4]{width:18%;text-align:left;margin-left:1%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.reportBlock .reportBlockBox[data-v-be8442b4]:hover{box-shadow:3px 3px 10px 4px #d2c3e9}.interval span[data-v-be8442b4]{margin-left:10px;cursor:pointer;transition:all .2s linear}.interval span[data-v-be8442b4]:hover{color:#2eaeff}.footerBox[data-v-be8442b4]{justify-content:space-around;width:100%;height:300px;display:flex;justify-content:center;align-items:center;background:hsla(0,0%,80%,.1)}.footerSon[data-v-be8442b4]{width:33.3333333333%;height:80%;border-right:1px solid rgba(0,0,0,.1)}.active[data-v-be8442b4]{background:#6e3edb;color:#fff}.el-card[data-v-be8442b4]{background:transparent;padding-left:12%;box-shadow:none;border:none}.monitor-list[data-v-be8442b4]{display:flex;justify-content:space-between;height:9vh;width:86%;box-shadow:0 0 10px 3px #ccc;border-radius:5px;background:#fff}.monitor-list i[data-v-be8442b4]{font-size:.8em}.monitor-list .btn[data-v-be8442b4]{width:50px;height:100%;line-height:9vh;text-align:center;cursor:pointer;background-color:#ecf5ff;font-size:24px;color:#000;background:#d2c3e9;transition:all .3s linear}.monitor-list .btn[data-v-be8442b4]:hover{background-color:#e0dfff}.monitor-list .left[data-v-be8442b4]{border-radius:5px 0 0 5px;box-shadow:0 0 5px 1px #ccc}.monitor-list .right[data-v-be8442b4]{border-radius:0 5px 5px 0;box-shadow:0 0 5px 1px #ccc}.monitor-list .list-box[data-v-be8442b4]{width:calc(100vw - 100px);overflow:hidden;display:flex;align-items:center;justify-items:center}.monitor-list .list-box .list[data-v-be8442b4]{width:100%;transform:all 2s;display:flex;align-items:center;justify-items:center;padding-left:2%;height:90%;position:relative;left:0;transition:left 1s}.monitor-list .list-box .list .list-item[data-v-be8442b4]{width:120px;height:95%;text-align:center;cursor:pointer;margin-left:18px;display:flex;flex-direction:column;align-items:center;justify-content:space-around;border-radius:10px;transition:all .3s linear;padding:5px}.monitor-list .list-box .list .list-item span[data-v-be8442b4]{width:100%;height:25%;border-radius:5px;padding:0 2px;text-transform:capitalize;font-size:.8rem;display:flex;align-items:center;justify-content:center}.monitor-list .list-box .list .list-item img[data-v-be8442b4]{width:2.3vw}.monitor-list .list-box .list .list-item[data-v-be8442b4]:hover{font-size:1rem;box-shadow:0 0 3px 1px rgba(210,195,234,.8)}.monitor-list .list-box .list .list-item:hover span[data-v-be8442b4]{background:#6e3edb;color:#fff}.monitor-list .list-box .list .list-item:hover img[data-v-be8442b4]{width:38px}.timeActive[data-v-be8442b4]{color:#5721e4}.describeBox[data-v-be8442b4]{width:100%;text-align:center;margin-top:30px;font-size:.85rem;overflow:hidden;max-height:100px}.describeBox p[data-v-be8442b4]{margin:0 auto;width:72%;text-align:left;padding:0 20px;background:#e7dff3;border-radius:8px;padding:10px 20px;display:flex;align-items:start}.describeBox p .describeTitle[data-v-be8442b4]{font-weight:600;color:#6e3edb}.describeBox p i[data-v-be8442b4]{color:#6e3edb;margin-right:5px;line-height:18px}.describeBox p .view[data-v-be8442b4]{cursor:pointer;margin-left:8px;color:#6e3edb}.describeBox p .view[data-v-be8442b4]:hover{color:#000}.el-input.is-disabled .el-input__inner{color:rgba(0,0,0,.8)}@media screen and (min-width:220px) and (max-width:1279px){.el-menu--horizontal{width:100%}}@media screen and (min-width:220px)and (max-width:1279px){[data-v-0a0e912e]::-webkit-scrollbar{width:0!important;height:0}[data-v-0a0e912e]::-webkit-scrollbar-thumb{background-color:#d2c3e9;border-radius:20PX}[data-v-0a0e912e]::-webkit-scrollbar-track{background-color:#f0f0f0}.accountInformation[data-v-0a0e912e]{width:100%;height:33px!important;background:rgba(0,0,0,.5);position:fixed;top:61px!important;left:0;display:flex;align-items:center;padding:1% 5%;z-index:2001;line-height:33px!important}.accountInformation img[data-v-0a0e912e]{width:18px!important}.accountInformation i[data-v-0a0e912e]{color:#fff;font-size:.95rem!important;margin-left:10px}.accountInformation .coin[data-v-0a0e912e]{margin-left:5px;font-weight:600;color:#fff;text-transform:capitalize;font-size:.8rem!important}.accountInformation .ma[data-v-0a0e912e]{font-weight:400!important;color:#fff;margin-left:10px;font-size:.9rem!important}.profitTop[data-v-0a0e912e]{width:100%;height:auto;display:flex;flex-wrap:wrap;justify-content:space-around;padding-top:40px}.profitTop .box[data-v-0a0e912e]{width:45%;height:80px;background:#fff;margin-top:10px;display:flex;flex-direction:column;align-items:left;justify-content:space-around;padding:8px;font-size:.9rem;border-radius:5px;box-shadow:0 0 3px 1px #ccc}.profitTop .accountBalance[data-v-0a0e912e]{width:95%;display:flex;justify-content:space-between;padding:15px 15px;background:#fff;margin:0 auto;margin-top:18px;border-radius:5px;box-shadow:0 0 3px 1px #ccc}.profitTop .accountBalance .box2[data-v-0a0e912e]{display:flex;flex-direction:column;align-items:left;font-size:.9rem}.profitTop .accountBalance .el-button[data-v-0a0e912e]{background:#661fff;color:#fff}.profitBtm2[data-v-0a0e912e]{width:95%;height:400px;margin:0 auto;margin-top:18px;border-radius:5px;box-shadow:0 0 3px 1px #ccc;padding:8px;font-size:.95rem;background:#fff}.profitBtm2 .right[data-v-0a0e912e]{width:100%;height:95%;background:#fff;transition:all .2s linear}.profitBtm2 .right .intervalBox[data-v-0a0e912e]{display:flex;align-items:center;justify-content:space-between;padding:5px 10px}.profitBtm2 .right .intervalBox .title[data-v-0a0e912e]{text-align:center;font-size:.95rem;color:rgba(0,0,0,.8)}.profitBtm2 .right .intervalBox .times[data-v-0a0e912e]{display:flex;align-items:center;justify-content:space-between;border-radius:20px;padding:1px 1px;border:1px solid #5721e4;cursor:pointer;font-size:.8rem;margin-top:5px}.profitBtm2 .right .intervalBox .times span[data-v-0a0e912e]{min-width:55px;text-align:center;border-radius:20px;margin:0}.profitBtm2 .right .intervalBox .timeActive[data-v-0a0e912e]{background:#7245e8;color:#fff}.barBox[data-v-0a0e912e]{width:95%;height:400px;margin:0 auto;margin-top:18px;border-radius:5px;box-shadow:0 0 3px 1px #ccc;font-size:.95rem;background:#fff}.barBox .lineBOX[data-v-0a0e912e]{width:100%;height:98%;padding:10px 20px;transition:all .2s linear}.barBox .lineBOX .intervalBox[data-v-0a0e912e]{font-size:.9rem}.barBox .lineBOX .intervalBox .title[data-v-0a0e912e]{text-align:left;font-size:.95rem;color:rgba(0,0,0,.8)}.barBox .lineBOX .intervalBox .timesBox[data-v-0a0e912e]{width:100%;text-align:right;display:flex;justify-content:right}.barBox .lineBOX .intervalBox .timesBox .times2[data-v-0a0e912e]{max-width:47%;display:flex;align-items:center;justify-content:space-between;border-radius:20px;padding:1px 1px;border:1px solid #5721e4;font-size:.8rem;margin-top:5px}.barBox .lineBOX .intervalBox .timesBox .times2 span[data-v-0a0e912e]{text-align:center;padding:0 15px;border-radius:20px;margin:0}.barBox .lineBOX .intervalBox .timeActive[data-v-0a0e912e]{background:#7245e8;color:#fff}.searchBox[data-v-0a0e912e]{width:92%;border:2px solid #641fff;height:30px;display:flex;align-items:center;justify-content:space-between;border-radius:25px;overflow:hidden;margin:0 auto;margin-top:25px}.searchBox .inout[data-v-0a0e912e]{border:none;outline:none;padding:0 10px;background:transparent}.searchBox i[data-v-0a0e912e]{width:15%;height:101%;background:#641fff;color:#fff;font-size:1.2em;line-height:25px;text-align:center}.top3Box[data-v-0a0e912e]{margin-top:8px!important;width:100%;display:flex;justify-content:center;flex-direction:column;align-items:center;padding:0 1%;padding-bottom:5%;font-size:.95rem}.top3Box .tabPageBox[data-v-0a0e912e]{width:98%!important;display:flex;justify-content:center;flex-direction:column;margin-bottom:10px}.top3Box .tabPageBox .activeHeadlines[data-v-0a0e912e]{background:#651efe!important;color:#fff}.top3Box .tabPageBox .tabPageTitle[data-v-0a0e912e]{width:100%!important;height:60px;display:flex;align-items:end;position:relative;padding:0!important;font-weight:600}.top3Box .tabPageBox .tabPageTitle .TitleS[data-v-0a0e912e]{position:relative;display:inline-block;filter:drop-shadow(0 -5px 10px rgba(0,0,0,.3));cursor:pointer;margin:0;background:transparent}.top3Box .tabPageBox .tabPageTitle .TitleS .trapezoid[data-v-0a0e912e]{display:inline-block;width:130px!important;height:40px;background:#f9bbd0;clip-path:polygon(22% 0,79% 0,94% 100%,10% 100%);display:flex;justify-content:center;align-items:center}.top3Box .tabPageBox .tabPageTitle .TitleS[data-v-0a0e912e]:hover{font-weight:700}.top3Box .tabPageBox .tabPageTitle .ces[data-v-0a0e912e]{width:10%;height:60px;position:absolute;left:50%;clip-path:polygon(22% 0,79% 0,94% 100%,10% 100%);filter:drop-shadow(20px 20px 10px 10px rgba(0,0,0,.6))!important}.top3Box .tabPageBox .tabPageTitle .minerTitle[data-v-0a0e912e]{z-index:99}.top3Box .tabPageBox .tabPageTitle .profitTitle[data-v-0a0e912e]{position:absolute;left:94px!important;z-index:98}.top3Box .tabPageBox .tabPageTitle .paymentTitle[data-v-0a0e912e]{position:absolute;left:188px!important;z-index:97}.top3Box .tabPageBox .page[data-v-0a0e912e]{width:100%;min-height:380px!important;box-shadow:5px 4px 8px 5px rgba(0,0,0,.1);z-index:999;margin-top:-3px;border-radius:20px;overflow:hidden;background:#fff;display:flex;flex-direction:column}.top3Box .tabPageBox .page .publicBox[data-v-0a0e912e]{min-height:300px!important}.top3Box .tabPageBox .page .minerPagination[data-v-0a0e912e]{margin:0 auto;margin-top:30px;margin-bottom:30px}.top3Box .tabPageBox .page .minerTitleBox[data-v-0a0e912e]{width:100%;height:40px;background:#efefef;padding:0!important}.top3Box .tabPageBox .page .minerTitleBox .TitleOnLine[data-v-0a0e912e]{width:100%!important;font-weight:600;display:flex;justify-content:left}.top3Box .tabPageBox .page .minerTitleBox .TitleOnLine span[data-v-0a0e912e]{display:inline-block;cursor:pointer;margin-left:18!important;padding:0!important;font-size:.9rem}.top3Box .tabPageBox .page .TitleAll[data-v-0a0e912e]{background:#d2c3ea;height:60px!important;display:flex;justify-content:left;align-items:center;padding:0!important;padding-left:5px!important}.top3Box .tabPageBox .page .TitleAll span[data-v-0a0e912e]:first-of-type{width:25%!important}.top3Box .tabPageBox .page .TitleAll span[data-v-0a0e912e]:nth-of-type(2){width:35%!important}.top3Box .tabPageBox .page .TitleAll span[data-v-0a0e912e]:nth-of-type(3){width:40%!important;padding-left:0!important}.top3Box .tabPageBox .page .TitleAll span[data-v-0a0e912e]{font-size:.9rem;text-align:left;padding-left:5px!important;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.top3Box .elTabs3[data-v-0a0e912e]{width:70%;position:relative}.top3Box .elTabs3 .searchBox[data-v-0a0e912e]{width:25%;position:absolute;right:0;top:-5px;z-index:99999;border:2px solid #641fff;height:30px;display:flex;align-items:center;justify-content:space-between;border-radius:25px;overflow:hidden}.top3Box .elTabs3 .searchBox .ipt[data-v-0a0e912e]{border:none;outline:none;padding:0 10px}.top3Box .elTabs3 .searchBox i[data-v-0a0e912e]{width:15%;height:101%;background:#641fff;color:#fff;font-size:1.2em;line-height:25px;text-align:center}.top3Box .elTabs3 .minerTabs[data-v-0a0e912e]{width:98%;margin-left:2%;margin-top:1%;min-height:600px}.top3Box .accordionTitle[data-v-0a0e912e]{width:100%;display:flex;justify-content:left;align-items:center;padding:0 20px}.top3Box .accordionTitle span[data-v-0a0e912e]{width:25%;text-align:left}.top3Box .accordionTitleAll[data-v-0a0e912e]{width:100%;display:flex;justify-content:left;align-items:center;padding:0!important;padding-left:5px!important}.top3Box .accordionTitleAll span[data-v-0a0e912e]:first-of-type{width:25%!important}.top3Box .accordionTitleAll span[data-v-0a0e912e]:nth-of-type(2){width:35%!important}.top3Box .accordionTitleAll span[data-v-0a0e912e]:nth-of-type(3){width:40%!important}.top3Box .accordionTitleAll span[data-v-0a0e912e]{font-size:.8rem;text-align:center;padding-left:5px!important;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.top3Box .Title[data-v-0a0e912e]{height:60px;background:#d2c3ea;border-radius:5px;display:flex;justify-content:left;align-items:center;padding:0 30px}.top3Box .Title span[data-v-0a0e912e]{width:24.5%;color:#433278;text-align:left}.top3Box .totalTitleAll[data-v-0a0e912e]{height:40px!important;display:flex;justify-content:left;align-items:center;padding:0!important;background:#efefef;padding-left:5px!important}.top3Box .totalTitleAll span[data-v-0a0e912e]:first-of-type{width:25%!important}.top3Box .totalTitleAll span[data-v-0a0e912e]:nth-of-type(2){width:35%!important}.top3Box .totalTitleAll span[data-v-0a0e912e]:nth-of-type(3){width:40%!important}.top3Box .totalTitleAll span[data-v-0a0e912e]{font-size:.8rem;text-align:center;padding-left:5px!important;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.top3Box .totalTitle[data-v-0a0e912e]{height:60px;display:flex;justify-content:left;align-items:center;padding:0 20px;background:#efefef}.top3Box .totalTitle span[data-v-0a0e912e]{width:24.25%;text-align:left}.top3Box .miningMachine[data-v-0a0e912e]{background:#fff;box-shadow:0 0 3px 1px #ccc;overflow:hidden;border-radius:5px}.top3Box .miningMachine .belowTable[data-v-0a0e912e]{border-radius:5px!important;width:100%!important;margin-bottom:20px!important}.top3Box .payment .belowTable[data-v-0a0e912e]{box-shadow:0 0 3px 1px #ccc}.top3Box .payment .belowTable .table-title[data-v-0a0e912e]{height:50px;display:flex;align-items:center;background:#d2c3ea;color:#433278;font-weight:600;width:100%;font-size:.8rem!important;overflow:hidden}.top3Box .payment .belowTable .table-title span[data-v-0a0e912e]{display:inline-block;text-align:left}.top3Box .payment .belowTable .table-title span[data-v-0a0e912e]:first-of-type{width:200px;padding-left:10px}.top3Box .payment .belowTable .table-title span[data-v-0a0e912e]:nth-of-type(2){width:300px;text-align:left}.top3Box .payment .belowTable .table-title span[data-v-0a0e912e]:nth-of-type(3){width:300px}.top3Box .payment .belowTable .el-collapse[data-v-0a0e912e]{width:100%;max-height:500px;overflow-y:auto;min-height:200px}.top3Box .payment .belowTable .paymentCollapseTitle[data-v-0a0e912e]{display:flex;justify-content:left;align-items:center;width:100%;overflow:hidden}.top3Box .payment .belowTable .paymentCollapseTitle span[data-v-0a0e912e]{display:inline-block;text-align:left}.top3Box .payment .belowTable .paymentCollapseTitle span[data-v-0a0e912e]:first-of-type{width:200px;padding-left:10px}.top3Box .payment .belowTable .paymentCollapseTitle span[data-v-0a0e912e]:nth-of-type(2){width:300px}.top3Box .payment .belowTable .paymentCollapseTitle span[data-v-0a0e912e]:nth-of-type(3){width:260px}.top3Box .payment .belowTable .dropDownContent[data-v-0a0e912e]{width:100%;padding:0 10px;word-wrap:break-word}.top3Box .payment .belowTable .dropDownContent div[data-v-0a0e912e]{margin-top:8px}.top3Box .payment .belowTable .copy[data-v-0a0e912e]{padding:0 5px;display:inline-block;cursor:pointer;border:1px solid #d1c2e9;border-radius:5px;margin-left:10px;font-size:.8rem}.el-collapse[data-v-0a0e912e]{max-height:500px!important;overflow-y:auto}.table-item[data-v-0a0e912e]{display:flex;height:59px;width:100%;align-items:center;justify-content:space-around;padding:8px}.table-item div[data-v-0a0e912e]{width:50%;display:flex;align-items:center;flex-direction:column;justify-content:space-around;height:100%}.table-item div p[data-v-0a0e912e]{text-align:left}.table-itemOn[data-v-0a0e912e]{display:flex;height:59px;width:100%;align-items:center;justify-content:left;padding:8px}.table-itemOn div[data-v-0a0e912e]{width:50%;display:flex;align-items:left;flex-direction:column;justify-content:space-around;height:100%}.table-itemOn div p[data-v-0a0e912e]{text-align:left}.chartTitle[data-v-0a0e912e]{padding-left:3%;font-weight:600;color:#7245e8;color:rgba(0,0,0,.6);font-size:.9rem!important}[data-v-0a0e912e] .el-collapse-item__header{height:45px!important}.belowTable[data-v-0a0e912e]{width:99%;display:flex;flex-direction:column;align-items:center;border-radius:10px;overflow:hidden;margin:0 auto;padding:0;margin-top:-1px;margin-bottom:50px}.belowTable ul[data-v-0a0e912e]{width:100%;min-height:200px;max-height:690px;padding:0;overflow:hidden;overflow-y:auto;margin:0;margin-bottom:50px}.belowTable ul .table-title[data-v-0a0e912e]{position:sticky;top:0;background:#d2c3ea;padding:0 5px!important;color:#433278;font-weight:600;height:50px!important}.belowTable ul li[data-v-0a0e912e]{width:100%;list-style:none;display:flex;justify-content:space-around;align-items:center;height:40px!important;background:#f8f8fa}.belowTable ul li span[data-v-0a0e912e]{width:33.3333333333%!important;font-size:.8rem!important;text-align:center;word-wrap:break-word;overflow-wrap:break-word;white-space:normal}.belowTable ul li[data-v-0a0e912e]:nth-child(2n){background-color:#fff;background:#f8f8fa}.belowTable ul .currency-list[data-v-0a0e912e]{background:#efefef;padding:0!important;background:#f8f8fa;margin-top:5px!important;border:1px solid #efefef;color:rgba(0,0,0,.9)}.belowTable ul .currency-list .txidBox[data-v-0a0e912e]{display:flex;justify-content:left;box-sizing:border-box}.belowTable ul .currency-list .txidBox span[data-v-0a0e912e]:first-of-type{width:50%;text-align:right;display:inline-block;box-sizing:border-box;margin-right:10px}.belowTable ul .currency-list .txid[data-v-0a0e912e]{border-left:2px solid rgba(0,0,0,.1);margin-left:5px}.belowTable ul .currency-list .txid[data-v-0a0e912e]:hover{cursor:pointer;color:#2889fc;font-weight:600}[data-v-0a0e912e] .el-pager li{min-width:19px}[data-v-0a0e912e] .el-pagination .el-select .el-input{margin:0}[data-v-0a0e912e] .el-pagination .btn-next{padding:0!important;min-width:auto}}.activeState[data-v-0a0e912e]{color:red!important}.sort[data-v-0a0e912e]{font-size:.95rem;cursor:pointer;color:#1e52e8}.sort[data-v-0a0e912e]:hover{color:#433299}.boxTitle[data-title][data-v-0a0e912e]{position:relative;display:inline-block}.boxTitle[data-title][data-v-0a0e912e]:hover:after{opacity:1;transition:all .1s ease .5s;visibility:visible}.boxTitle[data-title][data-v-0a0e912e]:after{min-width:180px;max-width:300px;content:attr(data-title);position:absolute;padding:5px 10px;right:28px;border-radius:4px;color:hsla(0,0%,100%,.8);background-color:rgba(80,79,79,.8);box-shadow:0 0 4px rgba(0,0,0,.16);font-size:.8rem;visibility:hidden;opacity:0;text-align:center;z-index:999}[data-v-0a0e912e] .el-collapse-item__header{background:transparent;height:60px}.item-even[data-v-0a0e912e]{background-color:#fff}.item-odd[data-v-0a0e912e]{background-color:#efefef}.miningAccount[data-v-0a0e912e]{width:100%;margin:0 auto;display:flex;flex-direction:column;justify-content:center;align-items:center;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 30%;background-repeat:no-repeat;background-position:0 -8%;padding-top:60px}.accountInformation[data-v-0a0e912e]{width:100%;height:30px;background:rgba(0,0,0,.5);position:fixed;top:8%;left:0;display:flex;align-items:center;padding:1% 5%;z-index:2001}.accountInformation img[data-v-0a0e912e]{width:23px}.accountInformation i[data-v-0a0e912e]{color:#fff;font-size:1.5em;margin-left:10px}.accountInformation .coin[data-v-0a0e912e]{margin-left:5px;font-weight:600;color:#fff;text-transform:capitalize}.accountInformation .ma[data-v-0a0e912e]{font-weight:600;color:#fff;margin-left:10px}.DropDownChart[data-v-0a0e912e]{width:100%;height:500px}.circularDots2[data-v-0a0e912e],.circularDots3.circularDots3[data-v-0a0e912e]{width:11px!important;height:11px!important;border-radius:50%;display:inline-block;border:2px solid #ccc}.circularDots3.circularDots3[data-v-0a0e912e]{margin:0;padding:0!important}.activeCircular[data-v-0a0e912e]{width:11px!important;height:11px!important;border-radius:50%;border:none!important;background:radial-gradient(circle at center,#ebace3,#9754f1)}.chartTitle[data-v-0a0e912e]{padding-left:3%;font-size:1.3em;font-weight:600;color:#7245e8;color:rgba(0,0,0,.6)}.circularDots[data-v-0a0e912e]{display:inline-block;width:10px;height:10px;border-radius:50%;background:radial-gradient(circle at center,#ebace3,#9754f1)}.circularDotsOnLine[data-v-0a0e912e]{display:inline-block;width:8px;background:#17cac7;height:8px;border-radius:50%}.circularDotsOffLine[data-v-0a0e912e]{display:inline-block;width:8px;background:#ff6565;height:8px;border-radius:50%}.profitBox[data-v-0a0e912e]{width:70%;min-height:650px;padding:20px 1%}.profitBox .paymentSettingBth[data-v-0a0e912e]{width:100%;text-align:right;margin-top:18px}.profitBox .paymentSettingBth .el-button[data-v-0a0e912e]{background:#7245e8;color:#fff;padding:13px 40px;border-radius:8px}.profitBox .profitTop[data-v-0a0e912e]{display:flex;min-height:20%;align-items:center;justify-content:space-between;margin:0 auto;font-size:.95rem}.profitBox .profitTop .box[data-v-0a0e912e]{width:230px;height:100px;background:#fff;box-shadow:0 0 10px 1px #ccc;border-radius:3%;transition:all .2s linear;padding:0;margin-left:8px}.profitBox .profitTop .box .paymentSettings[data-v-0a0e912e]{display:flex}.profitBox .profitTop .box .paymentSettings span[data-v-0a0e912e]{width:45%;background:#661fff;color:#fff;border-radius:5px;cursor:pointer;text-align:center;padding:0;display:inline-block;line-height:25px}.profitBox .profitTop .box .paymentSettings span[data-v-0a0e912e]:hover{background:#7a50e7;color:#fff}.profitBox .profitTop .box span[data-v-0a0e912e]{display:inline-block;width:100%;height:50%;display:flex;align-items:center;padding:0 20px}.profitBox .profitTop .box span span[data-v-0a0e912e]{width:8%}.profitBox .profitTop .box span img[data-v-0a0e912e]{width:18px;margin-left:5px}.profitBox .profitTop .box .text[data-v-0a0e912e]{justify-content:right;font-weight:600}.profitBox .profitTop .box[data-v-0a0e912e]:hover{box-shadow:10px 5px 10px 3px #e4dbf3}.profitBox .profitBtm[data-v-0a0e912e]{height:600px;width:100%;display:flex;align-items:center;justify-content:space-between}.profitBox .profitBtm .left[data-v-0a0e912e]{width:23%;height:90%;background:#fff;box-shadow:0 0 5px 2px #ccc;border-radius:3%;display:flex;flex-direction:column}.profitBox .profitBtm .left .box[data-v-0a0e912e]{width:100%;height:80%;background:#fff;border-radius:3%}.profitBox .profitBtm .left .box span[data-v-0a0e912e]{display:inline-block;width:100%;height:50%;display:flex;align-items:center;padding:0 25px}.profitBox .profitBtm .left .box .text[data-v-0a0e912e]{justify-content:right;font-weight:600}.profitBox .profitBtm .left .bth[data-v-0a0e912e]{width:100%;text-align:center}.profitBox .profitBtm .left .bth .el-button[data-v-0a0e912e]{width:60%;background:#661fff;color:#fff}.profitBox .profitBtm .right[data-v-0a0e912e]{width:100%;height:90%;background:#fff;box-shadow:0 0 10px 3px #ccc;border-radius:15px;padding:10px 10px;transition:all .2s linear}.profitBox .profitBtm .right .intervalBox[data-v-0a0e912e]{display:flex;align-items:center;justify-content:space-between;padding:10px 20px;font-size:.9rem}.profitBox .profitBtm .right .intervalBox .title[data-v-0a0e912e]{text-align:center;font-size:1.1em}.profitBox .profitBtm .right .intervalBox .times[data-v-0a0e912e]{display:flex;align-items:center;justify-content:space-between;border-radius:20px;padding:1px 1px;border:1px solid #5721e4;cursor:pointer}.profitBox .profitBtm .right .intervalBox .times span[data-v-0a0e912e]{min-width:55px;text-align:center;border-radius:20px;margin:0}.profitBox .profitBtm .right .intervalBox .timeActive[data-v-0a0e912e]{background:#7245e8;color:#fff}.profitBox .profitBtm .right[data-v-0a0e912e]:hover{box-shadow:0 0 20px 3px #e4dbf3}.top1Box[data-v-0a0e912e]{width:90%;height:400px;background-image:linear-gradient(90deg,#1e52e8 0,#1e52e8 80%,#0bb7bf);border-radius:10px;color:#fff;font-size:1.3em;display:flex;flex-direction:column}.top1Box .top1BoxOne[data-v-0a0e912e]{height:12%;background:rgba(0,0,0,.3);border-radius:28px 1px 100px 1px;width:800px;padding:5px 20px;line-height:40px}.top1Box .top1BoxTwo[data-v-0a0e912e]{flex:1;width:100%;display:flex;flex-wrap:wrap;justify-content:left;align-items:center;padding:0 100px}.top1Box .top1BoxTwo div[data-v-0a0e912e]{display:flex;flex-direction:column}.top1Box .top1BoxTwo div .income[data-v-0a0e912e]{margin-top:20px;font-size:1.5em}.top1Box .top1BoxTwo .content[data-v-0a0e912e]{position:relative;padding:0 50px;width:25%}.top1Box .top1BoxTwo .iconLine[data-v-0a0e912e]{width:1px;background:hsla(0,0%,100%,.6);height:50%;position:absolute;right:0;top:25%}.top1Box .top1BoxThree[data-v-0a0e912e]{height:13%;background:rgba(0,0,0,.4);display:flex;justify-content:center;align-items:center}.top1Box .top1BoxThree .onlineSituation[data-v-0a0e912e]{width:50%;display:flex;justify-content:center;align-items:center;font-size:.8em}.top1Box .top1BoxThree .onlineSituation div[data-v-0a0e912e]{width:33.3333333333%;text-align:center}.top1Box .top1BoxThree .onlineSituation .whole[data-v-0a0e912e]{color:#fff}.top1Box .top1BoxThree .onlineSituation .onLine[data-v-0a0e912e]{color:#04c904}.top1Box .top1BoxThree .onlineSituation .off-line[data-v-0a0e912e]{color:#ef6565}.top2Box[data-v-0a0e912e]{margin-top:1%;width:70%;height:500px;display:flex;justify-content:center;margin-bottom:2%;padding:0 1%}.top2Box .lineBOX[data-v-0a0e912e]{width:100%;padding:10px 20px;border-radius:15px;box-shadow:0 0 10px 3px #ccc;transition:all .2s linear;background:#fff}.top2Box .lineBOX .intervalBox[data-v-0a0e912e]{display:flex;align-items:center;justify-content:space-between;padding:10px 20px;font-size:.9rem}.top2Box .lineBOX .intervalBox .title[data-v-0a0e912e]{text-align:center;font-size:1.1em}.top2Box .lineBOX .intervalBox .times[data-v-0a0e912e]{display:flex;align-items:center;justify-content:space-between;border-radius:20px;padding:1px 1px;border:1px solid #5721e4}.top2Box .lineBOX .intervalBox .times span[data-v-0a0e912e]{text-align:center;padding:0 15px;border-radius:20px;margin:0}.top2Box .lineBOX .intervalBox .timeActive[data-v-0a0e912e]{background:#7245e8;color:#fff}.top2Box .lineBOX[data-v-0a0e912e]:hover{box-shadow:0 0 20px 3px #e4dbf3}.top2Box .elTabs[data-v-0a0e912e]{width:100%;font-size:1em}.top2Box .intervalBox[data-v-0a0e912e]{display:flex;width:100%;justify-content:right}.top2Box .intervalBox span[data-v-0a0e912e]{margin-left:1%;cursor:pointer}.top2Box .intervalBox span[data-v-0a0e912e]:hover{color:#7245e8}.top3Box[data-v-0a0e912e]{margin-top:1%;width:100%;display:flex;justify-content:center;flex-direction:column;align-items:center;padding:0 1%;padding-bottom:5%;font-size:.95rem}.top3Box .tabPageBox[data-v-0a0e912e]{width:70%;display:flex;justify-content:center;flex-direction:column;margin-bottom:10px}.top3Box .tabPageBox .activeHeadlines[data-v-0a0e912e]{background:#651efe!important;color:#fff}.top3Box .tabPageBox .tabPageTitle[data-v-0a0e912e]{width:70%;height:60px;display:flex;align-items:end;position:relative;padding:0;padding-left:1%;font-weight:600}.top3Box .tabPageBox .tabPageTitle .TitleS[data-v-0a0e912e]{position:relative;display:inline-block;filter:drop-shadow(0 -5px 10px rgba(0,0,0,.3));cursor:pointer;margin:0;background:transparent}.top3Box .tabPageBox .tabPageTitle .TitleS .trapezoid[data-v-0a0e912e]{display:inline-block;width:150px;height:40px;background:#f9bbd0;clip-path:polygon(22% 0,79% 0,94% 100%,10% 100%);display:flex;justify-content:center;align-items:center}.top3Box .tabPageBox .tabPageTitle .TitleS[data-v-0a0e912e]:hover{font-weight:700}.top3Box .tabPageBox .tabPageTitle .ces[data-v-0a0e912e]{width:10%;height:60px;position:absolute;left:50%;clip-path:polygon(22% 0,79% 0,94% 100%,10% 100%);filter:drop-shadow(20px 20px 10px 10px rgba(0,0,0,.6))!important}.top3Box .tabPageBox .tabPageTitle .minerTitle[data-v-0a0e912e]{z-index:99}.top3Box .tabPageBox .tabPageTitle .profitTitle[data-v-0a0e912e]{position:absolute;left:120px;z-index:98}.top3Box .tabPageBox .tabPageTitle .paymentTitle[data-v-0a0e912e]{position:absolute;left:230px;z-index:97}.top3Box .tabPageBox .page[data-v-0a0e912e]{width:100%;min-height:730px;box-shadow:5px 4px 8px 5px rgba(0,0,0,.1);z-index:999;margin-top:-3px;border-radius:20px;overflow:hidden;background:#fff;display:flex;flex-direction:column}.top3Box .tabPageBox .page .publicBox[data-v-0a0e912e]{min-height:600px}.top3Box .tabPageBox .page .minerPagination[data-v-0a0e912e]{margin:0 auto;margin-top:30px;margin-bottom:30px}.top3Box .tabPageBox .page .minerTitleBox[data-v-0a0e912e]{width:100%;height:40px;background:#efefef;padding:0 30px;display:flex;align-items:center;justify-content:space-between}.top3Box .tabPageBox .page .minerTitleBox .TitleOnLine[data-v-0a0e912e]{width:60%;font-weight:600}.top3Box .tabPageBox .page .minerTitleBox .TitleOnLine span[data-v-0a0e912e]{display:inline-block;cursor:pointer;margin-left:20px;padding:0 5px;font-size:.9rem}.top3Box .tabPageBox .page .minerTitleBox .searchBox[data-v-0a0e912e]{width:260px;border:2px solid #641fff;height:30px;display:flex;align-items:center;justify-content:space-between;border-radius:25px;overflow:hidden;margin:0;margin-right:10px}.top3Box .tabPageBox .page .minerTitleBox .searchBox .inout[data-v-0a0e912e]{border:none;outline:none;padding:0 10px;background:transparent}.top3Box .tabPageBox .page .minerTitleBox .searchBox i[data-v-0a0e912e]{width:35px;height:29px;background:#641fff;color:#fff;font-size:1.2em;line-height:29px;text-align:center}.top3Box .elTabs3[data-v-0a0e912e]{width:70%;position:relative}.top3Box .elTabs3 .searchBox[data-v-0a0e912e]{width:25%;position:absolute;right:0;top:-5px;z-index:99999;border:2px solid #641fff;height:30px;display:flex;align-items:center;justify-content:space-between;border-radius:25px;overflow:hidden}.top3Box .elTabs3 .searchBox .ipt[data-v-0a0e912e]{border:none;outline:none;padding:0 10px}.top3Box .elTabs3 .searchBox i[data-v-0a0e912e]{width:15%;height:101%;background:#641fff;color:#fff;font-size:1.2em;line-height:25px;text-align:center}.top3Box .elTabs3 .minerTabs[data-v-0a0e912e]{width:98%;margin-left:2%;margin-top:1%;min-height:600px}.top3Box .accordionTitle[data-v-0a0e912e]{width:100%;display:flex;justify-content:left;align-items:center;padding:0 20px}.top3Box .accordionTitle span[data-v-0a0e912e]{width:25%;text-align:left}.top3Box .accordionTitleAll[data-v-0a0e912e]{width:100%;display:flex;justify-content:left;align-items:center;padding:0 20px}.top3Box .accordionTitleAll span[data-v-0a0e912e]{width:24%;text-align:left;padding-left:1.5%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.top3Box .Title[data-v-0a0e912e]{height:60px;background:#d2c3ea;border-radius:5px;display:flex;justify-content:left;align-items:center;padding:0 30px}.top3Box .Title span[data-v-0a0e912e]{width:24.5%;color:#433278;text-align:left}.top3Box .TitleAll[data-v-0a0e912e]{height:60px;background:#d2c3ea;border-radius:5px;display:flex;justify-content:left;align-items:center;padding:0 35px}.top3Box .TitleAll span[data-v-0a0e912e]{width:20%;color:#433278;text-align:left}.top3Box .totalTitleAll[data-v-0a0e912e]{height:60px;display:flex;justify-content:left;align-items:center;padding:0 35px;background:#efefef}.top3Box .totalTitleAll span[data-v-0a0e912e]{width:20%;text-align:left}.top3Box .totalTitle[data-v-0a0e912e]{height:60px;display:flex;justify-content:left;align-items:center;padding:0 20px;background:#efefef}.top3Box .totalTitle span[data-v-0a0e912e]{width:24.25%;text-align:left}.belowTable[data-v-0a0e912e]{width:99%;display:flex;flex-direction:column;align-items:center;border-radius:10px;overflow:hidden;margin:0 auto;padding:0;margin-top:-1px;margin-bottom:50px}.belowTable ul[data-v-0a0e912e]{width:100%;min-height:200px;max-height:690px;padding:0;overflow:hidden;overflow-y:auto;margin:0;margin-bottom:50px}.belowTable ul .table-title[data-v-0a0e912e]{position:sticky;top:0;background:#d2c3ea;padding:0 10px;color:#433278;font-weight:600;font-size:.95rem}.belowTable ul li[data-v-0a0e912e]{width:100%;list-style:none;display:flex;justify-content:space-around;align-items:center;height:60px;background:#f8f8fa}.belowTable ul li span[data-v-0a0e912e]{width:25%;font-size:.95rem;text-align:center;word-wrap:break-word;overflow-wrap:break-word;white-space:normal}.belowTable ul li span[data-v-0a0e912e]:nth-of-type(4){width:28%}.belowTable ul li[data-v-0a0e912e]:nth-child(2n){background-color:#fff;background:#f8f8fa}.belowTable ul .currency-list[data-v-0a0e912e]{background:#efefef;padding:10px 10px;background:#f8f8fa;margin-top:10px;border:1px solid #efefef;color:rgba(0,0,0,.9)}.belowTable ul .currency-list .txidBox[data-v-0a0e912e]{display:flex;justify-content:left;box-sizing:border-box}.belowTable ul .currency-list .txidBox span[data-v-0a0e912e]:first-of-type{width:50%;text-align:right;display:inline-block;box-sizing:border-box;margin-right:10px}.belowTable ul .currency-list .txid[data-v-0a0e912e]{border-left:2px solid rgba(0,0,0,.1);margin-left:5px}.belowTable ul .currency-list .txid[data-v-0a0e912e]:hover{cursor:pointer;color:#2889fc;font-weight:600}.currency-list2.currency-list2.currency-list2[data-v-0a0e912e]{background:#efefef;padding:10px 10px}.el-input-group__append button.el-button[data-v-0a0e912e],.el-input-group__append div.el-select .el-input__inner[data-v-0a0e912e],.el-input-group__append div.el-select:hover .el-input__inner[data-v-0a0e912e],.el-input-group__prepend button.el-button[data-v-0a0e912e],.el-input-group__prepend div.el-select .el-input__inner[data-v-0a0e912e],.el-input-group__prepend div.el-select:hover .el-input__inner[data-v-0a0e912e]{background:#631ffc;color:#fff}.offlineTime[data-v-0a0e912e]{display:flex;flex-direction:column;justify-content:center}.offlineTime span[data-v-0a0e912e]{width:100%!important;display:inline-block;line-height:15px!important}.loginPage[data-v-5cb22054]{width:100%;height:100%;background-color:#fff;display:flex;justify-content:center;align-items:center;padding:100px 0;background-image:url(/img/logBg.3050d0aa.png);background-size:cover;background-repeat:no-repeat}.loginPage .loginModular[data-v-5cb22054]{width:50%;height:85%;display:flex;border-radius:10px;overflow:hidden;box-shadow:0 0 20px 18px #d6d2ea}.loginPage .leftBox[data-v-5cb22054]{width:47%;height:100%;background-image:linear-gradient(150deg,#18b7e6 -20%,#651fff 60%);position:relative}.loginPage .leftBox .logo[data-v-5cb22054]{position:absolute;left:30px;top:18px;width:22%}.loginPage .leftBox img[data-v-5cb22054]{width:100%;position:absolute;right:-16%;bottom:0;z-index:99}.el-form[data-v-5cb22054]{width:90%;padding:0 20px 50px 20px}.el-form-item[data-v-5cb22054]{width:100%}.loginBox[data-v-5cb22054]{width:53%;height:100%;display:flex;justify-content:center;align-items:center;border-radius:10px;flex-direction:column;overflow:hidden;background:#fff;position:relative;padding:0 35px}.loginBox .demo-ruleForm[data-v-5cb22054]{height:100%;padding-top:5%}.loginBox img[data-v-5cb22054]{width:18%;position:absolute;top:20px;left:30px;cursor:pointer}.loginBox .closeBox[data-v-5cb22054]{position:absolute;top:18px;right:30px;cursor:pointer}.loginBox .closeBox .close[data-v-5cb22054]{font-size:1.3em}.loginBox .closeBox[data-v-5cb22054]:hover{color:#661fff}.loginTitle[data-v-5cb22054]{font-size:20px;font-weight:600;margin-bottom:30px;text-align:center}.loginColor[data-v-5cb22054]{width:100%;height:15px;background:#661fff}.langBox[data-v-5cb22054]{display:flex;justify-content:space-between;align-content:center}.registerBox[data-v-5cb22054]{display:flex;justify-content:start;margin:0;font-size:12px;height:20px}.registerBox span[data-v-5cb22054]{padding:5px 0;display:inline-block;height:100%;z-index:99}.registerBox span[data-v-5cb22054]:hover{color:#661fff}.registerBox .noAccount[data-v-5cb22054]:hover{color:#000}.registerBox .forget[data-v-5cb22054]{margin-left:8px;cursor:pointer}.forget[data-v-5cb22054]{margin-left:10px}.forgotPassword[data-v-5cb22054]{display:inline-block;width:20%}.verificationCode[data-v-5cb22054]{display:flex}.verificationCode .codeBtn[data-v-5cb22054]{font-size:13px;margin-left:2px}@media screen and (min-width:220px)and (max-width:1279px){.mobileMain[data-v-5cb22054]{width:100vw;min-height:100vh;background:#fff;background-image:url(/img/bgtop.d1ac5a03.svg);background-repeat:no-repeat;background-size:115%;background-position:49% 47%}.headerBox[data-v-5cb22054]{width:100%;height:60px;display:flex;align-items:center;justify-content:space-between;padding:0 20px;box-shadow:0 0 2px 1px #ccc}.headerBox img[data-v-5cb22054]{width:30px}.headerBox .title[data-v-5cb22054]{font-weight:600}.imgTop[data-v-5cb22054]{width:100%;display:flex;justify-content:center;margin-top:2%}.imgTop img[data-v-5cb22054]{height:159px}.formInput[data-v-5cb22054]{width:100%;display:flex;justify-content:center}.footer[data-v-5cb22054]{width:100%;height:100px;background:#651fff}}.wscn-http404-container[data-v-a5129446]{display:flex;justify-content:center;align-items:center;height:100vh;width:100vw}.wscn-http404[data-v-a5129446]{position:relative;width:1200PX;padding:0 50PX;overflow:hidden}.wscn-http404 .pic-404[data-v-a5129446]{position:relative;float:left;width:600PX;overflow:hidden}.wscn-http404 .pic-404__parent[data-v-a5129446]{width:100%}.wscn-http404 .pic-404__child[data-v-a5129446]{position:absolute}.wscn-http404 .pic-404__child.left[data-v-a5129446]{width:80PX;top:17PX;left:220PX;opacity:0;animation-name:cloudLeft-a5129446;animation-duration:2s;animation-timing-function:linear;animation-fill-mode:forwards;animation-delay:1s}.wscn-http404 .pic-404__child.mid[data-v-a5129446]{width:46PX;top:10PX;left:420PX;opacity:0;animation-name:cloudMid-a5129446;animation-duration:2s;animation-timing-function:linear;animation-fill-mode:forwards;animation-delay:1.2s}.wscn-http404 .pic-404__child.right[data-v-a5129446]{width:62PX;top:100PX;left:500PX;opacity:0;animation-name:cloudRight-a5129446;animation-duration:2s;animation-timing-function:linear;animation-fill-mode:forwards;animation-delay:1s}@keyframes cloudLeft-a5129446{0%{top:17PX;left:220PX;opacity:0}20%{top:33PX;left:188PX;opacity:1}80%{top:81PX;left:92PX;opacity:1}to{top:97PX;left:60PX;opacity:0}}@keyframes cloudMid-a5129446{0%{top:10PX;left:420PX;opacity:0}20%{top:40PX;left:360PX;opacity:1}70%{top:130PX;left:180PX;opacity:1}to{top:160PX;left:120PX;opacity:0}}@keyframes cloudRight-a5129446{0%{top:100PX;left:500PX;opacity:0}20%{top:120PX;left:460PX;opacity:1}80%{top:180PX;left:340PX;opacity:1}to{top:200PX;left:300PX;opacity:0}}.wscn-http404 .bullshit[data-v-a5129446]{position:relative;float:left;width:300PX;padding:30PX 0;overflow:hidden}.wscn-http404 .bullshit__oops[data-v-a5129446]{font-size:32PX;font-weight:700;line-height:40PX;color:#1482f0;opacity:0;margin-bottom:20PX;animation-name:slideUp-a5129446;animation-duration:.5s;animation-fill-mode:forwards}.wscn-http404 .bullshit__headline[data-v-a5129446]{font-size:20PX;line-height:24PX;color:#222;font-weight:700;opacity:0;margin-bottom:10PX;animation-name:slideUp-a5129446;animation-duration:.5s;animation-delay:.1s;animation-fill-mode:forwards}.wscn-http404 .bullshit__info[data-v-a5129446]{font-size:13PX;line-height:21PX;color:gray;opacity:0;margin-bottom:30PX;animation-name:slideUp-a5129446;animation-duration:.5s;animation-delay:.2s;animation-fill-mode:forwards}.wscn-http404 .bullshit__return-home[data-v-a5129446]{display:block;float:left;width:110PX;height:36PX;background:#1482f0;border-radius:100PX;text-align:center;color:#fff;opacity:0;font-size:14PX;line-height:36PX;cursor:pointer;animation-name:slideUp-a5129446;animation-duration:.5s;animation-delay:.3s;animation-fill-mode:forwards}@keyframes slideUp-a5129446{0%{transform:translateY(60PX);opacity:0}to{transform:translateY(0);opacity:1}} \ No newline at end of file diff --git a/mining-pool/test/css/app-72600b29.83c22f01.css.gz b/mining-pool/test/css/app-72600b29.83c22f01.css.gz new file mode 100644 index 0000000..7390295 Binary files /dev/null and b/mining-pool/test/css/app-72600b29.83c22f01.css.gz differ diff --git a/mining-pool/test/css/app-b4c4f6ec.c96edfc1.css b/mining-pool/test/css/app-b4c4f6ec.c96edfc1.css new file mode 100644 index 0000000..0384b4a --- /dev/null +++ b/mining-pool/test/css/app-b4c4f6ec.c96edfc1.css @@ -0,0 +1 @@ +@media screen and (min-width:220px)and (max-width:1279px){.rate[data-v-7b2f7ae5]{min-height:360px!important;background:transparent!important;padding-top:20PX!important}.rateMobile[data-v-7b2f7ae5]{padding:10px}h4[data-v-7b2f7ae5]{color:rgba(0,0,0,.8);padding-left:5%;font-size:18px}.tableBox[data-v-7b2f7ae5]{margin:0 auto;width:98%;min-height:300px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px}.tableBox .table-title[data-v-7b2f7ae5]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important}.tableBox .table-title span[data-v-7b2f7ae5]{text-align:center}.tableBox .table-title span[data-v-7b2f7ae5]:first-of-type{width:30%!important}.tableBox .table-title span[data-v-7b2f7ae5]:nth-of-type(2){width:70%!important}.tableBox .collapseTitle[data-v-7b2f7ae5]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important;font-size:.95rem!important}.tableBox .collapseTitle span[data-v-7b2f7ae5]{text-align:center}.tableBox .collapseTitle span[data-v-7b2f7ae5]:first-of-type{width:40%!important;display:flex;align-items:center;justify-content:left;padding-left:4%}.tableBox .collapseTitle span:first-of-type img[data-v-7b2f7ae5]{width:20px;margin-right:5px}.tableBox .collapseTitle span[data-v-7b2f7ae5]:nth-of-type(2){width:60%!important}.tableBox[data-v-7b2f7ae5] .el-collapse-item__wrap{background:#f0e9f5}.tableBox .belowTable[data-v-7b2f7ae5]{margin-top:8px}.tableBox .belowTable div[data-v-7b2f7ae5]{min-width:50%;height:auto;text-align:left;padding-left:8%;font-size:.85rem!important}.tableBox .belowTable div p[data-v-7b2f7ae5]:first-of-type{font-weight:600}.tableBox .paginationBox[data-v-7b2f7ae5]{text-align:center}}.rate[data-v-7b2f7ae5]{width:100%;min-height:600PX;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:60PX;font-size:.9rem}.rateBox[data-v-7b2f7ae5]{width:80%;margin:0 auto;min-height:700PX;display:flex;justify-content:center;border-radius:8PX;overflow:hidden;padding:20PX;transition:.3S linear}.rateBox .leftMenu[data-v-7b2f7ae5]{width:18%;text-align:center;margin-right:2%;padding-top:50PX;box-sizing:border-box;box-shadow:0 0 5px 2px #ccc;border-radius:8px;overflow:hidden;padding:10px}.rateBox .leftMenu ul[data-v-7b2f7ae5]{display:flex;justify-content:center;padding:0;margin:0}.rateBox .leftMenu ul li[data-v-7b2f7ae5]{list-style:none;min-height:40PX;display:flex;align-items:center;justify-content:center;margin-top:10PX;border-radius:5PX;background:rgba(210,195,234,.3);width:90%;padding:8px 8px;font-size:.9rem;text-align:left}.rateBox .rightText[data-v-7b2f7ae5]{box-sizing:border-box;width:90%;box-shadow:0 0 5px 2px #ccc;border-radius:8px;overflow:hidden;padding:10px;text-align:center;padding-top:30px}.rateBox .rightText h2[data-v-7b2f7ae5]{text-align:left;padding-left:50px;margin-bottom:20px}.rateBox .rightText .table[data-v-7b2f7ae5]{width:100%;text-align:center;display:flex;align-items:center;justify-content:center;flex-direction:column}.rateBox .rightText .tableTitle[data-v-7b2f7ae5]{width:90%;display:flex;align-items:center;height:60PX;background:#d2c3ea;border-radius:5px 5px 0 0}.rateBox .rightText .tableTitle span[data-v-7b2f7ae5]{display:inline-block;width:20%;text-align:left;padding-left:2%}.rateBox .rightText .tableTitle .coin[data-v-7b2f7ae5]{width:18%;padding-left:2%}.rateBox .rightText .tableTitle .describe[data-v-7b2f7ae5]{width:35%}.rateBox .rightText ul[data-v-7b2f7ae5]{width:90%;padding:0;margin:0;display:flex;justify-content:center;flex-direction:column}.rateBox .rightText ul li[data-v-7b2f7ae5]{width:100%;list-style:none;display:flex;align-items:center;min-height:50PX;background:#f8f8fa;margin-top:8PX;font-size:.85rem;max-height:200px;overflow:hidden}.rateBox .rightText ul li span[data-v-7b2f7ae5]{display:inline-block;width:20%;text-align:left;padding-left:2%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.rateBox .rightText ul li .coin[data-v-7b2f7ae5]{width:18%;display:flex;justify-content:left;align-items:center;padding-left:2%;text-transform:uppercase}.rateBox .rightText ul li .coin img[data-v-7b2f7ae5]{width:22px;margin-right:5px}.rateBox .rightText ul li .describe[data-v-7b2f7ae5]{width:35%;text-align:left;padding-right:8px;font-size:.8rem;word-wrap:break-word;word-break:break-word;white-space:pre-wrap;overflow-wrap:break-word}@media screen and (min-width:220px)and (max-width:1279px){.rate[data-v-456e1b62]{background:transparent!important;min-height:360px}.rateMobile[data-v-456e1b62]{padding:10px}.ExampleTable[data-v-456e1b62],.MiningPool[data-v-456e1b62],.content[data-v-456e1b62],.text-container[data-v-456e1b62]{margin-top:18px;font-size:.9rem}.ExampleTable p[data-v-456e1b62],.MiningPool p[data-v-456e1b62],.content p[data-v-456e1b62],.text-container p[data-v-456e1b62]{font-size:.9rem;margin-top:5px}.ExampleTable div[data-v-456e1b62],.ExampleTable li[data-v-456e1b62],.ExampleTable span[data-v-456e1b62],.MiningPool div[data-v-456e1b62],.MiningPool li[data-v-456e1b62],.MiningPool span[data-v-456e1b62],.content div[data-v-456e1b62],.content li[data-v-456e1b62],.content span[data-v-456e1b62],.text-container div[data-v-456e1b62],.text-container li[data-v-456e1b62],.text-container span[data-v-456e1b62]{font-size:.9rem}.ExampleTable table[data-v-456e1b62],.MiningPool table[data-v-456e1b62],.content table[data-v-456e1b62],.text-container table[data-v-456e1b62]{border-collapse:collapse;margin-top:8px}.ExampleTable table[data-v-456e1b62],.ExampleTable td[data-v-456e1b62],.ExampleTable th[data-v-456e1b62],.MiningPool table[data-v-456e1b62],.MiningPool td[data-v-456e1b62],.MiningPool th[data-v-456e1b62],.content table[data-v-456e1b62],.content td[data-v-456e1b62],.content th[data-v-456e1b62],.text-container table[data-v-456e1b62],.text-container td[data-v-456e1b62],.text-container th[data-v-456e1b62]{border:1px solid gray;font-size:.9rem;padding:5px}.active[data-v-456e1b62]{font-weight:600;background:#f2ecf6;cursor:pointer;text-decoration:underline}}.rate[data-v-456e1b62]{width:100%;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:20px}a[data-v-456e1b62]{transition:all .3s}.rateBox[data-v-456e1b62]{width:75%;height:830px;margin:0 auto;display:flex;justify-content:center;border-radius:8px;overflow:hidden;padding:20px;transition:.3s linear}.rateBox .leftMenu[data-v-456e1b62]{min-width:240px;text-align:center;margin-right:2%;padding-top:50px;border-radius:10px;background:#fff;box-shadow:0 0 8px 2px #ccc}.rateBox .leftMenu ul[data-v-456e1b62]{display:flex;justify-content:center;padding:0;margin:0}.rateBox .leftMenu ul li[data-v-456e1b62]{list-style:none;min-height:40px;display:flex;align-items:center;justify-content:center;width:90%;margin-top:10px;border-radius:5px;background:rgba(210,195,234,.3);color:#000;cursor:pointer}.rateBox .leftMenu ul li .file[data-v-456e1b62]{margin-right:5px}.rateBox .rightText[data-v-456e1b62]{flex:1;background:#fff;padding:50px;box-shadow:0 0 8px 2px #ccc;height:100%;overflow-y:auto}.rateBox .rightText .Interface[data-v-456e1b62]{height:50px;line-height:50px;background:#f7f7f7;padding-left:10px}.rateBox .rightText .tableTitle[data-v-456e1b62]{width:90%;display:flex;align-items:center;height:60px;background:#d2c3ea}.rateBox .rightText .tableTitle span[data-v-456e1b62]{display:inline-block;width:20%;text-align:center}.rateBox .rightText .content[data-v-456e1b62]{margin-top:30px}.rateBox .rightText .content h3[data-v-456e1b62]{margin-bottom:20px}.rateBox .rightText .content p[data-v-456e1b62]{line-height:30px;font-size:.95rem}.rateBox .rightText .content ul[data-v-456e1b62]{padding:20px;padding-left:20px;background:#f7f7f7;font-size:.9rem}.rateBox .rightText .content ul li[data-v-456e1b62]{margin-top:8px}.rateBox .rightText .ExampleTable[data-v-456e1b62]{background:#f7f7f7;width:100%;padding-left:10px;padding-bottom:20px}.rateBox .rightText .ExampleTable .title[data-v-456e1b62]{height:35px;line-height:35px;font-weight:700}.rateBox .rightText .ExampleTable div[data-v-456e1b62]{width:75%;display:flex;height:120px;font-size:.9rem;align-items:center}.rateBox .rightText .ExampleTable div span[data-v-456e1b62]{width:100%;border:1px solid rgba(0,0,0,.3);height:100%;padding-left:10px}.rateBox .rightText .text-container[data-v-456e1b62]{margin-top:15px}.rateBox .rightText .text-container p[data-v-456e1b62]{margin-top:10px;font-size:.95rem}.rateBox .rightText .text-container .container[data-v-456e1b62]{background:#f7f7f7;padding-left:10px}.rateBox .rightText .MiningPool[data-v-456e1b62]{margin-top:50px;font-size:.95rem}.rateBox .rightText .MiningPool .Pool[data-v-456e1b62]{margin-top:20px}.rateBox .rightText .MiningPool .Pool p[data-v-456e1b62]{margin-top:8px}.rateBox .rightText .MiningPool .Pool .hash[data-v-456e1b62]{font-weight:600}.rateBox .active[data-v-456e1b62]{font-weight:600;background:#f2ecf6;cursor:pointer;text-decoration:underline}.rateBox table[data-v-456e1b62]{border-collapse:collapse;margin-top:8px}.rateBox table[data-v-456e1b62],.rateBox td[data-v-456e1b62],.rateBox th[data-v-456e1b62]{border:1px solid gray;font-size:.95rem}.rateBox td[data-v-456e1b62]{padding:5px;min-width:160px;height:40px;text-align:center;font-size:.9rem}.rateBox th[data-v-456e1b62]{font-weight:700;padding:8px}.rateBox tr[data-v-456e1b62]:nth-child(odd){background-color:#f7f7f7}.rateBox tr[data-v-456e1b62]:first-child,.rateBox tr[data-v-456e1b62]:nth-child(2n){background-color:#fff}.cs-chat-container[data-v-05f0bcf1]{width:70%;height:600px;margin:0 auto;background-color:#f5f6f7;border-radius:10px;box-shadow:0 2px 12px 0 rgba(0,0,0,.1);overflow:hidden;margin-top:50px;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Oxygen,Ubuntu,Cantarell,Open Sans,Helvetica Neue,sans-serif}.cs-chat-wrapper[data-v-05f0bcf1]{display:flex;height:100%}.cs-contact-list[data-v-05f0bcf1]{width:260px;border-right:1px solid #e0e0e0;background-color:#fff;display:flex;flex-direction:column;height:100%}.cs-header[data-v-05f0bcf1]{padding:15px;font-weight:700;border-bottom:1px solid #e0e0e0;color:#333;font-size:16px;background-color:#f8f8f8}.cs-search[data-v-05f0bcf1]{padding:10px;border-bottom:1px solid #e0e0e0}.cs-contacts[data-v-05f0bcf1]{flex:1;overflow-y:auto}.cs-contact-item[data-v-05f0bcf1]{display:flex;padding:10px;cursor:pointer;border-bottom:1px solid #f0f0f0;transition:background-color .2s}.cs-contact-item[data-v-05f0bcf1]:hover{background-color:#f5f5f5}.cs-contact-item.active[data-v-05f0bcf1]{background-color:#e6f7ff}.cs-avatar[data-v-05f0bcf1]{position:relative;margin-right:10px}.unread-badge[data-v-05f0bcf1]{position:absolute;top:-5px;right:-5px;background-color:#f56c6c;color:#fff;font-size:12px;min-width:16px;height:16px;text-align:center;line-height:16px;border-radius:8px;padding:0 4px}.cs-contact-info[data-v-05f0bcf1]{flex:1;min-width:0}.cs-contact-name[data-v-05f0bcf1]{font-weight:500;font-size:14px;color:#333;display:flex;justify-content:space-between;margin-bottom:4px}.cs-contact-time[data-v-05f0bcf1]{font-size:12px;color:#999;font-weight:400}.cs-contact-msg[data-v-05f0bcf1]{font-size:12px;color:#666;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.important-tag[data-v-05f0bcf1]{color:#f56c6c;font-size:12px;margin-right:4px}.cs-chat-area[data-v-05f0bcf1]{flex:1;display:flex;flex-direction:column;background-color:#f5f5f5}.cs-chat-header[data-v-05f0bcf1]{padding:15px;border-bottom:1px solid #e0e0e0;display:flex;justify-content:space-between;align-items:center;background-color:#fff}.cs-chat-title[data-v-05f0bcf1]{font-weight:700;font-size:16px;color:#333;display:flex;align-items:center;gap:10px}.cs-header-actions i[data-v-05f0bcf1]{font-size:18px;margin-left:15px;color:#666;cursor:pointer}.cs-header-actions i[data-v-05f0bcf1]:hover{color:#409eff}.cs-chat-messages[data-v-05f0bcf1]{flex:1;padding:15px;overflow-y:auto;background-color:#f5f5f5}.cs-empty-chat[data-v-05f0bcf1],.cs-loading[data-v-05f0bcf1]{height:100%;display:flex;flex-direction:column;justify-content:center;align-items:center;color:#909399}.cs-empty-chat i[data-v-05f0bcf1],.cs-loading i[data-v-05f0bcf1]{font-size:60px;margin-bottom:20px;color:#dcdfe6}.cs-message-list[data-v-05f0bcf1]{display:flex;flex-direction:column}.cs-message[data-v-05f0bcf1]{margin-bottom:15px}.cs-message-time[data-v-05f0bcf1]{text-align:center;margin:10px 0;font-size:12px;color:#909399}.cs-message-content[data-v-05f0bcf1]{display:flex;align-items:flex-start}.cs-message-self .cs-message-content[data-v-05f0bcf1]{flex-direction:row-reverse}.cs-message-self .cs-avatar[data-v-05f0bcf1]{margin-right:0;margin-left:10px}.cs-bubble[data-v-05f0bcf1]{max-width:70%;padding:8px 12px;border-radius:4px;background-color:#fff;box-shadow:0 1px 2px rgba(0,0,0,.05);position:relative}.cs-message-self .cs-bubble[data-v-05f0bcf1]{background-color:#d8f4fe}.cs-sender[data-v-05f0bcf1]{font-size:12px;color:#909399;margin-bottom:4px}.cs-text[data-v-05f0bcf1]{font-size:14px;line-height:1.5;word-break:break-word}.cs-image img[data-v-05f0bcf1]{max-width:200px;max-height:200px;border-radius:4px;cursor:pointer}.cs-chat-input[data-v-05f0bcf1]{padding:10px;background-color:#fff;border-top:1px solid #e0e0e0}.cs-toolbar[data-v-05f0bcf1]{padding:5px 0;margin-bottom:5px}.cs-toolbar i[data-v-05f0bcf1]{font-size:18px;margin-right:15px;color:#606266;cursor:pointer}.cs-toolbar i[data-v-05f0bcf1]:hover{color:#409eff}.cs-input-area[data-v-05f0bcf1]{margin-bottom:10px}.cs-send-area[data-v-05f0bcf1]{display:flex;justify-content:flex-end;align-items:center}.cs-counter[data-v-05f0bcf1]{margin-right:10px;font-size:12px;color:#909399}.shop-type[data-v-05f0bcf1]{font-size:12px;color:#909399;font-weight:400;margin-left:5px}.image-preview-dialog[data-v-05f0bcf1]{display:flex;justify-content:center;align-items:center}.preview-image[data-v-05f0bcf1]{max-width:100%;max-height:80vh}@media (max-width:768px){.cs-contact-list[data-v-05f0bcf1]{width:200px}.cs-image img[data-v-05f0bcf1]{max-width:150px;max-height:150px}}@media screen and (min-width:220px)and (max-width:1279px){.AccessMiningPoolMain[data-v-089a61bb]{width:100%;background:transparent!important;padding:0;margin:0;padding-top:30PX;display:flex;justify-content:center}.AccessMiningPoolMain .mail[data-v-089a61bb]{color:#5917c4}.notOpen[data-v-089a61bb]{width:100%;display:inline-block!important;margin:50px 0;justify-content:center;padding:0 30px}.notOpen p[data-v-089a61bb]{font-size:20px!important;width:100%!important;line-height:50px;color:#6a24ff;text-align:center}.notOpen .imgBox[data-v-089a61bb]{display:flex;justify-content:center;margin-top:30px}.notOpen img[data-v-089a61bb]{width:80%}.currencySelect[data-v-089a61bb]{display:flex;align-items:center;margin-bottom:10px;padding-left:8px;font-size:.85rem}.currencySelect .el-menu-demo[data-v-089a61bb]{width:100%}.currencySelect .el-menu[data-v-089a61bb]{background:transparent}.currencySelect .coinSelect img[data-v-089a61bb]{width:25px}.currencySelect .coinSelect span[data-v-089a61bb]{text-transform:capitalize;margin-left:5px}.moveCurrencyBox[data-v-089a61bb]{margin:0;padding:0;width:100%;display:flex;min-height:200px;flex-wrap:wrap;padding:10px 20px;margin:0 auto;background:#fff}.moveCurrencyBox li[data-v-089a61bb]{list-style:none;display:flex;flex-direction:column;align-items:center!important;margin-left:10px;padding:5px 5px;box-sizing:border-box}.moveCurrencyBox li img[data-v-089a61bb]{width:25px}.moveCurrencyBox li p[data-v-089a61bb]{min-width:50px;margin-top:8px;font-size:.85rem;word-wrap:break-word;word-break:break-all;text-align:center;text-transform:capitalize}.mainTitle[data-v-089a61bb]{padding:0 20px}.mainTitle span[data-v-089a61bb]{font-size:.95rem;color:rgba(0,0,0,.7);font-weight:600}.tableBox[data-v-089a61bb]{margin:0 auto;width:96%;min-height:300px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px;background:#fff}.tableBox .table-title[data-v-089a61bb]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important}.tableBox .table-title span[data-v-089a61bb]{text-align:center}.tableBox .table-title span[data-v-089a61bb]:first-of-type{width:50%!important}.tableBox .table-title span[data-v-089a61bb]:nth-of-type(2){width:50%!important;color:#ca094a;font-weight:700;padding-right:5px}.tableBox .collapseTitle[data-v-089a61bb]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important;text-align:center}.tableBox .collapseTitle span[data-v-089a61bb]{text-align:center}.tableBox .collapseTitle span[data-v-089a61bb]:first-of-type{width:50%!important;display:flex;align-items:center;justify-content:center}.tableBox .collapseTitle span:first-of-type img[data-v-089a61bb]{margin-right:5px}.tableBox .collapseTitle span[data-v-089a61bb]:nth-of-type(2){width:50%!important;color:#ca094a;font-weight:700}.tableBox .belowTable[data-v-089a61bb]{background:#f0e9f5;padding:10px 0}.tableBox .belowTable div[data-v-089a61bb]{width:100%;height:auto;text-align:left;padding-left:8%}.tableBox .belowTable div p[data-v-089a61bb]:first-of-type{font-weight:600}.tableBox .belowTable div p[data-v-089a61bb]{word-wrap:break-word}.tableBox .belowTable div p .copy[data-v-089a61bb]{padding:0 5px;display:inline-block;cursor:pointer;border:1px solid #d1c2e9;border-radius:5px;margin-left:10px;font-size:.8rem}.tableBox .paginationBox[data-v-089a61bb]{text-align:center}#careful[data-v-089a61bb]{padding:0 8px;font-size:.85rem;color:rgba(0,0,0,.7);line-height:25px}#careful .mail[data-v-089a61bb]{color:#5917c4}.step[data-v-089a61bb]{width:99%!important;margin:0 auto;margin-top:3%;border:1PX solid rgba(0,0,0,.1);box-sizing:border-box;padding:15PX!important}.step p[data-v-089a61bb]{line-height:25PX!important}.step .stepTitle[data-v-089a61bb]{height:auto!important;width:100%;border-bottom:1PX solid rgba(0,0,0,.1);line-height:30PX!important;font-size:.95rem!important;color:rgba(0,0,0,.6);font-weight:600;word-wrap:break-word}.step .textBox[data-v-089a61bb]{padding:10px!important;color:rgba(5,32,75,.6);font-weight:400!important;font-size:.85rem!important}[data-v-089a61bb] .el-collapse-item__content{padding:0!important}}.nexaAccess[data-v-089a61bb]{width:100%;font-size:.9rem}.AccessMiningPool2[data-v-089a61bb]{width:100%;padding:0;margin:0;display:flex;justify-content:center}.AccessMiningPool2 a[data-v-089a61bb]{color:#8a2be2}.notOpen[data-v-089a61bb]{display:flex;margin-top:10%;justify-content:center}.notOpen p[data-v-089a61bb]{font-size:25px;width:25%;line-height:50px;color:#6a24ff}.menu[data-v-089a61bb]{width:15%;margin-right:30px;background:#fff;padding:20px!important;border-radius:8px;box-shadow:0 0 10px 3px rgba(0,0,0,.1)}.menu ul[data-v-089a61bb]{margin:0;padding:0}.menu ul li[data-v-089a61bb]{list-style:none;min-height:40px;line-height:40px;font-size:1.1rem;text-align:center;margin-top:8px;cursor:pointer}.menu ul li[data-v-089a61bb]:hover{text-decoration:underline}.active[data-v-089a61bb]{color:#6924ff;background:#d2c3ea;border-radius:5px}.table[data-v-089a61bb]{width:100%;background:#fff;border-radius:8px;padding:50px}.table .mainTitle[data-v-089a61bb]{font-size:1.5em;width:100%;margin:0 auto;font-weight:600;color:rgba(0,0,0,.6);display:flex;align-items:center;justify-content:left}.table .mainTitle img[data-v-089a61bb]{width:30px;margin-right:5px}.table .theServer[data-v-089a61bb]{width:100%;margin:0 auto;box-shadow:0 0 3px 1px rgba(0,0,0,.1);padding:10px 10px;margin-top:20px}.table .theServer .title[data-v-089a61bb]{width:100%;padding-left:3%;height:50px;line-height:50px;font-size:1.3em;color:rgba(0,0,0,.6);font-weight:600;border-bottom:1px solid rgba(0,0,0,.1)}.table .theServer ul[data-v-089a61bb]{width:100%;height:90%;padding:0;margin:0;margin-top:1%}.table .theServer ul li[data-v-089a61bb]{list-style:none;height:40px;line-height:40px;background:#efefef;display:flex;justify-content:space-between;font-size:.9rem}.table .theServer ul li span[data-v-089a61bb]{display:inline-block;text-align:center;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;color:rgba(0,0,0,.7)}.table .theServer ul li .coin[data-v-089a61bb]{width:18%;display:flex;align-items:center;justify-content:center}.table .theServer ul li .coin img[data-v-089a61bb]{width:25px;margin-right:5px}.table .theServer ul li .coin span[data-v-089a61bb]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.table .theServer ul li .quota[data-v-089a61bb]{color:#ca094a;font-weight:600}.table .theServer ul li .difficulty[data-v-089a61bb]{width:10%}.table .theServer ul li .port[data-v-089a61bb]{width:35%}.table .theServer ul li .port i[data-v-089a61bb]{font-size:1em}.table .theServer ul li .port i[data-v-089a61bb]:hover{color:#6924ff}.table .theServer ul li i[data-v-089a61bb]{cursor:pointer}.table .theServer ul li[data-v-089a61bb]:nth-child(2n){background-color:#fff}.table .theServer ul .liTitle[data-v-089a61bb]{width:100%;height:50px;line-height:50px;background:#d2c3ea;color:#36246f;font-size:.95rem}.table .theServer ul .liTitle .coin[data-v-089a61bb]{width:18%;display:flex;align-items:center;justify-content:center}.table .theServer ul .liTitle .coin img[data-v-089a61bb]{width:25px}.table .theServer ul .liTitle .coin span[data-v-089a61bb]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.table .theServer ul .liTitle .port[data-v-089a61bb]{width:35%}.table .careful[data-v-089a61bb]{margin-top:8px;font-size:.9rem;color:rgba(0,0,0,.7)}.table .careful a[data-v-089a61bb]{color:#6924ff}.step[data-v-089a61bb]{width:100%;margin:0 auto;margin-top:3%;border:1px solid rgba(0,0,0,.1);box-sizing:border-box;padding:20px}.step p[data-v-089a61bb]{line-height:30px}.step .stepTitle[data-v-089a61bb]{height:40px;width:100%;border-bottom:1px solid rgba(0,0,0,.1);line-height:40px;font-size:1rem;color:rgba(0,0,0,.6);font-weight:600}.step .textBox[data-v-089a61bb]{padding:20px;color:rgba(5,32,75,.6);font-weight:600;font-size:.95rem}@media screen and (min-width:220px)and (max-width:1279px){.AccessMiningPoolMain[data-v-91fdfe0e]{width:100%;background:transparent!important;padding:0;margin:0;padding-top:30px;display:flex;justify-content:center}.AccessMiningPoolMain .mail[data-v-91fdfe0e]{color:#5917c4}.notOpen[data-v-91fdfe0e]{width:100%;display:inline-block!important;margin:50px 0;justify-content:center;padding:0 30px}.notOpen p[data-v-91fdfe0e]{font-size:20px!important;width:100%!important;line-height:50px;color:#6a24ff;text-align:center}.notOpen .imgBox[data-v-91fdfe0e]{display:flex;justify-content:center;margin-top:30px}.notOpen img[data-v-91fdfe0e]{width:80%}.currencySelect[data-v-91fdfe0e]{display:flex;align-items:center;margin-bottom:10px;padding-left:8px;font-size:.85rem}.currencySelect .el-menu-demo[data-v-91fdfe0e]{width:100%}.currencySelect .el-menu[data-v-91fdfe0e]{background:transparent}.currencySelect .coinSelect img[data-v-91fdfe0e]{width:25px}.currencySelect .coinSelect span[data-v-91fdfe0e]{text-transform:capitalize;margin-left:5px}.moveCurrencyBox[data-v-91fdfe0e]{margin:0;padding:0;width:100%;display:flex;min-height:200px;flex-wrap:wrap;padding:10px 20px;margin:0 auto;background:#fff}.moveCurrencyBox li[data-v-91fdfe0e]{list-style:none;display:flex;flex-direction:column;align-items:center!important;margin-left:10px;padding:5px 5px;box-sizing:border-box}.moveCurrencyBox li img[data-v-91fdfe0e]{width:25px}.moveCurrencyBox li p[data-v-91fdfe0e]{min-width:50px;margin-top:8px;font-size:.85rem;word-wrap:break-word;word-break:break-all;text-align:center;text-transform:capitalize}.mainTitle[data-v-91fdfe0e]{padding:0 20px}.mainTitle span[data-v-91fdfe0e]{font-size:.95rem;color:rgba(0,0,0,.7);font-weight:600}.tableBox[data-v-91fdfe0e]{margin:0 auto;width:96%;min-height:300px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px;background:#fff}.tableBox .table-title[data-v-91fdfe0e]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important}.tableBox .table-title span[data-v-91fdfe0e]{text-align:center}.tableBox .table-title span[data-v-91fdfe0e]:first-of-type{width:50%!important}.tableBox .table-title span[data-v-91fdfe0e]:nth-of-type(2){width:50%!important;color:#ca094a;font-weight:700;padding-right:5px}.tableBox .collapseTitle[data-v-91fdfe0e]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important;text-align:center}.tableBox .collapseTitle span[data-v-91fdfe0e]{text-align:center}.tableBox .collapseTitle span[data-v-91fdfe0e]:first-of-type{width:50%!important;display:flex;align-items:center;justify-content:center}.tableBox .collapseTitle span:first-of-type img[data-v-91fdfe0e]{margin-right:5px}.tableBox .collapseTitle span[data-v-91fdfe0e]:nth-of-type(2){width:50%!important;color:#ca094a;font-weight:700}.tableBox .belowTable[data-v-91fdfe0e]{background:#f0e9f5;padding:10px 0}.tableBox .belowTable div[data-v-91fdfe0e]{width:100%;height:auto;text-align:left;padding-left:8%}.tableBox .belowTable div p[data-v-91fdfe0e]:first-of-type{font-weight:600}.tableBox .belowTable div p[data-v-91fdfe0e]{word-wrap:break-word}.tableBox .belowTable div p .copy[data-v-91fdfe0e]{padding:0 5px;display:inline-block;cursor:pointer;border:1px solid #d1c2e9;border-radius:5px;margin-left:10px;font-size:.8rem}.tableBox .paginationBox[data-v-91fdfe0e]{text-align:center}#careful[data-v-91fdfe0e]{padding:0 8px;font-size:.85rem;color:rgba(0,0,0,.7);line-height:25px}#careful .mail[data-v-91fdfe0e]{color:#5917c4}.step[data-v-91fdfe0e]{width:99%!important;margin:0 auto;margin-top:3%;border:1px solid rgba(0,0,0,.1);box-sizing:border-box;padding:15px!important}.step p[data-v-91fdfe0e]{line-height:25px!important}.step .stepTitle[data-v-91fdfe0e]{height:auto!important;width:100%;border-bottom:1px solid rgba(0,0,0,.1);line-height:30px!important;font-size:.95rem!important;color:rgba(0,0,0,.6);font-weight:600;word-wrap:break-word}.step .textBox[data-v-91fdfe0e]{padding:10px!important;color:rgba(5,32,75,.6);font-weight:400!important;font-size:.85rem!important}[data-v-91fdfe0e] .el-collapse-item__content{padding:0!important}}.nexaAccess[data-v-91fdfe0e]{width:100%;font-size:.9rem}.AccessMiningPool2[data-v-91fdfe0e]{width:100%;padding:0;margin:0;display:flex;justify-content:center}.AccessMiningPool2 a[data-v-91fdfe0e]{color:#8a2be2}.notOpen[data-v-91fdfe0e]{display:flex;margin-top:10%;justify-content:center}.notOpen p[data-v-91fdfe0e]{font-size:25px;width:25%;line-height:50px;color:#6a24ff}.menu[data-v-91fdfe0e]{width:15%;margin-right:30px;background:#fff;padding:20px!important;border-radius:8px;box-shadow:0 0 10px 3px rgba(0,0,0,.1)}.menu ul[data-v-91fdfe0e]{margin:0;padding:0}.menu ul li[data-v-91fdfe0e]{list-style:none;min-height:40px;line-height:40px;font-size:1.1rem;text-align:center;margin-top:8px;cursor:pointer}.menu ul li[data-v-91fdfe0e]:hover{text-decoration:underline}.active[data-v-91fdfe0e]{color:#6924ff;background:#d2c3ea;border-radius:5px}.table[data-v-91fdfe0e]{width:100%;background:#fff;border-radius:8px;padding:50px}.table .mainTitle[data-v-91fdfe0e]{font-size:1.5em;width:100%;margin:0 auto;font-weight:600;color:rgba(0,0,0,.6);display:flex;align-items:center;justify-content:left}.table .mainTitle img[data-v-91fdfe0e]{width:30px;margin-right:5px}.table .theServer[data-v-91fdfe0e]{width:100%;margin:0 auto;box-shadow:0 0 3px 1px rgba(0,0,0,.1);padding:10px 10px;margin-top:20px}.table .theServer .title[data-v-91fdfe0e]{width:100%;padding-left:3%;height:50px;line-height:50px;font-size:1.3em;color:rgba(0,0,0,.6);font-weight:600;border-bottom:1px solid rgba(0,0,0,.1)}.table .theServer ul[data-v-91fdfe0e]{width:100%;height:90%;padding:0;margin:0;margin-top:1%}.table .theServer ul li[data-v-91fdfe0e]{list-style:none;height:40px;line-height:40px;background:#efefef;display:flex;justify-content:space-between;font-size:.9rem}.table .theServer ul li span[data-v-91fdfe0e]{display:inline-block;text-align:center;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;color:rgba(0,0,0,.7)}.table .theServer ul li .coin[data-v-91fdfe0e]{width:18%;display:flex;align-items:center;justify-content:center}.table .theServer ul li .coin img[data-v-91fdfe0e]{width:25px;margin-right:5px}.table .theServer ul li .coin span[data-v-91fdfe0e]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.table .theServer ul li .quota[data-v-91fdfe0e]{color:#ca094a;font-weight:600}.table .theServer ul li .difficulty[data-v-91fdfe0e]{width:10%}.table .theServer ul li .port[data-v-91fdfe0e]{width:35%}.table .theServer ul li .port i[data-v-91fdfe0e]{font-size:1em}.table .theServer ul li .port i[data-v-91fdfe0e]:hover{color:#6924ff}.table .theServer ul li i[data-v-91fdfe0e]{cursor:pointer}.table .theServer ul li[data-v-91fdfe0e]:nth-child(2n){background-color:#fff}.table .theServer ul .liTitle[data-v-91fdfe0e]{width:100%;height:50px;line-height:50px;background:#d2c3ea;color:#36246f;font-size:.95rem}.table .theServer ul .liTitle .coin[data-v-91fdfe0e]{width:18%;display:flex;align-items:center;justify-content:center}.table .theServer ul .liTitle .coin img[data-v-91fdfe0e]{width:25px}.table .theServer ul .liTitle .coin span[data-v-91fdfe0e]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.table .theServer ul .liTitle .port[data-v-91fdfe0e]{width:35%}.table .careful[data-v-91fdfe0e]{margin-top:8px;font-size:.9rem;color:rgba(0,0,0,.7)}.table .careful a[data-v-91fdfe0e]{color:#6924ff}.step[data-v-91fdfe0e]{width:100%;margin:0 auto;margin-top:3%;border:1px solid rgba(0,0,0,.1);box-sizing:border-box;padding:20px}.step p[data-v-91fdfe0e]{line-height:30px}.step .stepTitle[data-v-91fdfe0e]{height:40px;width:100%;border-bottom:1px solid rgba(0,0,0,.1);line-height:40px;font-size:1rem;color:rgba(0,0,0,.6);font-weight:600}.step .textBox[data-v-91fdfe0e]{padding:20px;color:rgba(5,32,75,.6);font-weight:600;font-size:.95rem}@media screen and (min-width:220px)and (max-width:1279px){.AccessMiningPoolMain[data-v-ea469a34]{width:100%;background:transparent!important;padding:0;margin:0;padding-top:30PX;display:flex;justify-content:center}.AccessMiningPoolMain .mail[data-v-ea469a34]{color:#5917c4}.notOpen[data-v-ea469a34]{width:100%;display:inline-block!important;margin:50px 0;justify-content:center;padding:0 30px}.notOpen p[data-v-ea469a34]{font-size:20px!important;width:100%!important;line-height:50px;color:#6a24ff;text-align:center}.notOpen .imgBox[data-v-ea469a34]{display:flex;justify-content:center;margin-top:30px}.notOpen img[data-v-ea469a34]{width:80%}.currencySelect[data-v-ea469a34]{display:flex;align-items:center;margin-bottom:10px;padding-left:8px;font-size:.85rem}.currencySelect .el-menu-demo[data-v-ea469a34]{width:100%}.currencySelect .el-menu[data-v-ea469a34]{background:transparent}.currencySelect .coinSelect img[data-v-ea469a34]{width:25px}.currencySelect .coinSelect span[data-v-ea469a34]{text-transform:capitalize;margin-left:5px}.moveCurrencyBox[data-v-ea469a34]{margin:0;padding:0;width:100%;display:flex;min-height:200px;flex-wrap:wrap;padding:10px 20px;margin:0 auto;background:#fff}.moveCurrencyBox li[data-v-ea469a34]{list-style:none;display:flex;flex-direction:column;align-items:center!important;margin-left:10px;padding:5px 5px;box-sizing:border-box}.moveCurrencyBox li img[data-v-ea469a34]{width:25px}.moveCurrencyBox li p[data-v-ea469a34]{min-width:50px;margin-top:8px;font-size:.85rem;word-wrap:break-word;word-break:break-all;text-align:center;text-transform:capitalize}.mainTitle[data-v-ea469a34]{padding:0 20px}.mainTitle span[data-v-ea469a34]{font-size:.95rem;color:rgba(0,0,0,.7);font-weight:600}.tableBox[data-v-ea469a34]{margin:0 auto;width:96%;min-height:230px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px;background:#fff}.tableBox .table-title[data-v-ea469a34]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important}.tableBox .table-title span[data-v-ea469a34]{text-align:center}.tableBox .table-title span[data-v-ea469a34]:first-of-type{width:50%!important}.tableBox .table-title span[data-v-ea469a34]:nth-of-type(2){width:50%!important;color:#ca094a;font-weight:700;padding-right:5px}.tableBox .collapseTitle[data-v-ea469a34]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important;text-align:center}.tableBox .collapseTitle span[data-v-ea469a34]{text-align:center}.tableBox .collapseTitle span[data-v-ea469a34]:first-of-type{width:50%!important;display:flex;align-items:center;justify-content:center}.tableBox .collapseTitle span:first-of-type img[data-v-ea469a34]{margin-right:5px}.tableBox .collapseTitle span[data-v-ea469a34]:nth-of-type(2){width:50%!important;color:#ca094a;font-weight:700}.tableBox .belowTable[data-v-ea469a34]{background:#f0e9f5;padding:10px 0}.tableBox .belowTable div[data-v-ea469a34]{width:100%;height:auto;text-align:left;padding-left:8%}.tableBox .belowTable div p[data-v-ea469a34]:first-of-type{font-weight:600}.tableBox .belowTable div p[data-v-ea469a34]{word-wrap:break-word}.tableBox .belowTable div p .copy[data-v-ea469a34]{padding:0 5px;display:inline-block;cursor:pointer;border:1px solid #d1c2e9;border-radius:5px;margin-left:10px;font-size:.8rem}.tableBox .paginationBox[data-v-ea469a34]{text-align:center}#careful[data-v-ea469a34]{padding:0 8px;font-size:.85rem;color:rgba(0,0,0,.7);line-height:25px}#careful .mail[data-v-ea469a34]{color:#5917c4}.step[data-v-ea469a34]{width:99%!important;margin:0 auto;margin-top:3%;border:1PX solid rgba(0,0,0,.1);box-sizing:border-box;padding:15PX!important}.step p[data-v-ea469a34]{line-height:25PX!important}.step .stepTitle[data-v-ea469a34]{height:auto!important;width:100%;border-bottom:1PX solid rgba(0,0,0,.1);line-height:30PX!important;font-size:.95rem!important;color:rgba(0,0,0,.6);font-weight:600;word-wrap:break-word}.step .textBox[data-v-ea469a34]{padding:10px!important;color:rgba(5,32,75,.6);font-weight:400!important;font-size:.85rem!important}[data-v-ea469a34] .el-collapse-item__content{padding:0!important}}.nexaAccess[data-v-ea469a34]{width:100%;font-size:.9rem}.AccessMiningPool2[data-v-ea469a34]{width:100%;padding:0;margin:0;display:flex;justify-content:center}.AccessMiningPool2 a[data-v-ea469a34]{color:#8a2be2}.notOpen[data-v-ea469a34]{display:flex;margin-top:10%;justify-content:center}.notOpen p[data-v-ea469a34]{font-size:25px;width:25%;line-height:50px;color:#6a24ff}.menu[data-v-ea469a34]{width:15%;margin-right:30px;background:#fff;padding:20px!important;border-radius:8px;box-shadow:0 0 10px 3px rgba(0,0,0,.1)}.menu ul[data-v-ea469a34]{margin:0;padding:0}.menu ul li[data-v-ea469a34]{list-style:none;min-height:40px;line-height:40px;font-size:1.1rem;text-align:center;margin-top:8px;cursor:pointer}.menu ul li[data-v-ea469a34]:hover{text-decoration:underline}.active[data-v-ea469a34]{color:#6924ff;background:#d2c3ea;border-radius:5px}.table[data-v-ea469a34]{width:100%;background:#fff;border-radius:8px;padding:50px}.table .mainTitle[data-v-ea469a34]{font-size:1.5em;width:100%;margin:0 auto;font-weight:600;color:rgba(0,0,0,.6);display:flex;align-items:center;justify-content:left}.table .mainTitle img[data-v-ea469a34]{width:30px;margin-right:5px}.table .theServer[data-v-ea469a34]{width:100%;margin:0 auto;box-shadow:0 0 3px 1px rgba(0,0,0,.1);padding:10px 10px;margin-top:20px}.table .theServer .title[data-v-ea469a34]{width:100%;padding-left:3%;height:50px;line-height:50px;font-size:1.3em;color:rgba(0,0,0,.6);font-weight:600;border-bottom:1px solid rgba(0,0,0,.1)}.table .theServer ul[data-v-ea469a34]{width:100%;height:90%;padding:0;margin:0;margin-top:1%}.table .theServer ul li[data-v-ea469a34]{list-style:none;height:40px;line-height:40px;background:#efefef;display:flex;justify-content:space-between;font-size:.9rem}.table .theServer ul li span[data-v-ea469a34]{display:inline-block;text-align:center;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;color:rgba(0,0,0,.7)}.table .theServer ul li .coin[data-v-ea469a34]{width:18%;display:flex;align-items:center;justify-content:center}.table .theServer ul li .coin img[data-v-ea469a34]{width:25px;margin-right:5px}.table .theServer ul li .coin span[data-v-ea469a34]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.table .theServer ul li .quota[data-v-ea469a34]{color:#ca094a;font-weight:600}.table .theServer ul li .difficulty[data-v-ea469a34]{width:10%}.table .theServer ul li .port[data-v-ea469a34]{width:35%}.table .theServer ul li .port i[data-v-ea469a34]{font-size:1em}.table .theServer ul li .port i[data-v-ea469a34]:hover{color:#6924ff}.table .theServer ul li i[data-v-ea469a34]{cursor:pointer}.table .theServer ul li[data-v-ea469a34]:nth-child(2n){background-color:#fff}.table .theServer ul .liTitle[data-v-ea469a34]{width:100%;height:50px;line-height:50px;background:#d2c3ea;color:#36246f;font-size:.95rem}.table .theServer ul .liTitle .coin[data-v-ea469a34]{width:18%;display:flex;align-items:center;justify-content:center}.table .theServer ul .liTitle .coin img[data-v-ea469a34]{width:25px}.table .theServer ul .liTitle .coin span[data-v-ea469a34]{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.table .theServer ul .liTitle .port[data-v-ea469a34]{width:35%}.table .careful[data-v-ea469a34]{margin-top:8px;font-size:.9rem;color:rgba(0,0,0,.7)}.table .careful a[data-v-ea469a34]{color:#6924ff}.step[data-v-ea469a34]{width:100%;margin:0 auto;margin-top:3%;border:1px solid rgba(0,0,0,.1);box-sizing:border-box;padding:20px}.step p[data-v-ea469a34]{line-height:30px;text-align:left}.step .stepTitle[data-v-ea469a34]{height:40px;width:100%;border-bottom:1px solid rgba(0,0,0,.1);line-height:40px;font-size:1rem;color:rgba(0,0,0,.6);font-weight:600}.step .textBox[data-v-ea469a34]{padding:20px;color:rgba(5,32,75,.6);font-weight:600;font-size:.95rem}.step .wallet-text[data-v-ea469a34]{text-align:left;padding-left:10px}@media screen and (min-width:220px)and (max-width:1279px){.ServiceTerms[data-v-3e942ade]{background:transparent!important;min-height:360PX!important;padding:5%!important;padding-top:20px!important}.clauseBox[data-v-3e942ade]{width:100%!important;min-height:100PX;margin:0 auto}.clauseBox .textBox[data-v-3e942ade],.clauseBox h5[data-v-3e942ade]{margin-top:10px}.clauseBox p[data-v-3e942ade]{line-height:20PX!important;font-size:.9rem!important;margin-top:8px!important}}.ServiceTerms[data-v-3e942ade]{width:100%;min-height:600PX;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:60PX}.ServiceTerms h2[data-v-3e942ade]{width:70%;margin:0 auto;margin-bottom:30PX}.clauseBox[data-v-3e942ade]{width:70%;min-height:100PX;margin:0 auto}.clauseBox p[data-v-3e942ade]{line-height:28PX}@media screen and (min-width:220px)and (max-width:1279px){.main[data-v-1324c172]{width:100%;padding:15px 18px!important;margin:0;padding-top:30PX!important;background:transparent!important;min-height:300px!important}.MobileMain[data-v-1324c172]{width:100%}.contentMobile p[data-v-1324c172]{height:40px;line-height:40px;padding:0 8px;margin-top:8px;border-radius:5px;border:1px solid rgba(0,0,0,.1);font-size:.9rem;margin-left:18px}.el-row[data-v-1324c172]{margin:0!important}.submitTitle[data-v-1324c172]{font-size:14px;width:600px}.submitTitle .userName[data-v-1324c172]{color:#661ffb}.submitTitle .time[data-v-1324c172]{margin-left:8px}#contentBox[data-v-1324c172]{border:1px solid rgba(0,0,0,.1);margin-top:5px;padding:8px;border-radius:5px;font-size:.9rem;word-wrap:break-word}[data-v-1324c172] .el-upload-dragger{width:332px!important}}.main[data-v-1324c172]{width:100%;min-height:100vh;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:60PX;display:flex;justify-content:center}.content[data-v-1324c172]{width:50%;margin:0 auto}.elBtn[data-v-1324c172]{background:#661ffb;color:#fff;border-radius:20px}.orderDetails p[data-v-1324c172]{width:80%;outline:1px solid rgba(0,0,0,.1);border-radius:4px;display:flex;font-weight:600;padding:10px 10px;font-size:14px}.orderDetails .orderTitle[data-v-1324c172]{display:inline-block;text-align:center}.orderDetails .orderContent[data-v-1324c172]{flex:1;display:inline-block;color:#661ffb;font-weight:400;border-radius:4px;text-align:left;padding-left:5px}.submitContent[data-v-1324c172]{max-height:300px;overflow:hidden;overflow-y:auto;margin-top:18px;display:flex;flex-direction:column;padding:20px;border:1px solid #ccc;background:rgba(255,0,0,.01);border-radius:5px}.submitContent .submitTitle[data-v-1324c172]{font-size:14px;width:600px;display:flex;justify-content:left}.submitContent .submitTitle span[data-v-1324c172]:nth-of-type(2){margin-left:50px}.submitContent .contentBox[data-v-1324c172]{width:50vw;padding:10px 10px;padding-left:5px;font-size:15px;max-height:80px;display:inline-block;overflow:scroll;overflow-x:auto;overflow-y:auto}.submitContent .downloadBox[data-v-1324c172]{font-size:15px;color:#661ffb;display:inline-block;cursor:pointer}.submitContent .replyBox[data-v-1324c172]{margin-top:20px}.download[data-v-1324c172]{display:inline-block;margin-top:10px;margin-left:20px;padding:8px 15px;border-radius:4px;font-size:14px;background:#f0f9eb;color:#67c23a;cursor:pointer}.download[data-v-1324c172]:hover{color:#000;outline:1px solid rgba(0,0,0,.1)}.reply[data-v-1324c172]{font-size:15px;margin-top:10px;padding:5px 0}.reply .replyTitle[data-v-1324c172]{font-weight:600}.reply .replyContent[data-v-1324c172]{color:#661ffb}[data-v-1324c172].replyInput .el-input.is-disabled .el-input__inner{color:#000}.edit[data-v-1324c172]{font-size:15px;color:#661ffb;cursor:pointer;margin-left:10px}.auditBox .submitTitle[data-v-1324c172]{font-size:14px;width:600px;display:flex;justify-content:left}.auditBox .submitTitle span[data-v-1324c172]:nth-of-type(2){margin-left:50px}.auditBox .contentBox[data-v-1324c172]{width:54vw;border:1px solid rgba(0,0,0,.1);padding:5px 5px;padding-left:5px;font-size:15px;max-height:80px;display:inline-block;overflow:scroll;overflow-x:auto;overflow-y:auto}.auditBox .downloadBox[data-v-1324c172]{font-size:15px;color:#661ffb;cursor:pointer;display:inline-block}.registeredForm .mandatory[data-v-1324c172]{color:red;margin-right:5px}.logistics[data-v-1324c172]{display:flex;margin-bottom:30px;width:26%;justify-content:space-between}.closingOrder[data-v-1324c172]{font-size:14px;margin:0}.closingOrder span[data-v-1324c172]{cursor:pointer;color:#661ffb}.closingOrder span[data-v-1324c172]:hover{color:#67c23a}.machineCoding[data-v-1324c172]{outline:1px solid rgba(0,0,0,.1);display:flex;max-height:300px;padding:10px!important;margin-top:8px;overflow-y:auto}.orderNum[data-v-1324c172]{width:800px!important;padding:0!important;outline:none!important;border:none!important}.el-row[data-v-1324c172]{margin:18px 0}.dataMain[data-v-81190992]{width:100%;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 30%;background-repeat:no-repeat;background-position:10% -15%;padding:0;margin:0;padding-top:60PX}.dataMain .content[data-v-81190992]{width:85%;min-height:300px;margin:0 auto;padding:20px;border-radius:5px}.dataMain .content .title[data-v-81190992]{font-size:30px;color:#651fff;font-weight:600}.dataMain .content .title span[data-v-81190992]{color:rgba(0,0,0,.7)}.dataMain .content .title2[data-v-81190992]{font-size:28px;color:rgba(0,0,0,.7);width:100%;text-align:center;letter-spacing:3px;color:#651fff;font-weight:600}.dataMain .content .topBox[data-v-81190992]{width:100%;min-height:230px;margin-top:50px;display:flex;justify-content:space-around;align-items:center}.dataMain .content .topBox .top[data-v-81190992]{width:360px;height:440px;border-radius:18px;box-shadow:0 0 5px 2px rgba(0,0,0,.1);transition:all .2s linear;padding:18px;box-shadow:0 0 5px 2px #d2c3ea;padding-top:30px}.dataMain .content .topBox .top h4[data-v-81190992]{color:#651fff;margin-top:18px}.dataMain .content .topBox .top p[data-v-81190992]{margin-top:10px;font-size:.9rem;line-height:25px}.dataMain .content .topBox .top .icon[data-v-81190992]{width:100%;text-align:center}.dataMain .content .topBox .top .icon img[data-v-81190992]{width:50px}.dataMain .content .currencyDisplay[data-v-81190992]{width:100%;min-height:300px;border-radius:5px;border:1px solid #ccc;margin-top:30px;padding:18PX 28px}.dataMain .content .currencyDisplay .currency[data-v-81190992]{width:100%;min-height:200px;padding:10px 0;margin-top:20px}.dataMain .content .currencyDisplay .currency h3[data-v-81190992]{margin-bottom:8px;color:rgba(0,0,0,.8);display:flex;align-items:center;text-transform:uppercase}.dataMain .content .currencyDisplay .currency h3 img[data-v-81190992]{width:25px;margin-right:8px}.dataMain .content .currencyDisplay .currency .describe[data-v-81190992]{width:100%;margin:10px 0;font-size:.9rem;padding-left:8px}.dataMain .content .currencyDisplay .currency .currencyTitle[data-v-81190992]{width:100%;height:60px;background:#d2c3ea;display:flex;justify-content:space-between;align-items:center;padding:0 18px;font-size:.95rem;border-radius:5px;overflow:hidden}.dataMain .content .currencyDisplay .currency .currencyTitle span[data-v-81190992]{width:15%}.dataMain .content .currencyDisplay .currency .currencyContent[data-v-81190992]{width:100%;min-height:60px;display:flex;justify-content:space-between;align-items:center;padding:0 18px;font-size:.9rem;border-bottom:1px solid #ccc}.dataMain .content .currencyDisplay .currency .currencyContent span[data-v-81190992]{width:15%}.dataMain .content .currencyDisplay .currency .charts[data-v-81190992]{width:100%;min-height:300px;padding:0 18px;text-align:center}@media screen and (min-width:220px)and (max-width:1279px){.mobileMain[data-v-ec5988d8]{width:100%;background:transparent!important;padding:0;margin:0;padding:8px;padding-top:60PX}.mobileMain h4[data-v-ec5988d8]{color:rgba(0,0,0,.8);text-align:left;width:100%;padding-left:3px}.mobileMain .explain[data-v-ec5988d8]{font-size:.85rem;margin-top:8px;color:rgba(0,0,0,.6)}.mobileMain .accountInformation[data-v-ec5988d8]{width:100%;height:30px;background:rgba(0,0,0,.5);position:fixed;top:62px;left:0;display:flex;align-items:center;padding:1% 5%;z-index:2001}.mobileMain .accountInformation img[data-v-ec5988d8]{width:20px}.mobileMain .accountInformation i[data-v-ec5988d8]{color:#fff;font-size:1.2rem;margin-left:10px}.mobileMain .accountInformation .coin[data-v-ec5988d8]{font-size:.9rem;margin-left:5px;font-weight:600;color:#fff;text-transform:capitalize}.mobileMain .accountInformation .ma[data-v-ec5988d8]{font-size:.9rem;font-weight:600;color:#fff;margin-left:10px}.BthBox[data-v-ec5988d8]{width:100%;text-align:right;padding:0 20px}.BthBox .addBth[data-v-ec5988d8]{border-radius:20px;color:#fff;background:#661ffb;margin-top:18px}.tableBox[data-v-ec5988d8]{margin:0 auto;width:96%;min-height:300px;overflow:hidden;border-radius:8px;font-size:.9rem;margin-bottom:20px;box-shadow:0 0 5px 2px #ccc;margin-top:10px;background:#fff}.tableBox .table-title[data-v-ec5988d8]{height:50px;background:#d2c4e8;display:flex;justify-content:space-around;align-items:center;font-weight:600;padding-left:0!important;text-align:center}.tableBox .table-title span[data-v-ec5988d8]:first-of-type{width:50%!important}.tableBox .table-title span[data-v-ec5988d8]:nth-of-type(2){min-width:30%}.tableBox .collapseTitle[data-v-ec5988d8]{width:100%;display:flex;justify-content:space-around;align-items:center;padding-left:0!important;text-align:center}.tableBox .collapseTitle .coinBox[data-v-ec5988d8]{width:50%;overflow:hidden;text-overflow:ellipsis}.tableBox .collapseTitle .operationBox[data-v-ec5988d8]{min-width:30%}.tableBox .belowTable[data-v-ec5988d8]{background:#f0e9f5;padding:10px 0}.tableBox .belowTable div[data-v-ec5988d8]{width:100%;height:auto;text-align:left;padding-left:8%}.tableBox .belowTable div p[data-v-ec5988d8]:first-of-type{font-weight:600}.tableBox .belowTable div p[data-v-ec5988d8]{word-wrap:break-word}.tableBox .belowTable div p .copy[data-v-ec5988d8]{padding:0 5px;display:inline-block;cursor:pointer;border:1px solid #d1c2e9;border-radius:5px;margin-left:10px;font-size:.8rem}.tableBox .paginationBox[data-v-ec5988d8]{text-align:center}}@media screen and (min-width:220px)and (max-width:500px){[data-v-ec5988d8] .el-dialog{width:98%!important;border-radius:10px!important}[data-v-ec5988d8] .el-dialog__body{padding:0!important}[data-v-ec5988d8] .dialogBox .inputBox{width:93%!important;margin-top:8px!important}}@media screen and (min-width:500px)and (max-width:800px){[data-v-ec5988d8] .el-dialog{width:80%!important;border-radius:10px!important}[data-v-ec5988d8] .el-dialog__body{padding:0!important}[data-v-ec5988d8] .dialogBox .inputBox{width:80%!important;margin-top:8px!important}}.pcMain[data-v-ec5988d8]{width:100%;min-height:100vh;background:#fff;background-image:url(/img/top.7f0acfc3.png);background-size:100% 50%;background-repeat:no-repeat;background-position:30% -15%;padding:0;margin:0;padding-top:60PX;display:flex;justify-content:center}.alerts[data-v-ec5988d8]{width:100%}.accountInformation[data-v-ec5988d8]{width:100%;height:30px;background:rgba(0,0,0,.5);position:fixed;top:8%;left:0;display:flex;align-items:center;padding:1% 5%;z-index:2001}.accountInformation img[data-v-ec5988d8]{width:23px}.accountInformation i[data-v-ec5988d8]{color:#fff;font-size:1.5em;margin-left:10px}.accountInformation .coin[data-v-ec5988d8]{margin-left:5px;font-weight:600;color:#fff;text-transform:capitalize}.accountInformation .ma[data-v-ec5988d8]{font-weight:600;color:#fff;margin-left:10px}.content[data-v-ec5988d8]{width:70%;min-height:500px;padding:20px}.content h2[data-v-ec5988d8]{color:rgba(0,0,0,.8);margin-bottom:18px}.content .explain[data-v-ec5988d8]{color:rgba(0,0,0,.6);font-size:.9rem;margin-top:5px}.content .BthBox[data-v-ec5988d8]{width:100%;text-align:right;padding:0 20px}.content .BthBox .addBth[data-v-ec5988d8]{border-radius:20px;color:#fff;background:#661ffb}.modifyBth[data-v-ec5988d8]{margin-right:8px;color:#fff;background:#661ffb}.elBtn[data-v-ec5988d8]{color:#fff;background:#f0286a}.dialogBox[data-v-ec5988d8]{padding:0 20PX;padding-bottom:50PX;display:flex;justify-content:center;flex-direction:column;align-items:center}.dialogBox .title[data-v-ec5988d8]{width:100%;text-align:center;font-size:1em;font-weight:600}.dialogBox .inputBox[data-v-ec5988d8]{width:70%;margin-top:20PX}.dialogBox .inputBox .inputItem[data-v-ec5988d8]{margin-top:30PX;display:flex;flex-direction:column;align-items:left;justify-content:left}.dialogBox .inputBox .title[data-v-ec5988d8]{font-size:1.1em;text-align:left}.dialogBox .inputBox .input[data-v-ec5988d8]{margin-top:10PX}.dialogBox .el-button[data-v-ec5988d8]{background:#661fff;color:#edf2ff;border:none;outline:none;margin-top:30PX}[data-v-ec5988d8] .el-dialog{background-image:url(/img/dialog1.6b499f8a.png);background-size:130% 105%;background-repeat:no-repeat;background-position:100% 100%;border-radius:32PX}.verificationCode[data-v-ec5988d8]{display:flex;margin-top:10px}.verificationCode .codeBtn[data-v-ec5988d8]{font-size:13px;margin-left:2px;margin:0;margin-left:8px}.bthBox[data-v-ec5988d8]{width:100%;display:flex;align-items:center;padding:0 15%}.bthBox .previousStep[data-v-ec5988d8]{width:35%;font-size:1.3em}.verificationBthBox[data-v-ec5988d8]{width:70%;display:flex;justify-content:left}.verificationBthBox .el-button.previousStep[data-v-ec5988d8]{min-width:28%;background:#d0c4e8;color:#fff}.verificationBthBox .el-button.confirmBtn[data-v-ec5988d8]{min-width:60%;background:#661fff;color:#fff;border:none}.table[data-v-ec5988d8]{box-shadow:0 3px 20px 1px #ccc} \ No newline at end of file diff --git a/mining-pool/test/css/app-b4c4f6ec.c96edfc1.css.gz b/mining-pool/test/css/app-b4c4f6ec.c96edfc1.css.gz new file mode 100644 index 0000000..8516965 Binary files /dev/null and b/mining-pool/test/css/app-b4c4f6ec.c96edfc1.css.gz differ diff --git a/mining-pool/test/img/home.2a3cb050.png b/mining-pool/test/img/home.2a3cb050.png new file mode 100644 index 0000000..2ec15e5 Binary files /dev/null and b/mining-pool/test/img/home.2a3cb050.png differ diff --git a/mining-pool/test/img/home.4c2d8f62.png b/mining-pool/test/img/home.4c2d8f62.png new file mode 100644 index 0000000..0748c2e Binary files /dev/null and b/mining-pool/test/img/home.4c2d8f62.png differ diff --git a/mining-pool/test/index.html b/mining-pool/test/index.html index 9fa91f5..becd581 100644 --- a/mining-pool/test/index.html +++ b/mining-pool/test/index.html @@ -1 +1 @@ -M2pool - Stable leading high-yield mining pool
    \ No newline at end of file +M2pool - Stable leading high-yield mining pool
    \ No newline at end of file diff --git a/mining-pool/test/js/app-113c6c50.28d27f0c.js b/mining-pool/test/js/app-113c6c50.28d27f0c.js new file mode 100644 index 0000000..e4eeea2 --- /dev/null +++ b/mining-pool/test/js/app-113c6c50.28d27f0c.js @@ -0,0 +1 @@ +(function(){"use strict";var t={198:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"B",{value:!0}),e.A=void 0;var s=a(i(80238));e.A={mixins:[s.default]}},5309:function(t,e,i){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{staticClass:"loginPage"},[t.$isMobile?e("section",{staticClass:"mobileMain"},[e("header",{staticClass:"headerBox"},[e("img",{attrs:{src:i(87596),alt:"logo"},on:{click:function(e){return t.handelJump("/")}}}),e("span",{staticClass:"title"},[t._v(t._s(t.$t("user.resetPassword")))]),e("span")]),t._m(0),e("section",{staticClass:"formInput"},[e("el-form",{ref:"ruleForm",staticClass:"demo-ruleForm",attrs:{model:t.loginForm,"status-icon":"",rules:t.loginRules}},[e("el-form-item",{attrs:{prop:"email"}},[e("el-input",{attrs:{"prefix-icon":"el-icon-user",autocomplete:"off",placeholder:t.$t("user.Account")},model:{value:t.loginForm.email,callback:function(e){t.$set(t.loginForm,"email",e)},expression:"loginForm.email"}})],1),e("el-form-item",{attrs:{prop:"resetPwdCode"}},[e("div",{staticClass:"verificationCode"},[e("el-input",{attrs:{type:"text","prefix-icon":"el-icon-chat-line-square",autocomplete:"off",placeholder:t.$t("user.verificationCode")},model:{value:t.loginForm.resetPwdCode,callback:function(e){t.$set(t.loginForm,"resetPwdCode",e)},expression:"loginForm.resetPwdCode"}}),e("el-button",{staticClass:"codeBtn",attrs:{loading:t.securityLoading,disabled:t.btnDisabled},on:{click:t.handelCode}},[t.countDownTime<60&&t.countDownTime>0?e("span",[t._v(t._s(t.countDownTime))]):t._e(),t._v(t._s(t.$t(t.bthText)))])],1)]),e("el-form-item",{attrs:{prop:"password"}},[e("el-input",{attrs:{type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",showPassword:"",placeholder:t.$t("user.password")},model:{value:t.loginForm.password,callback:function(e){t.$set(t.loginForm,"password",e)},expression:"loginForm.password"}}),e("p",{staticClass:"remind",attrs:{title:t.$t("user.passwordPrompt")}},[t._v(" "+t._s(t.$t("user.passwordPrompt"))+" ")])],1),e("el-form-item",{attrs:{prop:"newPassword"}},[e("el-input",{attrs:{type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",showPassword:"",placeholder:t.$t("user.newPassword")},model:{value:t.loginForm.newPassword,callback:function(e){t.$set(t.loginForm,"newPassword",e)},expression:"loginForm.newPassword"}})],1),e("div",{staticClass:"registerBox"},[e("span",{staticStyle:{color:"#661fff"},on:{click:function(e){return t.handelJump("login")}}},[t._v(t._s(t.$t("user.returnToLogin")))])]),e("el-form-item",[e("el-button",{staticStyle:{width:"100%",background:"#661fff",color:"aliceblue","margin-top":"6%"},attrs:{loading:t.loginLoading},on:{click:function(e){return t.submitForm("ruleForm")}}},[t._v(t._s(t.$t("user.changePassword")))]),e("div",{staticStyle:{"text-align":"left"}},[e("el-radio",{attrs:{label:"zh"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(e){t.radio=e},expression:"radio"}},[t._v("简体中文")]),e("el-radio",{attrs:{label:"en"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(e){t.radio=e},expression:"radio"}},[t._v("English")])],1)],1)],1)],1)]):e("section",{staticClass:"loginModular"},[e("div",{staticClass:"leftBox"},[e("img",{staticClass:"logo",attrs:{src:i(79613),alt:"logo"},on:{click:t.handleClick}}),e("img",{attrs:{src:i(58455),alt:"reset password"}})]),e("div",{staticClass:"loginBox"},[e("div",{staticClass:"closeBox",on:{click:t.handleClick}},[e("i",{staticClass:"iconfont icon-guanbi1 close"})]),e("el-form",{ref:"ruleForm",staticClass:"demo-ruleForm",attrs:{model:t.loginForm,"status-icon":"",rules:t.loginRules}},[e("el-form-item",[e("p",{staticClass:"loginTitle"},[t._v(t._s(t.$t("user.resetPassword")))])]),e("el-form-item",{attrs:{prop:"email"}},[e("el-input",{attrs:{"prefix-icon":"el-icon-user",autocomplete:"off",placeholder:t.$t("user.Account")},model:{value:t.loginForm.email,callback:function(e){t.$set(t.loginForm,"email",e)},expression:"loginForm.email"}})],1),e("el-form-item",{attrs:{prop:"resetPwdCode"}},[e("div",{staticClass:"verificationCode"},[e("el-input",{attrs:{type:"text","prefix-icon":"el-icon-chat-line-square",autocomplete:"off",placeholder:t.$t("user.verificationCode")},model:{value:t.loginForm.resetPwdCode,callback:function(e){t.$set(t.loginForm,"resetPwdCode",e)},expression:"loginForm.resetPwdCode"}}),e("el-button",{staticClass:"codeBtn",attrs:{loading:t.securityLoading,disabled:t.btnDisabled},on:{click:t.handelCode}},[t.countDownTime<60&&t.countDownTime>0?e("span",[t._v(t._s(t.countDownTime))]):t._e(),t._v(t._s(t.$t(t.bthText)))])],1)]),e("el-form-item",{attrs:{prop:"password"}},[e("el-input",{attrs:{type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",showPassword:"",placeholder:t.$t("user.password")},model:{value:t.loginForm.password,callback:function(e){t.$set(t.loginForm,"password",e)},expression:"loginForm.password"}}),e("p",{staticClass:"remind",attrs:{title:t.$t("user.passwordPrompt")}},[t._v(" "+t._s(t.$t("user.passwordPrompt"))+" ")])],1),e("el-form-item",{attrs:{prop:"newPassword"}},[e("el-input",{attrs:{type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",showPassword:"",placeholder:t.$t("user.newPassword")},model:{value:t.loginForm.newPassword,callback:function(e){t.$set(t.loginForm,"newPassword",e)},expression:"loginForm.newPassword"}})],1),e("div",{staticClass:"registerBox"},[e("span",{on:{click:function(e){return t.handelJump("login")}}},[t._v(t._s(t.$t("user.returnToLogin")))])]),e("el-form-item",[e("el-button",{staticStyle:{width:"100%",background:"#661fff",color:"aliceblue","margin-top":"6%"},attrs:{loading:t.loginLoading},on:{click:function(e){return t.submitForm("ruleForm")}}},[t._v(t._s(t.$t("user.changePassword")))]),e("div",{staticStyle:{"text-align":"left"}},[e("el-radio",{attrs:{label:"zh"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(e){t.radio=e},expression:"radio"}},[t._v("简体中文")]),e("el-radio",{attrs:{label:"en"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(e){t.radio=e},expression:"radio"}},[t._v("English")])],1)],1)],1)],1)])])},e.Yp=[function(){var t=this,e=t._self._c;return e("div",{staticClass:"imgTop"},[e("img",{attrs:{src:i(6006),alt:"reset password",loading:"lazy"}})])}]},8579:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"B",{value:!0}),e.A=void 0;var s=a(i(65681)),n=a(i(45438));e.A={components:{Tooltip:n.default},mixins:[s.default]}},11685:function(t,e){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.orderDetailsLoading,expression:"orderDetailsLoading"}],staticClass:"main"},[t.$isMobile?e("section",{staticClass:"MobileMain"},[e("h4",[t._v(t._s(t.$t("work.WKDetails")))]),e("div",{staticClass:"contentMobile"},[e("el-row",[e("el-col",{attrs:{xs:24,sm:10,md:10,lg:12,xl:12}},[e("p",[e("span",{staticClass:"orderTitle"},[t._v(" "+t._s(t.$t("work.WorkID"))+":")]),e("span",{staticClass:"orderContent"},[t._v(t._s(t.ticketDetails.id))])])]),e("el-col",{attrs:{xs:24,sm:10,md:10,lg:10,xl:10}},[e("p",[e("span",{staticClass:"orderTitle"},[t._v(t._s(t.$t("work.mailbox"))+":")]),e("span",{staticClass:"orderContent"},[t._v(t._s(t.ticketDetails.email))])])])],1),e("el-row",[e("el-col",{attrs:{xs:24,sm:10,md:10,lg:10,xl:10}},[e("p",[e("span",{staticClass:"orderTitle"},[t._v(" "+t._s(t.$t("work.status"))+":")]),e("span",{staticClass:"orderContent"},[t._v(t._s(t.$t(t.handelStatus2(t.ticketDetails.status))))])])])],1),e("el-row",{staticStyle:{"margin-top":"30px !important"}},[e("el-col",[e("h5",[t._v(t._s(t.$t("work.describe"))+":")]),e("div",{staticStyle:{border:"1px solid rgba(0, 0, 0, 0.1)",padding:"20px 10px","word-wrap":"break-word","overflow-wrap":"break-word","max-height":"200px","margin-top":"18px","overflow-y":"auto","border-radius":"5px"}},[t._v(" "+t._s(t.ticketDetails.desc)+" ")])])],1),e("h5",{staticStyle:{"margin-top":"30px"}},[t._v(t._s(t.$t("work.record"))+":")]),e("div",{staticClass:"submitContent"},[e("el-row",{staticStyle:{margin:"0"}},t._l(t.recordList,(function(i){return e("div",{key:i.time,staticStyle:{"margin-top":"20px"}},[e("div",{staticClass:"submitTitle"},[e("div",{staticClass:"userName"},[t._v(t._s(i.name))]),e("div",{staticClass:"time"},[t._v(" "+t._s(t.handelTime(i.time)))])]),e("div",{attrs:{id:"contentBox"}},[t._v(" "+t._s(i.content)+" ")]),e("span",{directives:[{name:"show",rawName:"v-show",value:i.files,expression:"item.files"}],staticClass:"downloadBox",on:{click:function(e){return t.handelDownload(i.files)}}},[t._v(t._s(t.$t("work.downloadFile")))])])})),0)],1),"10"!==t.ticketDetails.status?e("section",{staticStyle:{"margin-top":"30px"}},[e("div",[e("el-row",[e("el-col",[e("h5",{staticStyle:{"margin-bottom":"18px"}},[t._v(t._s(t.$t("work.continue"))+":")]),e("el-input",{attrs:{type:"textarea",placeholder:t.$t("work.input"),resize:"none",autosize:{minRows:2,maxRows:6},maxlength:"250","show-word-limit":""},model:{value:t.replyParams.desc,callback:function(e){t.$set(t.replyParams,"desc",e)},expression:"replyParams.desc"}})],1)],1),e("el-form",[e("el-form-item",{staticStyle:{width:"100%"}},[e("div",{staticStyle:{width:"100%"}},[t._v(t._s(t.$t("work.enclosure")))]),e("div",{staticClass:"prompt"},[t._v(" "+t._s(t.$t("work.fileType"))+":jpg, jpeg, png, mp3, aif, aiff, wav, wma, mp4, avi, rmvb ")]),e("el-upload",{ref:"upload",staticClass:"upload-demo",attrs:{drag:"",action:"",multiple:"",limit:t.fileLimit,"on-exceed":t.handleExceed,"on-remove":t.handleRemove,"file-list":t.fileList,"on-change":t.handelChange,"show-file-list":"","auto-upload":!1}},[e("i",{staticClass:"el-icon-upload"}),e("div",{staticClass:"el-upload__text"},[t._v(" "+t._s(t.$t("work.fileCharacters"))),e("em",[t._v(" "+t._s(t.$t("work.fileCharacters2")))])])])],1),e("el-button",{staticClass:"elBtn",staticStyle:{"border-radius":"20px"},attrs:{type:"plain"},on:{click:t.handelResubmit}},[t._v(" "+t._s(t.$t("work.submit2")))]),e("el-button",{staticClass:"elBtn",staticStyle:{"border-radius":"20px"},attrs:{type:"plain"},on:{click:t.handelEnd}},[t._v(" "+t._s(t.$t("work.endWork")))])],1)],1)]):t._e(),e("el-dialog",{attrs:{title:t.$t("work.Tips"),visible:t.closeDialogVisible,width:"70%"},on:{"update:visible":function(e){t.closeDialogVisible=e}}},[e("span",[t._v(t._s(t.$t("work.confirmClose")))]),e("span",{staticClass:"dialog-footer",attrs:{slot:"footer"},slot:"footer"},[e("el-button",{staticStyle:{"border-radius":"20px"},on:{click:function(e){t.closeDialogVisible=!1}}},[t._v(t._s(t.$t("work.cancel")))]),e("el-button",{staticClass:"elBtn",staticStyle:{border:"none","border-radius":"20px"},attrs:{type:"primary",loading:t.orderDetailsLoading},on:{click:t.confirmCols}},[t._v(t._s(t.$t("work.confirm")))])],1)])],1)]):e("div",{staticClass:"content"},[e("el-row",{attrs:{type:"flex",justify:"end"}},[e("el-col",{staticClass:"orderDetails"},[e("h3",[t._v(t._s(t.$t("work.WKDetails")))]),e("el-row",[e("el-col",{attrs:{span:12}},[e("p",[e("span",{staticClass:"orderTitle"},[t._v(" "+t._s(t.$t("work.WorkID"))+":")]),e("span",{staticClass:"orderContent"},[t._v(t._s(t.ticketDetails.id))])])]),e("el-col",{attrs:{span:12}},[e("p",[e("span",{staticClass:"orderTitle"},[t._v(t._s(t.$t("work.mailbox"))+":")]),e("span",{staticClass:"orderContent"},[t._v(t._s(t.ticketDetails.email))])])])],1),e("el-row",[e("el-col",{attrs:{span:12}},[e("p",[e("span",{staticClass:"orderTitle"},[t._v(" "+t._s(t.$t("work.status"))+":")]),e("span",{staticClass:"orderContent"},[t._v(t._s(t.$t(t.handelStatus2(t.ticketDetails.status))))])])])],1)],1)],1),e("el-row",[e("el-col",[e("h4",[t._v(" "+t._s(t.$t("work.describe"))+":")]),e("p",{staticStyle:{border:"1px solid rgba(0, 0, 0, 0.1)",padding:"20px 10px","max-height":"200px","min-height":"100px","margin-top":"18px","word-wrap":"break-word","overflow-wrap":"break-word","overflow-y":"auto","border-radius":"5px"}},[t._v(" "+t._s(t.ticketDetails.desc)+" ")])])],1),e("h4",[t._v(t._s(t.$t("work.record"))+":")]),e("div",{staticClass:"submitContent"},[e("el-row",{staticStyle:{margin:"0"}},t._l(t.recordList,(function(i){return e("div",{key:i.time,staticStyle:{"margin-top":"20px"}},[e("div",{staticClass:"submitTitle"},[e("span",[t._v(t._s(t.$t("work.user1"))+":"+t._s(i.name))]),e("span",[t._v(" "+t._s(t.$t("work.time4"))+":"+t._s(t.handelTime(i.time)))])]),e("div",{staticClass:"contentBox"},[e("span",{staticStyle:{display:"inline-block",width:"100%","word-wrap":"break-word","overflow-wrap":"break-word","max-height":"200px","overflow-y":"auto"}},[t._v(t._s(i.content))])]),e("span",{directives:[{name:"show",rawName:"v-show",value:i.files,expression:"item.files"}],staticClass:"downloadBox",on:{click:function(e){return t.handelDownload(i.files)}}},[t._v(t._s(t.$t("work.downloadFile")))])])})),0)],1),"10"!==t.ticketDetails.status?e("section",[e("div",[e("el-row",[e("el-col",[e("h4",{staticStyle:{"margin-bottom":"18px"}},[t._v(t._s(t.$t("work.continue"))+":")]),e("el-input",{attrs:{type:"textarea",placeholder:t.$t("work.input"),resize:"none",autosize:{minRows:2,maxRows:6},maxlength:"250","show-word-limit":""},model:{value:t.replyParams.desc,callback:function(e){t.$set(t.replyParams,"desc",e)},expression:"replyParams.desc"}})],1)],1),e("el-form",[e("el-form-item",{staticStyle:{width:"50%"}},[e("div",{staticStyle:{width:"100%"}},[t._v(t._s(t.$t("work.enclosure")))]),e("p",{staticClass:"prompt"},[t._v(" "+t._s(t.$t("work.fileType"))+":jpg, jpeg, png, mp3, aif, aiff, wav, wma, mp4, avi, rmvb ")]),e("el-upload",{ref:"upload",staticClass:"upload-demo",attrs:{drag:"",action:"",multiple:"",limit:t.fileLimit,"on-exceed":t.handleExceed,"on-remove":t.handleRemove,"file-list":t.fileList,"on-change":t.handelChange,"show-file-list":"","auto-upload":!1}},[e("i",{staticClass:"el-icon-upload"}),e("div",{staticClass:"el-upload__text"},[t._v(" "+t._s(t.$t("work.fileCharacters"))),e("em",[t._v(" "+t._s(t.$t("work.fileCharacters2")))])])])],1),e("el-button",{staticClass:"elBtn",staticStyle:{width:"200px","border-radius":"20px"},attrs:{type:"plain"},on:{click:t.handelResubmit}},[t._v(" "+t._s(t.$t("work.submit2")))]),e("el-button",{staticClass:"elBtn",staticStyle:{width:"200px","border-radius":"20px"},attrs:{type:"plain"},on:{click:t.handelEnd}},[t._v(" "+t._s(t.$t("work.endWork")))])],1)],1)]):t._e(),e("el-dialog",{attrs:{title:t.$t("work.Tips"),visible:t.closeDialogVisible,width:"30%"},on:{"update:visible":function(e){t.closeDialogVisible=e}}},[e("span",[t._v(t._s(t.$t("work.confirmClose")))]),e("span",{staticClass:"dialog-footer",attrs:{slot:"footer"},slot:"footer"},[e("el-button",{staticStyle:{"border-radius":"20px"},on:{click:function(e){t.closeDialogVisible=!1}}},[t._v(t._s(t.$t("work.cancel")))]),e("el-button",{staticClass:"elBtn",staticStyle:{border:"none","border-radius":"20px"},attrs:{type:"primary",loading:t.orderDetailsLoading},on:{click:t.confirmCols}},[t._v(t._s(t.$t("work.confirm")))])],1)])],1)])},e.Yp=[]},15045:function(t,e,i){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{staticClass:"loginPage"},[t.$isMobile?e("section",{staticClass:"mobileMain"},[e("header",{staticClass:"headerBox2"},[e("img",{attrs:{src:i(87596),alt:"logo"},on:{click:function(e){return t.handelJump("/")}}}),e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.MRegister")))]),e("span")]),t._m(0),e("section",{staticClass:"formInput"},[e("el-form",{ref:"registerForm",staticClass:"demo-ruleForm",attrs:{model:t.registerForm,"status-icon":"",rules:t.registerRules}},[e("el-form-item",{attrs:{prop:"email"}},[e("el-input",{attrs:{type:"email","prefix-icon":"el-icon-message",autocomplete:"off",placeholder:t.$t("user.Account")},model:{value:t.registerForm.email,callback:function(e){t.$set(t.registerForm,"email",e)},expression:"registerForm.email"}})],1),e("el-form-item",{attrs:{prop:"emailCode"}},[e("div",{staticClass:"verificationCode"},[e("el-input",{attrs:{type:"text","prefix-icon":"el-icon-chat-line-square",autocomplete:"off",placeholder:t.$t("user.verificationCode")},model:{value:t.registerForm.emailCode,callback:function(e){t.$set(t.registerForm,"emailCode",e)},expression:"registerForm.emailCode"}}),e("el-button",{staticClass:"codeBtn",attrs:{disabled:t.btnDisabled},on:{click:t.handelCode}},[t.countDownTime<60&&t.countDownTime>0?e("span",[t._v(t._s(t.countDownTime))]):t._e(),t._v(t._s(t.$t(t.bthText)))])],1)]),e("el-form-item",{attrs:{prop:"password"}},[e("el-input",{attrs:{title:t.$t("user.passwordPrompt"),type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",placeholder:t.$t("user.password"),"show-password":""},model:{value:t.registerForm.password,callback:function(e){t.$set(t.registerForm,"password",e)},expression:"registerForm.password"}}),e("p",{staticClass:"remind",attrs:{title:t.$t("user.passwordPrompt")}},[t._v(" "+t._s(t.$t("user.passwordPrompt"))+" ")])],1),e("el-form-item",{attrs:{prop:"confirmPassword"}},[e("el-input",{attrs:{type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",placeholder:t.$t("user.confirmPassword"),"show-password":""},model:{value:t.registerForm.confirmPassword,callback:function(e){t.$set(t.registerForm,"confirmPassword",e)},expression:"registerForm.confirmPassword"}})],1),e("div",{staticClass:"register"},[e("span",[t._v(t._s(t.$t("user.havingAnAccount"))+" "),e("span",{staticClass:"goLogin",on:{click:t.goLogin}},[t._v(t._s(t.$t("user.login")))])])]),e("el-form-item",[e("el-button",{staticStyle:{width:"100%",background:"#661fff",color:"aliceblue","margin-top":"6%"},attrs:{loading:t.registerLoading},on:{click:t.handleRegister}},[t._v(t._s(t.$t("user.register")))]),e("div",{staticStyle:{"text-align":"left"}},[e("el-radio",{attrs:{label:"zh"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(e){t.radio=e},expression:"radio"}},[t._v("简体中文")]),e("el-radio",{attrs:{label:"en"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(e){t.radio=e},expression:"radio"}},[t._v("English")])],1)],1)],1)],1)]):e("section",{staticClass:"loginModular"},[e("div",{staticClass:"leftBox"},[e("img",{staticClass:"logo",attrs:{src:i(79613),alt:"logo"},on:{click:t.handleClick}}),e("img",{attrs:{src:i(29500),alt:"Register Mining Pool"}})]),e("div",{staticClass:"loginBox"},[e("div",{staticClass:"closeBox",on:{click:t.handleClick}},[e("i",{staticClass:"iconfont icon-guanbi1 close"})]),e("el-form",{ref:"registerForm",staticClass:"demo-ruleForm",attrs:{model:t.registerForm,"status-icon":"",rules:t.registerRules}},[e("el-form-item",[e("p",{staticClass:"loginTitle"},[t._v(t._s(t.$t("user.newUser")))])]),e("el-form-item",{attrs:{prop:"email"}},[e("el-input",{attrs:{type:"email","prefix-icon":"el-icon-message",autocomplete:"off",placeholder:t.$t("user.Account")},model:{value:t.registerForm.email,callback:function(e){t.$set(t.registerForm,"email",e)},expression:"registerForm.email"}})],1),e("el-form-item",{attrs:{prop:"emailCode"}},[e("div",{staticClass:"verificationCode"},[e("el-input",{attrs:{type:"text","prefix-icon":"el-icon-chat-line-square",autocomplete:"off",placeholder:t.$t("user.verificationCode")},model:{value:t.registerForm.emailCode,callback:function(e){t.$set(t.registerForm,"emailCode",e)},expression:"registerForm.emailCode"}}),e("el-button",{staticClass:"codeBtn",attrs:{disabled:t.btnDisabled},on:{click:t.handelCode}},[t.countDownTime<60&&t.countDownTime>0?e("span",[t._v(t._s(t.countDownTime))]):t._e(),t._v(t._s(t.$t(t.bthText)))])],1)]),e("el-form-item",{attrs:{prop:"password"}},[e("el-input",{attrs:{title:t.$t("user.passwordPrompt"),type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",placeholder:t.$t("user.password"),"show-password":""},model:{value:t.registerForm.password,callback:function(e){t.$set(t.registerForm,"password",e)},expression:"registerForm.password"}}),e("p",{staticClass:"remind",attrs:{title:t.$t("user.passwordPrompt")}},[t._v(" "+t._s(t.$t("user.passwordPrompt"))+" ")])],1),e("el-form-item",{attrs:{prop:"confirmPassword"}},[e("el-input",{attrs:{type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",placeholder:t.$t("user.confirmPassword"),"show-password":""},model:{value:t.registerForm.confirmPassword,callback:function(e){t.$set(t.registerForm,"confirmPassword",e)},expression:"registerForm.confirmPassword"}})],1),e("div",{staticClass:"register"},[e("span",[t._v(t._s(t.$t("user.havingAnAccount"))+" "),e("span",{staticClass:"goLogin",on:{click:t.goLogin}},[t._v(t._s(t.$t("user.login")))])])]),e("el-form-item",[e("el-button",{staticStyle:{width:"100%",background:"#661fff",color:"aliceblue","margin-top":"6%"},attrs:{loading:t.registerLoading},on:{click:t.handleRegister}},[t._v(t._s(t.$t("user.register")))]),e("div",{staticStyle:{"text-align":"left"}},[e("el-radio",{attrs:{label:"zh"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(e){t.radio=e},expression:"radio"}},[t._v("简体中文")]),e("el-radio",{attrs:{label:"en"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(e){t.radio=e},expression:"radio"}},[t._v("English")])],1)],1)],1)],1)])])},e.Yp=[function(){var t=this,e=t._self._c;return e("div",{staticClass:"imgTop"},[e("img",{attrs:{src:i(11427),alt:"register",loading:"lazy"}})])}]},15510:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(5309),s=i(89413),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"5b2d11d7",null),l=o.exports},16428:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(92498),s=i(99398),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"3c152dc9",null),l=o.exports},17609:function(t,e){Object.defineProperty(e,"__esModule",{value:!0}),e["default"]=void 0;e["default"]={data(){return{rateList:[{value:"nexa",label:"nexa",img:`${this.$baseApi}img/nexa.png`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"10000"},{value:"grs",label:"grs",img:`${this.$baseApi}img/grs.svg`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"1"},{value:"mona",label:"mona",img:`${this.$baseApi}img/mona.svg`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"1"},{value:"dgbs",label:"dgb(skein)",img:`${this.$baseApi}img/dgb.svg`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"1"},{value:"dgbq",label:"dgb(qubit)",img:`${this.$baseApi}img/dgb.svg`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"1"},{value:"dgbo",label:"dgb(odocrypt)",img:`${this.$baseApi}img/dgb.svg`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"1"},{value:"rxd",label:"radiant",img:`${this.$baseApi}img/rxd.png`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"100"},{value:"enx",label:"Entropyx(Enx)",img:`${this.$baseApi}img/enx.svg`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"5000"},{value:"alph",label:"alephium(alph)",img:`${this.$baseApi}img/alph.svg`,rate:"1%",address:"",mode:"PPLNS+PROPDIF",quota:"1"}]}}}},18311:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(83443),s=i(83240),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"10849caa",null),l=o.exports},20155:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"B",{value:!0}),e.A=void 0;a(i(86425));var s=a(i(69437));e.A={mixins:[s.default],mounted(){},methods:{}}},21440:function(t,e,i){Object.defineProperty(e,"__esModule",{value:!0}),e["default"]=void 0,i(44114),i(18111),i(20116);var a=i(11503);e["default"]={data(){return{from2:[],from0:[],from1:[],params:{status:1},PrivateConsume:!1,activeName:"pending",WKRecordsLoading:!1,value1:"",labelPosition:"top",currentPage:1,msg:"",dialogVisible:!1,rowId:"",faultList:[],typeList:[],statusList:[{value:1,label:"work.pendingProcessing"},{value:2,label:"work.processed"},{value:10,label:"work.completeWK"}]}},mounted(){switch(localStorage.setItem("stateList",JSON.stringify(this.statusList)),this.activeName=sessionStorage.getItem("ActiveName"),this.activeName||(this.activeName="pending"),this.activeName){case"pending":this.params.status=1,this.fetchPrivateConsume1(this.params),this.registerRecoveryMethod("fetchPrivateConsume1",this.params);break;case"success":this.params.status=2,this.fetchPrivateConsume2(this.params),this.registerRecoveryMethod("fetchPrivateConsume2",this.params);break;case"reply":this.params.status=0,this.fetchPrivateConsume0(this.params),this.registerRecoveryMethod("fetchPrivateConsume0",this.params);break;default:break}},methods:{async fetchPrivateConsume1(t){this.WKRecordsLoading=!0;const e=await(0,a.getPrivateTicket)(t);e&&200==e.code&&(this.from1=e.data),this.WKRecordsLoading=!1},async fetchPrivateConsume0(t){this.WKRecordsLoading=!0;const e=await(0,a.getPrivateTicket)(t);e&&200==e.code&&(this.from0=e.data),this.WKRecordsLoading=!1},async fetchPrivateConsume2(t){this.WKRecordsLoading=!0;const e=await(0,a.getPrivateTicket)(t);e&&200==e.code&&(this.from2=e.data),this.WKRecordsLoading=!1},async fetchTicketPayment(t){const{data:e}=await getTicketPayment(t);e.url&&(window.location.href=e.url)},handelType2(t){if(this.typeList&&t){const e=this.typeList.find((e=>e.name==t));if(e)return e.label}return""},handelStatus2(t){if(this.statusList&&t){const e=this.statusList.find((e=>e.value==t));if(e)return this.$t(e.label)}return""},handelPhenomenon(t){if(t)return this.faultList.find((e=>e.id==t)).label},handelDetails(t){const e=this.$i18n.locale;this.$router.push({path:`/${e}/UserWorkDetails`,query:{workID:t.id}}).catch((t=>{"NavigationDuplicated"!==t.name&&console.error("路由跳转失败:",t)})),localStorage.setItem("workOrderId",t.id)},async fetchendTicket(t){this.WKRecordsLoading=!0;let e=await getEndTicket(t);e&&200==e.code&&(this.$message({message:this.$t("user.closeWK"),type:"success"}),this.dialogVisible=!1,this.params.status=0,this.fetchPrivateConsume0(this.params),this.params.status=1,this.fetchPrivateConsume1(this.params),this.params.status=2,this.fetchPrivateConsume2(this.params)),this.WKRecordsLoading=!1},handelTime(t){if(t)return`${t.split("T")[0]} ${t.split("T")[1].split(".")[0]}`},handleClick(){switch(this.activeName){case"pending":this.params.status=1,this.fetchPrivateConsume1(this.params);break;case"success":this.params.status=2,this.fetchPrivateConsume2(this.params);break;case"reply":this.params.status=0,this.fetchPrivateConsume0(this.params);break;default:break}sessionStorage.setItem("ActiveName",this.activeName)},determineInformation(){this.fetchendTicket({id:this.rowId})}}}},22645:function(t,e){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.workBKLoading,expression:"workBKLoading"}],staticClass:"workBK"},[t.$isMobile?e("section",{staticClass:"workMain"},[e("h3",[t._v(t._s(t.$t("work.WorkOrderManagement")))]),e("el-tabs",{staticStyle:{width:"100%"},on:{"tab-click":t.handleElTabs},model:{value:t.activeName,callback:function(e){t.activeName=e},expression:"activeName"}},[e("el-tab-pane",{staticClass:"pendingMain",attrs:{label:t.$t("work.pendingProcessing"),name:"pendingProcessing"}},[e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("work.WorkID")}},[t._v("ID")]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.status")))]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.operation")))])]),e("div",{staticClass:"rollContentBox"},[e("el-collapse",{attrs:{accordion:""}},t._l(t.from1,(function(i){return e("el-collapse-item",{key:i.id,attrs:{name:i.id}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[t._v(t._s(i.id))]),e("span",[t._v(t._s(t.$t(t.handelStatus2(i.status))))]),e("span",{on:{click:function(e){return t.handelDetails(i)}}},[t._v(" "+t._s(t.$t("work.details")))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("work.submissionTime"))+":")]),e("p",[t._v(t._s(t.handelTime(i.date)))])])]),e("div",{attrs:{id:"hash"}},[e("p",[t._v(t._s(t.$t("work.mailbox"))+": ")]),e("p",[t._v(t._s(i.email))])])],2)})),1)],1),e("div",{staticClass:"paginationBox"},[e("el-pagination",{attrs:{"current-page":t.currentPage1,"page-sizes":t.pageSizes,layout:"sizes, prev, pager, next",total:t.totalLimit1},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage1=e},"update:current-page":function(e){t.currentPage1=e}}})],1)])]),e("el-tab-pane",{attrs:{label:t.$t("work.pending"),name:"pending"}},[e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("work.WorkID")}},[t._v("ID")]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.status")))]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.operation")))])]),e("div",{staticClass:"rollContentBox"},[e("el-collapse",{attrs:{accordion:""}},t._l(t.from2,(function(i){return e("el-collapse-item",{key:i.id,attrs:{name:i.id}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[t._v(t._s(i.id))]),e("span",[t._v(t._s(t.$t(t.handelStatus2(i.status))))]),e("span",{on:{click:function(e){return t.handelDetails(i)}}},[t._v(" "+t._s(t.$t("work.details")))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("work.submissionTime"))+":")]),e("p",[t._v(t._s(t.handelTime(i.date)))])])]),e("div",{attrs:{id:"hash"}},[e("p",[t._v(t._s(t.$t("work.mailbox"))+": ")]),e("p",[t._v(t._s(i.email))])])],2)})),1)],1),e("div",{staticClass:"paginationBox"},[e("el-pagination",{attrs:{"current-page":t.currentPage2,"page-sizes":t.pageSizes,layout:" sizes, prev, pager, next",total:t.totalLimit2},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage2=e},"update:current-page":function(e){t.currentPage2=e}}})],1)])]),e("el-tab-pane",{attrs:{label:t.$t("work.completeWK"),name:"Finished"}},[e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("work.WorkID")}},[t._v("ID")]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.status")))]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.operation")))])]),e("div",{staticClass:"rollContentBox"},[e("el-collapse",{attrs:{accordion:""}},t._l(t.from10,(function(i){return e("el-collapse-item",{key:i.id,attrs:{name:i.id}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[t._v(t._s(i.id))]),e("span",[t._v(t._s(t.$t(t.handelStatus2(i.status))))]),e("span",{on:{click:function(e){return t.handelDetails(i)}}},[t._v(" "+t._s(t.$t("work.details")))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("work.submissionTime"))+":")]),e("p",[t._v(t._s(t.handelTime(i.date)))])])]),e("div",{attrs:{id:"hash"}},[e("p",[t._v(t._s(t.$t("work.mailbox"))+": ")]),e("p",[t._v(t._s(i.email))])])],2)})),1)],1),e("div",{staticClass:"paginationBox"},[e("el-pagination",{attrs:{"current-page":t.currentPage10,"page-sizes":t.pageSizes,layout:" sizes, prev, pager, next",total:t.totalLimit10},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage10=e},"update:current-page":function(e){t.currentPage10=e}}})],1)])]),e("el-tab-pane",{attrs:{label:t.$t("work.allWK"),name:"all"}},[e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("work.WorkID")}},[t._v("ID")]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.status")))]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.operation")))])]),e("div",{staticClass:"rollContentBox"},[e("el-collapse",{attrs:{accordion:""}},t._l(t.from0,(function(i){return e("el-collapse-item",{key:i.id,attrs:{name:i.id}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[t._v(t._s(i.id))]),e("span",[t._v(t._s(t.$t(t.handelStatus2(i.status))))]),e("span",{on:{click:function(e){return t.handelDetails(i)}}},[t._v(" "+t._s(t.$t("work.details")))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("work.submissionTime"))+":")]),e("p",[t._v(t._s(t.handelTime(i.date)))])])]),e("div",{attrs:{id:"hash"}},[e("p",[t._v(t._s(t.$t("work.mailbox"))+": ")]),e("p",[t._v(t._s(i.email))])])],2)})),1)],1),e("div",{staticClass:"paginationBox"},[e("el-pagination",{attrs:{"current-page":t.currentPage0,"page-sizes":t.pageSizes,layout:"sizes, prev, pager, next",total:t.totalLimit0},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage0=e},"update:current-page":function(e){t.currentPage0=e}}})],1)])])],1)],1):e("section",{staticClass:"workBKContent"},[e("el-row",{staticStyle:{"margin-bottom":"18px"}},[e("el-col",{staticStyle:{display:"flex","align-items":"center"},attrs:{span:24}},[e("h2",[t._v(t._s(t.$t("work.WorkOrderManagement")))]),e("i",{staticClass:"i ishuaxin1 Refresh"})])],1),e("el-tabs",{on:{"tab-click":t.handleElTabs},model:{value:t.activeName,callback:function(e){t.activeName=e},expression:"activeName"}},[e("el-tab-pane",{attrs:{label:t.$t("work.pendingProcessing"),name:"pendingProcessing"}},[e("el-table",{staticClass:"table",staticStyle:{width:"100%","text-transform":"none"},attrs:{"header-cell-style":{"text-align":"center"},"cell-style":{"text-align":"center"},data:t.from1,"max-height":"600",stripe:""}},[e("el-table-column",{attrs:{prop:"id",label:t.$t("work.WorkID")}}),e("el-table-column",{attrs:{prop:"email",label:t.$t("work.mailbox"),"show-overflow-tooltip":!0,width:"230"}}),e("el-table-column",{attrs:{prop:"date",label:t.$t("work.submissionTime")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(t._s(t.handelTime(i.row.date)))])]}}])}),e("el-table-column",{attrs:{prop:"status",label:t.$t("work.status")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(" "+t._s(t.$t(t.handelStatus2(i.row.status)))+" ")])]}}])}),e("el-table-column",{attrs:{fixed:"right",label:t.$t("work.operation"),"min-width":"80"},scopedSlots:t._u([{key:"default",fn:function(i){return[e("el-button",{attrs:{type:"text",size:"small"},on:{click:function(e){return t.handelDetails(i.row)}}},[t._v(" "+t._s(t.$t("work.details"))+" ")]),e("el-popconfirm",{attrs:{"confirm-button-text":t.$t("work.confirm"),"cancel-button-text":t.$t("work.cancel"),icon:"el-icon-info","icon-color":"red",title:t.$t("work.confirmClose")},on:{confirm:function(e){return t.handelCloseWork(i.row)}}},[e("el-button",{staticClass:"elBtn",attrs:{slot:"reference",size:"small"},slot:"reference"},[t._v(t._s(t.$t("work.close")))])],1)]}}])})],1),e("el-row",{staticStyle:{"margin-top":"15px"},attrs:{type:"flex",justify:"center"}},[e("el-col",{attrs:{span:10}},[e("el-pagination",{attrs:{"current-page":t.currentPage1,"page-sizes":t.pageSizes,layout:"total, sizes, prev, pager, next, jumper",total:t.totalLimit1},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage1=e},"update:current-page":function(e){t.currentPage1=e}}})],1)],1)],1),e("el-tab-pane",{attrs:{label:t.$t("work.pending"),name:"pending"}},[e("el-table",{staticClass:"table",staticStyle:{width:"100%","text-transform":"none"},attrs:{"header-cell-style":{"text-align":"center"},"cell-style":{"text-align":"center"},data:t.from2,"max-height":"600",stripe:""}},[e("el-table-column",{attrs:{prop:"id",label:t.$t("work.WorkID"),width:"150"}}),e("el-table-column",{attrs:{prop:"email",label:t.$t("work.mailbox"),"show-overflow-tooltip":!0,width:"230"}}),e("el-table-column",{attrs:{prop:"date",label:t.$t("work.submissionTime"),width:"150"},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(t._s(t.handelTime(i.row.date)))])]}}])}),e("el-table-column",{attrs:{prop:"status",label:t.$t("work.status"),width:"150"},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(" "+t._s(t.$t(t.handelStatus2(i.row.status)))+" ")])]}}])}),e("el-table-column",{attrs:{fixed:"right",label:t.$t("work.operation"),"min-width":"150"},scopedSlots:t._u([{key:"default",fn:function(i){return[e("el-button",{attrs:{type:"text",size:"small"},on:{click:function(e){return t.handelDetails(i.row)}}},[t._v(" "+t._s(t.$t("work.details"))+" ")]),e("el-popconfirm",{attrs:{"confirm-button-text":t.$t("work.confirm"),"cancel-button-text":t.$t("work.cancel"),icon:"el-icon-info","icon-color":"red",title:t.$t("work.confirmClose")},on:{confirm:function(e){return t.handelCloseWork(i.row)}}},[e("el-button",{staticClass:"elBtn",attrs:{slot:"reference",size:"small"},slot:"reference"},[t._v(t._s(t.$t("work.close")))])],1)]}}])})],1),e("el-row",{staticStyle:{"margin-top":"15px"},attrs:{type:"flex",justify:"center"}},[e("el-col",{attrs:{span:10}},[e("el-pagination",{attrs:{"current-page":t.currentPage2,"page-sizes":t.pageSizes,layout:"total, sizes, prev, pager, next, jumper",total:t.totalLimit2},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage2=e},"update:current-page":function(e){t.currentPage2=e}}})],1)],1)],1),e("el-tab-pane",{attrs:{label:t.$t("work.completeWK"),name:"Finished"}},[e("el-table",{staticClass:"table",staticStyle:{width:"100%","text-transform":"none"},attrs:{"header-cell-style":{"text-align":"center"},"cell-style":{"text-align":"center"},data:t.from10,"max-height":"600",stripe:""}},[e("el-table-column",{attrs:{prop:"id",label:t.$t("work.WorkID")}}),e("el-table-column",{attrs:{prop:"email",label:t.$t("work.mailbox"),"show-overflow-tooltip":!0}}),e("el-table-column",{attrs:{prop:"date",label:t.$t("work.submissionTime")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(t._s(t.handelTime(i.row.date)))])]}}])}),e("el-table-column",{attrs:{prop:"status",label:t.$t("work.status")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(" "+t._s(t.$t(t.handelStatus2(i.row.status)))+" ")])]}}])}),e("el-table-column",{attrs:{fixed:"right",label:t.$t("work.operation"),"min-width":"80"},scopedSlots:t._u([{key:"default",fn:function(i){return[e("el-button",{attrs:{type:"text",size:"small"},on:{click:function(e){return t.handelDetails(i.row)}}},[t._v(" "+t._s(t.$t("work.details"))+" ")])]}}])})],1),e("el-row",{staticStyle:{"margin-top":"15px"},attrs:{type:"flex",justify:"center"}},[e("el-col",{attrs:{span:10}},[e("el-pagination",{attrs:{"current-page":t.currentPage10,"page-sizes":t.pageSizes,layout:"total, sizes, prev, pager, next, jumper",total:t.totalLimit10},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage10=e},"update:current-page":function(e){t.currentPage10=e}}})],1)],1)],1),e("el-tab-pane",{attrs:{label:t.$t("work.allWK"),name:"all"}},[e("el-table",{staticClass:"table",staticStyle:{width:"100%","text-transform":"none"},attrs:{"header-cell-style":{"text-align":"center"},"cell-style":{"text-align":"center"},data:t.from0,"max-height":"600",stripe:""}},[e("el-table-column",{attrs:{prop:"id",label:t.$t("work.WorkID")}}),e("el-table-column",{attrs:{prop:"email",label:t.$t("work.mailbox"),"show-overflow-tooltip":!0,width:"230"}}),e("el-table-column",{attrs:{prop:"date",label:t.$t("work.submissionTime")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(t._s(t.handelTime(i.row.date)))])]}}])}),e("el-table-column",{attrs:{prop:"status",label:t.$t("work.status")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(" "+t._s(t.$t(t.handelStatus2(i.row.status)))+" ")])]}}])}),e("el-table-column",{staticStyle:{"text-align":"left !important"},attrs:{fixed:"right",label:t.$t("work.operation"),"min-width":"80"},scopedSlots:t._u([{key:"default",fn:function(i){return[e("el-button",{attrs:{type:"text",size:"small"},on:{click:function(e){return t.handelDetails(i.row)}}},[t._v(" "+t._s(t.$t("work.details"))+" ")]),"10"!==i.row.status?e("el-popconfirm",{attrs:{"confirm-button-text":t.$t("work.confirm"),"cancel-button-text":t.$t("work.cancel"),icon:"el-icon-info","icon-color":"red",title:t.$t("work.confirmClose")},on:{confirm:function(e){return t.handelCloseWork(i.row)}}},[e("el-button",{staticClass:"elBtn",attrs:{slot:"reference",size:"small"},slot:"reference"},[t._v(t._s(t.$t("work.close")))])],1):e("el-popconfirm",{attrs:{"confirm-button-text":"确认","cancel-button-text":"取消",icon:"el-icon-info","icon-color":"red",title:"确定关闭此工单吗?"},on:{confirm:function(e){return t.handelCloseWork(i.row)}}},[e("el-button",{staticStyle:{"margin-left":"18px",border:"none",background:"transparent",width:"50px"},attrs:{slot:"reference",size:"small"},slot:"reference"})],1)]}}])})],1),e("el-row",{staticStyle:{"margin-top":"15px"},attrs:{type:"flex",justify:"center"}},[e("el-col",{attrs:{span:10}},[e("el-pagination",{attrs:{"current-page":t.currentPage0,"page-sizes":t.pageSizes,layout:"total, sizes, prev, pager, next, jumper",total:t.totalLimit0},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage0=e},"update:current-page":function(e){t.currentPage0=e}}})],1)],1)],1)],1)],1)])},e.Yp=[]},26445:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(97333),s=i(42251),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"6c8f77c4",null),l=o.exports},26497:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(22645),s=i(198),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"1669c709",null),l=o.exports},29028:function(t,e,i){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{staticClass:"jurisdictionPage"},[t.$isMobile?e("section",{directives:[{name:"loading",rawName:"v-loading",value:t.jurisdictionLoading,expression:"jurisdictionLoading"}],attrs:{"element-loading-text":t.loadingText}},[e("div",{staticClass:"accountInformation"},[e("img",{attrs:{src:t.jurisdiction.img,alt:"coin",loading:"lazy"}}),e("span",{staticClass:"coin"},[t._v(t._s(t.jurisdiction.coin)+" ")]),e("i",{staticClass:"iconfont icon-youjiantou"}),e("span",{staticClass:"ma"},[t._v(" "+t._s(t.jurisdiction.account))])]),e("div",{staticClass:"profitTop"},[e("div",{staticClass:"box"},[e("span",[t._v(t._s(t.$t("mining.totalRevenue"))+" "),e("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.totalRevenueTips")}},[e("img",{attrs:{src:i(3832),alt:"profit",loading:"lazy"}})])]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.totalProfit))])]),e("div",{staticClass:"box"},[e("span",[t._v(t._s(t.$t("mining.totalExpenditure"))+" "),e("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.totalExpenditureTips")}},[e("img",{attrs:{src:i(3832),alt:"profit",loading:"lazy"}})])]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.expend))])]),e("div",{staticClass:"box"},[e("span",[t._v(t._s(t.$t("mining.yesterdaySEarnings"))+" "),e("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.yesterdaySEarningsTips")}},[e("img",{attrs:{src:i(3832),alt:"profit",loading:"lazy"}})])]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.preProfit))])]),e("div",{staticClass:"box"},[e("span",[t._v(t._s(t.$t("mining.diggedToday"))+" "),e("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.diggedTodayTips")}},[e("img",{attrs:{src:i(3832),alt:"profit",loading:"lazy"}})])]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.todayPorfit))])]),e("div",{staticClass:"accountBalance"},[e("div",{staticClass:"box2"},[e("span",{staticClass:"paymentSettings"},[t._v(t._s(t.$t("mining.accountBalance"))+" "),e("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.balanceReminder")}},[e("img",{attrs:{src:i(3832),alt:"profit",loading:"lazy"}})])]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.balance))])])])]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.powerChartLoading,expression:"powerChartLoading"}],staticClass:"profitBtm2"},[e("div",{staticClass:"right"},[e("div",{staticClass:"intervalBox"},[e("div",{staticClass:"title"},[t._v(t._s(t.$t("mining.algorithmicDiagram")))]),e("div",{staticClass:"times"},t._l(t.intervalList,(function(i){return e("span",{key:i.value,class:{timeActive:t.timeActive==i.value},on:{click:function(e){return t.handleInterval(i.value)}}},[t._v(t._s(t.$t(i.label)))])})),0)]),e("div",{staticStyle:{width:"100%",height:"100%",padding:"0"},attrs:{id:"powerChart"}})])]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.barChartLoading,expression:"barChartLoading"}],staticClass:"barBox"},[e("div",{staticClass:"lineBOX"},[e("div",{staticClass:"intervalBox"},[e("div",{staticClass:"title"},[t._v(t._s(t.$t("mining.computingPower")))]),e("div",{staticClass:"timesBox"},[e("div",{staticClass:"times2"},t._l(t.AccountPowerDistributionintervalList,(function(i){return e("span",{key:i.value,class:{timeActive:t.barActive==i.value},on:{click:function(e){return t.distributionInterval(i.value)}}},[t._v(t._s(t.$t(i.label)))])})),0)])]),e("div",{staticStyle:{width:"100%",height:"90%",padding:"0"},attrs:{id:"barChart"}})])]),e("div",{staticClass:"searchBox"},[e("input",{directives:[{name:"model",rawName:"v-model",value:t.search,expression:"search"}],staticClass:"inout",attrs:{type:"text",placeholder:t.$t("personal.pleaseEnter2")},domProps:{value:t.search},on:{input:function(e){e.target.composing||(t.search=e.target.value)}}}),e("i",{staticClass:"el-icon-search",on:{click:t.handelSearch}})]),e("div",{staticClass:"top3Box"},[e("section",{staticClass:"tabPageBox"},[e("div",{staticClass:"tabPageTitle"},[e("div",{staticClass:"TitleS minerTitle",on:{click:function(e){return t.handleClick2("power")}}},[e("span",{staticClass:"trapezoid",class:{activeHeadlines:"power"==t.activeName2}},[e("span",[t._v(t._s(t.$t("mining.miner")))])])]),e("div",{directives:[{name:"show",rawName:"v-show",value:t.profitShow,expression:"profitShow"}],staticClass:"TitleS profitTitle",on:{click:function(e){return t.handleClick2("miningMachine")}}},[e("span",{staticClass:"trapezoid",class:{activeHeadlines:"miningMachine"==t.activeName2}},[e("span",[t._v(t._s(t.$t("mining.profit")))])])]),e("div",{directives:[{name:"show",rawName:"v-show",value:t.paymentShow,expression:"paymentShow"}],staticClass:"TitleS paymentTitle",on:{click:function(e){return t.handleClick2("payment")}}},[e("span",{staticClass:"trapezoid",class:{activeHeadlines:"payment"==t.activeName2}},[e("span",[t._v(t._s(t.$t("mining.payment")))])])])]),"power"==t.activeName2?e("section",{directives:[{name:"loading",rawName:"v-loading",value:t.MinerListLoading,expression:"MinerListLoading"}],staticClass:"page"},[e("div",{staticClass:"minerTitleBox"},[e("div",{staticClass:"TitleOnLine"},[e("span",{on:{click:function(e){return t.onlineStatus("all")}}},[e("span",{staticClass:"circularDots3",class:{activeCircular:"all"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.all"))+" "+t._s(t.MinerListData.all))]),e("span",{on:{click:function(e){return t.onlineStatus("onLine")}}},[e("div",{staticClass:"circularDots2",class:{activeCircular:"onLine"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.onLine"))+" "+t._s(t.MinerListData.online))]),e("span",{on:{click:function(e){return t.onlineStatus("off-line")}}},[e("div",{staticClass:"circularDots2",class:{activeCircular:"off-line"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.offLine"))+" "+t._s(t.MinerListData.offline))])])]),"all"==t.sunTabActiveName?e("div",{staticClass:"publicBox all"},[e("div",{staticClass:"TitleAll",staticStyle:{"font-weight":"600"}},[e("span",[t._v(" "+t._s(t.$t("mining.miner")))]),e("span",[t._v(" "+t._s(t.$t("mining.Minutes"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("30m")}}})]),e("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("24h")}}})])]),e("div",{staticClass:"totalTitleAll"},[e("span",[e("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total")))]),e("span",[t._v(t._s(this.formatNumber(t.MinerListData.rate))+" ")]),e("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")])]),e("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(e){t.Accordion=e},expression:"Accordion"}},t._l(t.MinerListTableData,(function(i,a){return e("div",{key:i.miner,class:"item-"+(a%2===0?"even":"odd")},[e("el-collapse-item",{attrs:{name:i.id},nativeOn:{click:function(e){return t.handelMiniOffLine(i.id,i.miner)}}},[e("template",{slot:"title"},[e("div",{staticClass:"accordionTitleAll"},[e("span",{class:{activeState:"2"==i.status}},["1"==i.status?e("div",{staticClass:"circularDotsOnLine"}):t._e(),"2"==i.status?e("div",{staticClass:"circularDotsOffLine"}):t._e(),t._v(" "+t._s(i.miner))]),e("span",[t._v(t._s(i.rate))]),e("span",[t._v(t._s(i.dailyRate))])])]),e("div",{staticClass:"table-item"},[e("div",[e("p",[t._v(t._s(t.$t("mining.submitTime")))]),e("p",[e("span",{staticClass:"offlineTime",class:{activeState:"2"==i.status},attrs:{title:i.submit}},[e("span",[t._v(t._s(i.submit)+" ")]),"2"==i.status?e("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(i.offline)}},[t._v(t._s(t.handelTimeInterval(i.offline)))]):t._e()])])]),e("div",[e("p",[t._v(t._s(t.$t("mining.state")))]),e("p",[e("span",{class:{activeState:"2"==i.status},attrs:{title:t.$t(t.handelStateList(i.status))}},[t._v(t._s(t.$t(t.handelStateList(i.status)))+" ")])])])]),e("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(i.miner)+"  "+t._s(t.$t("mining.power24H"))+" ")]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"SmallOff"+i.id}})],2)],1)})),0)],1):"onLine"==t.sunTabActiveName?e("div",{staticClass:"publicBox onLine"},[e("div",{staticClass:"TitleAll",staticStyle:{"font-weight":"600"}},[e("span",[t._v(" "+t._s(t.$t("mining.miner")))]),e("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("30m")}}})]),e("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("24h")}}})])]),e("div",{staticClass:"totalTitleAll"},[e("span",[e("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total"))+" ")]),e("span",[t._v(t._s(t.MinerListData.rate)+" ")]),e("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")])]),e("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(e){t.Accordion=e},expression:"Accordion"}},t._l(t.MinerListTableData,(function(i,a){return e("div",{key:t.sunTabActiveName+i.miner,class:"item-"+(a%2==0?"even":"odd")},[e("el-collapse-item",{attrs:{name:i.id},nativeOn:{click:function(e){return t.handelOnLineMiniChart(i.id,i.miner)}}},[e("template",{slot:"title"},[e("div",{staticClass:"accordionTitleAll"},[e("span",[e("div",{staticClass:"circularDotsOnLine"}),t._v(" "+t._s(i.miner))]),e("span",[t._v(t._s(i.rate))]),e("span",[t._v(t._s(i.dailyRate))])])]),e("div",{staticClass:"table-itemOn"},[e("div",[e("p",[t._v(t._s(t.$t("mining.submitTime")))]),e("p",[e("span",{staticClass:"offlineTime",class:{activeState:"2"==i.status},attrs:{title:i.submit}},[e("span",[t._v(t._s(i.submit)+" ")]),"2"==i.status?e("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(i.offline)}},[t._v(t._s(t.handelTimeInterval(i.offline)))]):t._e()])])])]),e("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(i.miner)+" "+t._s(t.$t("mining.power24H"))+" ")]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"Small"+i.id}})],2)],1)})),0)],1):"off-line"==t.sunTabActiveName?e("div",{staticClass:"publicBox off-line"},[e("div",{staticClass:"TitleAll",staticStyle:{"font-weight":"600"}},[e("span",[t._v(" "+t._s(t.$t("mining.miner")))]),e("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("30m")}}})]),e("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("24h")}}})])]),e("div",{staticClass:"totalTitleAll"},[e("span",[e("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total"))+" ")]),e("span",[t._v(t._s(t.MinerListData.rate)+" ")]),e("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")])]),e("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(e){t.Accordion=e},expression:"Accordion"}},t._l(t.MinerListTableData,(function(i,a){return e("div",{key:i.miner,class:"item-"+(a%2===0?"even":"odd")},[e("el-collapse-item",{attrs:{name:i.id},nativeOn:{click:function(e){return t.handelMiniOffLine(i.id,i.miner)}}},[e("template",{slot:"title"},[e("div",{staticClass:"accordionTitleAll"},[e("span",{class:{activeState:"2"==i.status}},[e("div",{staticClass:"circularDotsOffLine"}),t._v(" "+t._s(i.miner))]),e("span",[t._v(t._s(i.rate))]),e("span",[t._v(t._s(i.dailyRate))])])]),e("div",{staticClass:"table-itemOn"},[e("div",[e("p",[t._v(t._s(t.$t("mining.submitTime")))]),e("p",[e("span",{staticClass:"offlineTime",class:{activeState:"2"==i.status},attrs:{title:i.submit}},[e("span",[t._v(t._s(i.submit)+" ")]),"2"==i.status?e("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(i.offline)}},[t._v(t._s(t.handelTimeInterval(i.offline)))]):t._e()])])])]),e("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(i.miner)+" "+t._s(t.$t("mining.power24H"))+" ")]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"SmallOff"+i.id}})],2)],1)})),0)],1):t._e(),e("el-pagination",{staticStyle:{"margin-top":"10px","margin-bottom":"10px"},attrs:{"current-page":t.currentPageMiner,"page-sizes":[50,100,200,400],"page-size":t.MinerListParams.limit,layout:"sizes, prev, pager, next",total:t.minerTotal},on:{"size-change":t.handleSizeMiner,"current-change":t.handleCurrentMiner,"update:currentPage":function(e){t.currentPageMiner=e},"update:current-page":function(e){t.currentPageMiner=e}}})],1):t._e(),"miningMachine"==t.activeName2?e("section",{staticClass:"miningMachine"},[e("div",{staticClass:"belowTable"},[e("ul",[e("li",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("mining.settlementDate")}},[t._v(t._s(t.$t("mining.settlementDate")))]),e("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s")]),e("span",{attrs:{title:t.$t("mining.profit")}},[t._v(t._s(t.$t("mining.profit")))])]),t._l(t.HistoryIncomeData,(function(i,a){return e("li",{key:a,staticClass:"currency-list"},[e("span",{attrs:{title:i.date}},[t._v(t._s(i.date))]),e("span",{attrs:{title:i.mhs}},[t._v(t._s(i.mhs)+" ")]),e("span",{attrs:{title:i.amount}},[t._v(t._s(i.amount)+" "),e("span",{staticStyle:{color:"rgba(0, 0, 0, 0.5)","text-transform":"capitalize"}},[t._v(t._s(t.accountItem.coin))])])])}))],2),e("el-pagination",{staticClass:"pageBox",attrs:{"current-page":t.currentPageIncome,"page-sizes":[10,50,100,400],"page-size":t.IncomeParams.limit,layout:"sizes, prev, pager, next",total:t.HistoryIncomeTotal},on:{"size-change":t.handleSizeChangeIncome,"current-change":t.handleCurrentChangeIncome,"update:currentPage":function(e){t.currentPageIncome=e},"update:current-page":function(e){t.currentPageIncome=e}}})],1)]):t._e(),"payment"==t.activeName2?e("section",{staticClass:"payment"},[e("div",{staticClass:"belowTable"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("mining.withdrawalTime")}},[t._v(t._s(t.$t("mining.withdrawalTime")))]),e("span",{attrs:{title:t.$t("mining.withdrawalAmount")}},[t._v(t._s(t.$t("mining.withdrawalAmount")))]),e("span",{attrs:{title:t.$t("mining.paymentStatus")}},[t._v(t._s(t.$t("mining.paymentStatus")))])]),e("el-collapse",t._l(t.HistoryOutcomeData,(function(i,a){return e("el-collapse-item",{key:i.txid,staticClass:"collapseItem",attrs:{name:a}},[e("template",{slot:"title"},[e("div",{staticClass:"paymentCollapseTitle"},[e("span",[t._v(t._s(i.date))]),e("span",[t._v(t._s(i.amount))]),e("span",[t._v(t._s(t.$t(t.handelPayment(i.status))))])])]),e("div",{staticClass:"dropDownContent"},[i.address?e("div",[e("p",[t._v(t._s(t.$t("mining.withdrawalAddress")))]),e("p",[t._v(t._s(i.address)+" "),e("span",{staticClass:"copy",on:{click:function(e){return t.clickCopy(i.address)}}},[t._v(t._s(t.$t("personal.copy")))])])]):t._e(),i.txid?e("div",[e("p",[t._v("Txid")]),e("p",[e("span",{staticStyle:{cursor:"pointer","text-decoration":"underline",color:"#433278"},on:{click:function(e){return t.handelTxid(i.txid)}}},[t._v(" "+t._s(i.txid)+" ")]),t._v(" "),e("span",{staticClass:"copy",on:{click:function(e){return t.clickCopy(i.txid)}}},[t._v(t._s(t.$t("personal.copy")))])])]):t._e()])],2)})),1),e("el-pagination",{staticStyle:{"margin-top":"10px","margin-bottom":"10px"},attrs:{"current-page":t.currentPage,"page-sizes":[10,50,100,400],"page-size":t.OutcomeParams.limit,layout:"sizes, prev, pager, next",total:t.HistoryOutcomeTotal},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage=e},"update:current-page":function(e){t.currentPage=e}}})],1)]):t._e()])])]):e("section",{directives:[{name:"loading",rawName:"v-loading",value:t.jurisdictionLoading,expression:"jurisdictionLoading"}],staticClass:"miningAccount",attrs:{"element-loading-text":t.loadingText}},[e("div",{staticClass:"accountInformation"},[e("img",{attrs:{src:t.jurisdiction.img,alt:"coin",loading:"lazy"}}),e("span",{staticClass:"coin"},[t._v(t._s(t.jurisdiction.coin)+" ")]),e("i",{staticClass:"iconfont icon-youjiantou"}),e("span",{staticClass:"ma"},[t._v(" "+t._s(t.jurisdiction.account))])]),e("div",{staticClass:"profitBox"},[e("div",{staticClass:"profitTop"},[e("div",{staticClass:"box"},[e("span",[t._v(t._s(t.$t("mining.totalRevenue"))+" ")]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.totalProfit))])]),e("div",{staticClass:"box"},[e("span",[t._v(t._s(t.$t("mining.totalExpenditure"))+" ")]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.expend))])]),e("div",{staticClass:"box"},[e("span",[t._v(t._s(t.$t("mining.yesterdaySEarnings"))+" ")]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.preProfit))])]),e("div",{staticClass:"box"},[e("span",[t._v(t._s(t.$t("mining.diggedToday"))+" "),e("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.diggedTodayTips")}},[e("img",{attrs:{src:i(3832),alt:"profit",loading:"lazy"}})])]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.todayPorfit))])]),e("div",{staticClass:"box"},[e("span",{staticClass:"paymentSettings"},[t._v(t._s(t.$t("mining.accountBalance"))+" "),e("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.balanceReminder")}},[e("img",{attrs:{src:i(3832),alt:"profit",loading:"lazy"}})])]),e("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.balance)+" ")])])]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.powerChartLoading,expression:"powerChartLoading"}],staticClass:"profitBtm"},[e("div",{staticClass:"right"},[e("div",{staticClass:"intervalBox"},[e("div",{staticClass:"title"},[t._v(t._s(t.$t("mining.algorithmicDiagram")))]),e("div",{staticClass:"times"},t._l(t.intervalList,(function(i){return e("span",{key:i.value,class:{timeActive:t.timeActive==i.value},on:{click:function(e){return t.handleInterval(i.value)}}},[t._v(t._s(t.$t(i.label)))])})),0)]),e("div",{staticStyle:{width:"100%",height:"100%",padding:"0"},attrs:{id:"powerChart"}})])])]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.barChartLoading,expression:"barChartLoading"}],staticClass:"top2Box"},[e("div",{staticClass:"lineBOX"},[e("div",{staticClass:"intervalBox"},[e("div",{staticClass:"title"},[t._v(t._s(t.$t("mining.computingPower")))]),e("div",{staticClass:"times"},t._l(t.AccountPowerDistributionintervalList,(function(i){return e("span",{key:i.value,class:{timeActive:t.barActive==i.value},on:{click:function(e){return t.distributionInterval(i.value)}}},[t._v(t._s(t.$t(i.label)))])})),0)]),e("div",{staticStyle:{width:"100%",height:"90%",padding:"0"},attrs:{id:"barChart"}})])]),e("div",{staticClass:"top3Box"},[e("section",{staticClass:"tabPageBox"},[e("div",{staticClass:"tabPageTitle"},[e("div",{staticClass:"TitleS minerTitle",on:{click:function(e){return t.handleClick2("power")}}},[e("span",{staticClass:"trapezoid",class:{activeHeadlines:"power"==t.activeName2}},[e("span",[t._v(t._s(t.$t("mining.miner")))])])]),e("div",{directives:[{name:"show",rawName:"v-show",value:t.profitShow,expression:"profitShow"}],staticClass:"TitleS profitTitle",on:{click:function(e){return t.handleClick2("miningMachine")}}},[e("span",{staticClass:"trapezoid",class:{activeHeadlines:"miningMachine"==t.activeName2}},[e("span",[t._v(t._s(t.$t("mining.profit")))])])]),e("div",{directives:[{name:"show",rawName:"v-show",value:t.paymentShow,expression:"paymentShow"}],staticClass:"TitleS paymentTitle",on:{click:function(e){return t.handleClick2("payment")}}},[e("span",{staticClass:"trapezoid",class:{activeHeadlines:"payment"==t.activeName2}},[e("span",[t._v(t._s(t.$t("mining.payment")))])])])]),"power"==t.activeName2?e("section",{directives:[{name:"loading",rawName:"v-loading",value:t.MinerListLoading,expression:"MinerListLoading"}],staticClass:"page"},[e("div",{staticClass:"minerTitleBox"},[e("div",{staticClass:"TitleOnLine"},[e("span",{on:{click:function(e){return t.onlineStatus("all")}}},[e("span",{staticClass:"circularDots3",class:{activeCircular:"all"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.all"))+" "+t._s(t.MinerListData.all))]),e("span",{on:{click:function(e){return t.onlineStatus("onLine")}}},[e("div",{staticClass:"circularDots2",class:{activeCircular:"onLine"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.onLine"))+" "+t._s(t.MinerListData.online))]),e("span",{on:{click:function(e){return t.onlineStatus("off-line")}}},[e("div",{staticClass:"circularDots2",class:{activeCircular:"off-line"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.offLine"))+" "+t._s(t.MinerListData.offline))])]),e("div",{staticClass:"searchBox"},[e("input",{directives:[{name:"model",rawName:"v-model",value:t.search,expression:"search"}],staticClass:"inout",attrs:{type:"text",placeholder:t.$t("personal.pleaseEnter2")},domProps:{value:t.search},on:{input:function(e){e.target.composing||(t.search=e.target.value)}}}),e("i",{staticClass:"el-icon-search",on:{click:t.handelSearch}})])]),"all"==t.sunTabActiveName?e("div",{staticClass:"publicBox all"},[e("div",{staticClass:"TitleAll",staticStyle:{"font-weight":"600"}},[e("span",[t._v(" "+t._s(t.$t("mining.miner")))]),e("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("30m")}}})]),e("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("24h")}}})]),e("span",[t._v(t._s(t.$t("mining.submitTime")))]),e("span",[t._v(t._s(t.$t("mining.state")))])]),e("div",{staticClass:"totalTitleAll"},[e("span",[e("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total")))]),e("span",[t._v(t._s(t.MinerListData.rate)+" ")]),e("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")]),e("span",[t._v(t._s(t.MinerListData.submit)+" ")]),e("span")]),e("el-collapse",{staticStyle:{"max-height":"800PX",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(e){t.Accordion=e},expression:"Accordion"}},t._l(t.sortedMinerListTableData,(function(i,a){return e("div",{key:i.miner,class:"item-"+(a%2===0?"even":"odd")},[e("el-collapse-item",{attrs:{name:i.id},nativeOn:{click:function(e){return t.handelMiniOffLine(i.id,i.miner)}}},[e("template",{slot:"title"},[e("div",{staticClass:"accordionTitleAll"},[e("span",{class:{activeState:"2"==i.status}},["1"==i.status?e("div",{staticClass:"circularDotsOnLine"}):t._e(),t._v(" "),"2"==i.status?e("div",{staticClass:"circularDotsOffLine"}):t._e(),t._v(" "+t._s(i.miner))]),e("span",[t._v(t._s(i.rate))]),e("span",[t._v(t._s(i.dailyRate))]),e("span",{staticClass:"offlineTime",class:{activeState:"2"==i.status},attrs:{title:i.submit}},[e("span",[t._v(t._s(i.submit)+" ")]),t._v(" "),"2"==i.status?e("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(i.offline)}},[t._v(t._s(t.handelTimeInterval(i.offline)))]):t._e()]),e("span",{class:{activeState:"2"==i.status}},[t._v(t._s(t.$t(t.handelStateList(i.status)))+" ")])])]),e("p",{staticClass:"chartTitle"},[t._v(t._s(t.$t("mining.miner"))+t._s(i.miner)+"  "+t._s(t.$t("mining.power24H")))]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300PX"},attrs:{id:"SmallOff"+i.id}})],2)],1)})),0)],1):"onLine"==t.sunTabActiveName?e("div",{staticClass:"publicBox onLine"},[e("div",{staticClass:"Title",staticStyle:{"font-weight":"600"}},[e("span",[t._v(" "+t._s(t.$t("mining.miner")))]),e("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("30m")}}})]),e("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("24h")}}})]),e("span",[t._v(t._s(t.$t("mining.submitTime")))])]),e("div",{staticClass:"totalTitle"},[e("span",[e("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total"))+" ")]),e("span",[t._v(t._s(t.MinerListData.rate)+" ")]),e("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")]),e("span",[t._v(t._s(t.MinerListData.submit)+" ")])]),e("el-collapse",{staticStyle:{"max-height":"800PX",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(e){t.Accordion=e},expression:"Accordion"}},t._l(t.MinerListTableData,(function(i,a){return e("div",{key:t.sunTabActiveName+i.miner,class:"item-"+(a%2==0?"even":"odd")},[e("el-collapse-item",{attrs:{name:i.id},nativeOn:{click:function(e){return t.handelOnLineMiniChart(i.id,i.miner)}}},[e("template",{slot:"title"},[e("div",{staticClass:"accordionTitle"},[e("span",[e("div",{staticClass:"circularDotsOnLine"}),t._v(" "+t._s(i.miner))]),e("span",[t._v(t._s(i.rate))]),e("span",[t._v(t._s(i.dailyRate))]),e("span",[t._v(t._s(i.submit))])])]),e("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(i.miner)+" "+t._s(t.$t("mining.power24H")))]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300PX"},attrs:{id:"Small"+i.id}})],2)],1)})),0)],1):"off-line"==t.sunTabActiveName?e("div",{staticClass:"publicBox off-line"},[e("div",{staticClass:"Title",staticStyle:{"font-weight":"600"}},[e("span",[t._v(" "+t._s(t.$t("mining.miner")))]),e("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("30m")}}})]),e("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),e("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(e){return t.handleSort("24h")}}})]),e("span",[t._v(t._s(t.$t("mining.submitTime")))])]),e("div",{staticClass:"totalTitle"},[e("span",[e("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total"))+" ")]),e("span",[t._v(t._s(t.MinerListData.rate)+" ")]),e("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")]),e("span",[t._v(t._s(t.MinerListData.submit)+" ")])]),e("el-collapse",{staticStyle:{"max-height":"800PX",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(e){t.Accordion=e},expression:"Accordion"}},t._l(t.MinerListTableData,(function(i,a){return e("div",{key:i.miner,class:"item-"+(a%2===0?"even":"odd")},[e("el-collapse-item",{attrs:{name:i.id},nativeOn:{click:function(e){return t.handelMiniOffLine(i.id,i.miner)}}},[e("template",{slot:"title"},[e("div",{staticClass:"accordionTitle"},[e("span",{class:{activeState:"2"==i.status}},[e("div",{staticClass:"circularDotsOffLine"}),t._v(" "+t._s(i.miner))]),e("span",[t._v(t._s(i.rate))]),e("span",[t._v(t._s(i.dailyRate))]),e("span",{staticClass:"offlineTime",class:{activeState:"2"==i.status},attrs:{title:i.submit}},[e("span",[t._v(t._s(i.submit)+" ")]),t._v(" "),"2"==i.status?e("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(i.offline)}},[t._v(t._s(t.handelTimeInterval(i.offline)))]):t._e()])])]),e("p",{staticClass:"chartTitle"},[t._v(t._s(t.$t("mining.miner"))+t._s(i.miner)+" "+t._s(t.$t("mining.power24H")))]),e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300PX"},attrs:{id:"SmallOff"+i.id}})],2)],1)})),0)],1):t._e(),e("el-pagination",{staticClass:"minerPagination",attrs:{"current-page":t.currentPageMiner,"page-sizes":[50,100,200,400],"page-size":t.MinerListParams.limit,layout:"total, sizes, prev, pager, next, jumper",total:t.minerTotal},on:{"size-change":t.handleSizeMiner,"current-change":t.handleCurrentMiner,"update:currentPage":function(e){t.currentPageMiner=e},"update:current-page":function(e){t.currentPageMiner=e}}})],1):t._e(),"miningMachine"==t.activeName2?e("section",{staticClass:"miningMachine"},[e("div",{staticClass:"belowTable"},[e("ul",[e("li",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("mining.settlementDate")}},[t._v(t._s(t.$t("mining.settlementDate")))]),e("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s")]),e("span",{attrs:{title:t.$t("mining.profit")}},[t._v(t._s(t.$t("mining.profit")))])]),t._l(t.HistoryIncomeData,(function(i,a){return e("li",{key:a,staticClass:"currency-list"},[e("span",{attrs:{title:i.date}},[t._v(t._s(i.date))]),e("span",{attrs:{title:i.mhs}},[t._v(t._s(i.mhs)+" ")]),e("span",{attrs:{title:i.amount}},[t._v(t._s(i.amount)+" "),e("span",{staticStyle:{color:"rgba(0,0,0,0.5)","text-transform":"capitalize"}},[t._v(t._s(t.jurisdiction.coin.includes("dgb")?"dgb":t.jurisdiction.coin))])])])}))],2),e("el-pagination",{attrs:{"current-page":t.currentPageIncome,"page-sizes":[10,50,100,400],"page-size":t.IncomeParams.limit,layout:"total, sizes, prev, pager, next, jumper",total:t.HistoryIncomeTotal},on:{"size-change":t.handleSizeChangeIncome,"current-change":t.handleCurrentChangeIncome,"update:currentPage":function(e){t.currentPageIncome=e},"update:current-page":function(e){t.currentPageIncome=e}}})],1)]):t._e(),"payment"==t.activeName2?e("section",{staticClass:"payment"},[e("div",{staticClass:"belowTable"},[e("ul",[e("li",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("mining.withdrawalTime")}},[t._v(t._s(t.$t("mining.withdrawalTime")))]),e("span",{attrs:{title:t.$t("mining.withdrawalAddress")}},[t._v(t._s(t.$t("mining.withdrawalAddress")))]),e("span",{attrs:{title:t.$t("mining.withdrawalAmount")}},[t._v(t._s(t.$t("mining.withdrawalAmount")))]),e("span",{attrs:{title:t.$t("mining.paymentStatus")}},[t._v(t._s(t.$t("mining.paymentStatus")))])]),t._l(t.HistoryOutcomeData,(function(i){return e("li",{key:i.txid,staticClass:"currency-list"},[e("span",{attrs:{title:i.date}},[t._v(t._s(i.date))]),e("span",{staticStyle:{"text-align":"left"},attrs:{title:i.address}},[t._v(t._s(i.address))]),e("span",{attrs:{title:i.amount}},[t._v(t._s(i.amount)+" "),e("span",{staticStyle:{color:"rgba(0,0,0,0.5)","text-transform":"capitalize"}},[t._v(t._s(t.jurisdiction.coin.includes("dgb")?"dgb":t.jurisdiction.coin))])]),e("span",{staticClass:"txidBox"},[e("span",{staticStyle:{"font-size":"0.8rem"}},[t._v(t._s(t.$t(t.handelPayment(i.status)))+" ")]),0!==i.status?e("span",{staticClass:"txid"},[e("el-popover",{attrs:{placement:"top",width:"300",trigger:"hover"}},[e("span",{ref:"txidRef",refInFor:!0,attrs:{id:`id${i.txid}`}},[t._v(t._s(i.txid))]),e("div",{staticStyle:{"text-align":"right",margin:"0"}},[e("el-button",{staticStyle:{"border-radius":"5PX"},attrs:{size:"mini"},on:{click:function(e){return t.copyTxid(i.txid)}}},[t._v(t._s(t.$t("personal.copy")))])],1),e("div",{attrs:{slot:"reference"},on:{click:function(e){return t.handelTxid(i.txid)}},slot:"reference"},[t._v("Txid")])])],1):t._e()])])}))],2),e("el-pagination",{attrs:{"current-page":t.currentPage,"page-sizes":[10,50,100,400],"page-size":t.OutcomeParams.limit,layout:"total, sizes, prev, pager, next, jumper",total:t.HistoryOutcomeTotal},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage=e},"update:current-page":function(e){t.currentPage=e}}})],1)]):t._e()])])])])},e.Yp=[]},35936:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(52731),s=i(89685),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"e7166dbe",null),l=o.exports},36167:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(15045),s=i(92279),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"5057d973",null),l=o.exports},42251:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"B",{value:!0}),e.A=void 0;var s=a(i(17609));e.A={metaInfo:{meta:[{name:"keywords",content:"费率页面,挖矿费率,收益计算,全网最低费率,Rate Page,Mining Rates,Revenue Calculation,Lowest Rates on the Net"},{name:"description",content:window.vm.$t("seo.rate")}]},mixins:[s.default]}},52731:function(t,e){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c,i=t._self._setupProxy;return e("div",[e("h1",[t._v(t._s(t.msg))]),e("div",{staticClass:"user-input-container"},[e("div",{staticClass:"input-group",class:{disabled:i.isConnected}},[e("input",{directives:[{name:"model",rawName:"v-model",value:i.email,expression:"email"}],attrs:{placeholder:"请输入您的用户邮箱",disabled:i.isConnected},domProps:{value:i.email},on:{input:function(t){t.target.composing||(i.email=t.target.value)}}}),e("input",{directives:[{name:"model",rawName:"v-model",value:i.targetEmail,expression:"targetEmail"}],attrs:{placeholder:"请输入目标用户邮箱",disabled:i.isConnected},domProps:{value:i.targetEmail},on:{keyup:function(e){if(!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter"))return null;!i.isConnected&&!i.isConnecting&&i.connectWebSocket()},input:function(t){t.target.composing||(i.targetEmail=t.target.value)}}})]),e("div",{staticClass:"button-group"},[e("button",{class:{disabled:i.isConnected||i.isConnecting||!i.email||!i.targetEmail},attrs:{disabled:i.isConnected||i.isConnecting||!i.email||!i.targetEmail},on:{click:i.connectWebSocket}},[t._v(" "+t._s(i.isConnecting?"连接中...":"连接")+" ")]),i.isConnected?e("button",{staticClass:"disconnect-btn",on:{click:i.disconnectWebSocket}},[t._v(" 断开连接 ")]):t._e()])]),i.connectionError?e("div",{staticClass:"error-message"},[t._v(" "+t._s(i.connectionError)+" ")]):t._e(),i.isConnected?e("div",[e("div",{staticClass:"chat-container"},[e("div",{ref:"messageList",staticClass:"message-list"},t._l(i.receivedMessages,(function(a,s){return e("div",{key:s,staticClass:"message",class:{"error-message":a.error}},[e("div","string"===typeof a?[t._v(t._s(a))]:[e("div",{staticClass:"message-header"},[e("span",{staticClass:"message-sender"},[t._v(t._s(a.sender||"Unknown"))]),e("span",{staticClass:"message-time"},[t._v(t._s(i.formatTime(a.timestamp)))])]),e("div",{staticClass:"message-content"},[t._v(t._s(a.content))])])])})),0),e("div",{staticClass:"input-container"},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:i.message,expression:"message"}],attrs:{placeholder:"输入消息...",rows:"3"},domProps:{value:i.message},on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"enter",13,e.key,"Enter")?null:i.sendMessage.apply(null,arguments)},input:function(t){t.target.composing||(i.message=t.target.value)}}}),e("button",{attrs:{disabled:!i.message.trim()},on:{click:i.sendMessage}},[t._v(" 发送 ")])])])]):t._e()])},e.Yp=[]},56958:function(t,e,i){Object.defineProperty(e,"__esModule",{value:!0}),e["default"]=void 0,i(18111),i(20116),i(7588);var a=i(27409),s=i(82908);e["default"]={data(){return{luckData:{luck3d:"0",luck7d:"0",luck30d:0,luck90d:0},BlockInfoData:[],currentPage:1,currencyList:[],BlockInfoParams:{coin:"nexa",limit:10,page:1},params:{coin:"nexa"},customColor:"#C1A1FE",weekColor:"#F6C12B",monthColor:"#7DD491",MarchColor:"#F94280",ItemActive:"nexa",reportBlockLoading:!1,totalSize:0,LuckDataLoading:!1,currencyPath:`${this.$baseApi}img/nexa.png`,transactionFeeList:[{label:"mona",coin:"mona",feeShow:!1},{label:"dgb(skein)",coin:"dgbs",feeShow:!1},{coin:"dgbq",label:"dgb(qubit)",feeShow:!1},{coin:"dgbo",label:"dgb(odocrypt)",feeShow:!1}],FeeShow:!0,activeItemCoin:{value:"nexa",label:"nexa",imgUrl:`${this.$baseApi}img/nexa.png`},isInternalChange:!1}},watch:{activeItemCoin:{handler(t){this.isInternalChange||this.handleActiveItemChange(t)},deep:!0}},mounted(){this.$route.query.coin&&(this.ItemActive=this.$route.query.coin,this.currencyPath=this.$route.query.imgUrl,this.params.coin=this.$route.query.coin,this.BlockInfoParams.coin=this.$route.query.coin,this.ItemActive=this.$route.query.coin,this.handelCoinLabel(this.$route.query.coin)),this.getLuckData(this.params),this.getBlockInfoData(this.BlockInfoParams),this.registerRecoveryMethod("getLuckData",this.params),this.registerRecoveryMethod("getBlockInfoData",this.BlockInfoParams);let t=localStorage.getItem("activeItemCoin");this.activeItemCoin=JSON.parse(t),this.currencyList=JSON.parse(localStorage.getItem("currencyList")),window.addEventListener("setItem",(()=>{this.currencyList=JSON.parse(localStorage.getItem("currencyList"));let t=localStorage.getItem("activeItemCoin");this.activeItemCoin=JSON.parse(t)}))},methods:{getLuckData:(0,s.Debounce)((async function(t){this.setLoading("LuckDataLoading",!0);const e=await(0,a.getLuck)(t);e&&200==e.code&&(this.luckData=e.data),this.setLoading("LuckDataLoading",!1)}),200),getBlockInfoData:(0,s.Debounce)((async function(t){this.setLoading("reportBlockLoading",!0);const e=await(0,a.getBlockInfo)(t);e||this.setLoading("reportBlockLoading",!1),this.totalSize=e.total,this.BlockInfoData=e.rows,this.BlockInfoData.forEach(((t,e)=>{t.date=`${t.date.split("T")[0]} ${t.date.split("T")[1].split(".")[0]}`})),this.setLoading("reportBlockLoading",!1)}),200),handleActiveItemChange(t){this.currencyPath=t.imgUrl,this.params.coin=t.value,this.BlockInfoParams.coin=t.value,this.ItemActive=t.value,this.getBlockInfoData(this.BlockInfoParams),this.getLuckData(this.params),this.handelCoinLabel(t.value)},clickCurrency(t){t&&(this.luckData={},this.isInternalChange=!0,this.activeItemCoin=t,this.$addStorageEvent(1,"activeItemCoin",JSON.stringify(t)),this.$nextTick((()=>{this.isInternalChange=!1})),this.handleActiveItemChange(t))},clickItem(t){switch(this.ItemActive){case"nexa":window.open(`https://explorer.nexa.org/block-height/${t.height}`);break;case"grs":window.open(`https://chainz.cryptoid.info/grs/block.dws?${t.height}.htm`);break;case"mona":window.open(`https://mona.insight.monaco-ex.org/insight/block/${t.hash}`);break;case"rxd":window.open(`https://explorer.radiantblockchain.org/block-height/${t.height}`);break;case"enx":break;case"alph":window.open(`https://explorer.alephium.org/blocks/${t.hash}`);break;default:break}this.ItemActive.includes("dgb")&&window.open(`https://chainz.cryptoid.info/dgb/block.dws?${t.height}.htm`)},handleSizeChange(t){console.log(`每页 ${t} 条`),this.BlockInfoParams.limit=t,this.BlockInfoParams.page=1,this.currentPage=1,this.getBlockInfoData(this.BlockInfoParams)},handleCurrentChange(t){console.log(`当前页: ${t}`),this.BlockInfoParams.page=t,this.getBlockInfoData(this.BlockInfoParams)},handelCoinLabel(t){let e={coin:""};t&&(e=this.transactionFeeList.find((e=>e.coin==t)),this.FeeShow=!1),e||(this.FeeShow=!0)},handelLabel(t){return t.includes("dgb")?"dgb":t},handelCurrencyLabel(t){let e=this.currencyList.find((e=>e.value==t));return e?e.label:""}}}},58437:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(81529),s=i(75410),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"d42df632",null),l=o.exports},61969:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(29028),s=i(8579),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"a57ca41e",null),l=o.exports},65681:function(t,e,i){var a=i(91774)["default"];Object.defineProperty(e,"__esModule",{value:!0}),e["default"]=void 0,i(44114),i(18111),i(22489),i(20116),i(7588),i(14603),i(47566),i(98721);var s=a(i(3574)),n=i(46508),r=i(82908);e["default"]={data(){return{activeName:"power",option:{legend:{right:100,show:!0,formatter:function(t){return t}},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,formatter:function(t){var e;e=t[0].axisValueLabel;for(let i=0;i<=t.length-1;i++)"Rejection rate"==t[i].seriesName||"拒绝率"==t[i].seriesName?e+=`
    ${t[i].marker} ${t[i].seriesName}      ${t[i].value}%`:e+=`
    ${t[i].marker} ${t[i].seriesName}      ${t[i].value}`;return e},axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:[]},yAxis:[{position:"left",type:"value",name:"GH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",splitNumber:"5",show:!0,min:0,max:100,splitLine:{show:!1}}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2},{type:"inside",start:0,end:100}],series:[{name:"总算力",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[],yAxisIndex:1}]},barOption:{tooltip:{trigger:"axis",axisPointer:{type:"shadow"}},grid:{left:"3%",right:"4%",bottom:"3%",containLabel:!0},xAxis:[{name:"MH/s",type:"category",data:[],axisTick:{alignWithLabel:!0}}],yAxis:[{type:"value",show:!0,name:"Pcs",nameTextStyle:{padding:[0,0,0,-25]}}],dataZoom:[{type:"inside",start:0,end:80,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"count",type:"bar",barWidth:"60%",data:[],itemStyle:{borderRadius:[100,100,0,0],color:"#7645EE"}}]},miniOption:{legend:{right:100,show:!1,formatter:function(t){return t}},grid:{left:"5%",containLabel:!0},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,formatter:function(t){var e;e=t[0].axisValueLabel;for(let i=0;i<=t.length-1;i++)"Rejection rate"==t[i].seriesName||"拒绝率"==t[i].seriesName?e+=`
    ${t[i].marker} ${t[i].seriesName}      ${t[i].value}%`:e+=`
    ${t[i].marker} ${t[i].seriesName}      ${t[i].value}`;return e},axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:["07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1"]},yAxis:[{position:"left",type:"value",name:"MH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",splitNumber:"5",show:!0,splitLine:{show:!1}},{position:"right",splitNumber:"5",show:!1},{position:"right",splitNumber:"5",show:!1}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"Computational power",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63],yAxisIndex:1}]},onLineOption:{legend:{right:100,show:!1,formatter:function(t){return t}},grid:{left:"5%",containLabel:!0},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,formatter:function(t){var e;return e=t[0].axisValueLabel,e+=`
    ${t[0].marker} ${t[0].seriesName}     ${t[0].value}\n
    ${t[1].marker} ${t[1].seriesName}     ${t[1].value}% \n `,e},axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:["07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1"]},yAxis:[{position:"left",type:"value",name:"MH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",splitNumber:"5",show:!0},{position:"right",splitNumber:"5",show:!1},{position:"right",splitNumber:"5",show:!1}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"Computational power",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63],yAxisIndex:1}]},OffLineOption:{legend:{right:100,show:!1,formatter:function(t){return t}},grid:{left:"5%",containLabel:!0},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,formatter:function(t){var e;return e=t[0].axisValueLabel,e+=`
    ${t[0].marker} ${t[0].seriesName}     ${t[0].value}\n
    ${t[1].marker} ${t[1].seriesName}     ${t[1].value}% \n `,e},axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:["07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1"]},yAxis:[{position:"left",type:"value",name:"MH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",splitNumber:"5",show:!0,splitLine:{show:!1}}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"Computational power",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63],yAxisIndex:1}]},sunTabActiveName:"all",Accordion:"",currentPage:1,params:{key:""},PowerParams:{interval:"rt",key:""},PowerDistribution:{interval:"rt",key:""},MinerListParams:{type:"0",filter:"",limit:50,page:1,key:"",sort:"30m",collation:"asc"},activeName2:"power",IncomeParams:{limit:10,page:1,key:""},OutcomeParams:{limit:10,page:1,key:""},MinerAccountData:{},MinerListData:{},intervalList:[{value:"rt",label:"home.realTime"},{value:"1d",label:"home.day"}],HistoryIncomeData:[],HistoryOutcomeData:[],currentPageIncome:1,MinerListTableData:[],AccountPowerDistributionintervalList:[{value:"rt",label:"home.realTime"},{value:"1d",label:"home.day"}],miniLoading:!1,search:"",input2:"",timeActive:"rt",barActive:"rt",powerChartLoading:!1,barChartLoading:!1,miniChartParams:{miner:"",coin:"grs",key:""},ids:"smallChart107fx61",activeMiner:"",miniId:"",MinerListLoading:!1,miner:"miner",accountId:"",currentPageMiner:1,minerTotal:0,accountItem:{},HistoryIncomeTotal:0,HistoryOutcomeTotal:0,jurisdiction:[],minerShow:!1,profitShow:!1,paymentShow:!1,jurisdictionLoading:!1,stateList:[{value:"1",label:"mining.onLine"},{value:"2",label:"mining.offLine"}],loadingText:"personal.loadingText",directives:{throttle:{bind(t,e){let i;t.addEventListener("click",(t=>{(!i||Date.now()-i>=e.value)&&(i=Date.now(),e.value.apply(t.target,[t]))}))}}},paymentStatusList:[{value:0,label:"mining.paymentInProgress"},{value:1,label:"mining.paymentCompleted"}]}},watch:{$route(t,e){this.loadingText=this.$t("personal.loadingText"),this.fetchPageInfo({key:this.params.key}),this.getMinerListData(this.MinerListParams),this.getMinerAccountPowerData(this.PowerParams),this.getAccountPowerDistributionData(this.PowerDistribution)},"$i18n.locale":t=>{location.reload()}},computed:{sortedMinerListTableData(){return this.MinerListTableData?[...this.MinerListTableData].sort(((t,e)=>{const i=String(t.status),a=String(e.status);return"2"===i&&"2"!==a?-1:"2"!==i&&"2"===a?1:0})):[]}},mounted(){this.loadingText=this.$t("personal.loadingText");const t=new URLSearchParams(window.location.search);this.params.key=t.get("key"),this.PowerParams.key=t.get("key"),this.PowerDistribution.key=t.get("key"),this.MinerListParams.key=t.get("key"),this.IncomeParams.key=t.get("key"),this.OutcomeParams.key=t.get("key"),this.fetchPageInfo({key:this.params.key}),this.getMinerListData(this.MinerListParams),this.getMinerAccountPowerData(this.PowerParams),this.getAccountPowerDistributionData(this.PowerDistribution),this.registerRecoveryMethod("getMinerListData",this.MinerListParams),this.registerRecoveryMethod("getMinerAccountPowerData",this.PowerParams),this.registerRecoveryMethod("getAccountPowerDistributionData",this.PowerDistribution),this.registerRecoveryMethod("fetchPageInfo",{key:this.params.key})},methods:{inCharts(){this.myChart=s.init(document.getElementById("powerChart")),this.option.series[0].name=this.$t("home.finallyPower"),this.option.series[1].name=this.$t("home.rejectionRate"),this.myChart.setOption(this.option),window.addEventListener("resize",(0,r.throttle)((()=>{this.myChart&&this.myChart.resize()}),200))},smallInCharts(t){t.series[0].name=this.$t("home.minerSComputingPower"),t.series[1].name=this.$t("home.rejectionRate"),this.miniChart.setOption(t,!0),window.addEventListener("resize",(0,r.throttle)((()=>{this.miniChart&&this.miniChart.resize()}),200))},barInCharts(){null==this.barChart&&(this.barChart=s.init(document.getElementById("barChart"))),this.barOption.series[0].name=this.$t("home.numberOfMiningMachines"),this.barChart.setOption(this.barOption),window.addEventListener("resize",(0,r.throttle)((()=>{this.barChart&&this.barChart.resize()}),200))},async fetchPageInfo(t){this.setLoading("jurisdictionLoading",!0);const e=await(0,n.getPageInfo)(t);console.log(e),e&&200==e.code&&(this.jurisdiction=e.data,this.jurisdiction.config.includes("3")&&(this.paymentShow=!0),this.jurisdiction.config.includes("2")&&(this.profitShow=!0),this.jurisdiction.config.includes("1")&&(this.minerShow=!0),this.profitShow&&(this.getHistoryIncomeData(this.IncomeParams),this.getMinerAccountInfoData(this.params)),this.paymentShow&&this.getHistoryOutcomeData(this.OutcomeParams)),this.setLoading("jurisdictionLoading",!1)},async getMinerAccountInfoData(t){const e=await(0,n.getProfitInfo)(t);this.MinerAccountData=e.data},async getMinerAccountPowerData(t){this.setLoading("powerChartLoading",!0);const e=await(0,n.getMinerAccountPower)(t);if(!e)return this.setLoading("powerChartLoading",!1),void(this.myChart&&this.myChart.dispose());let i=e.data,a=[],s=[],r=[];i.forEach((e=>{e.date.includes("T")&&"rt"==t.interval?e.date=`${e.date.split("T")[0]} ${e.date.split("T")[1].split(".")[0]}`:e.date.includes("T")&&"1d"==t.interval&&(e.date=e.date.split("T")[0]),a.push(e.date),s.push(e.pv.toFixed(2)),r.push((100*e.rejectRate).toFixed(4))}));let o=Math.max(...r);o=Math.round(3*o),o>0&&(this.option.yAxis[1].max=o),this.option.xAxis.data=a,this.option.series[0].data=s,this.option.series[1].data=r,this.inCharts(),this.setLoading("powerChartLoading",!1)},async getAccountPowerDistributionData(t){this.setLoading("barChartLoading",!0);const e=await(0,n.getAccountPowerDistribution)(t);let i=e.data,a=[],s=[];i.forEach((t=>{a.push(`${t.low}-${t.high}`),s.push(t.count)})),this.barOption.xAxis[0].data=a,this.barOption.series[0].data=s,this.barInCharts(),this.setLoading("barChartLoading",!1)},formatNumber(t){const e=Math.floor(t),i=Math.floor(100*(t-e));return`${e}.${String(i).padStart(2,"0")}`},async getMinerListData(t){this.setLoading("MinerListLoading",!0);const e=await(0,n.getMinerList)(t);e&&200==e.code&&(this.MinerListData=e.data,this.MinerListData.submit&&this.MinerListData.submit.includes("T")&&(this.MinerListData.submit=`${this.MinerListData.submit.split("T")[0]} ${this.MinerListData.submit.split("T")[1].split(".")[0]}`),this.MinerListData.rate=this.formatNumber(this.MinerListData.rate),this.MinerListData.dailyRate=this.formatNumber(this.MinerListData.dailyRate),this.MinerListTableData=e.data.rows,this.MinerListTableData.forEach((t=>{t.submit.includes("T")&&(t.submit=`${t.submit.split("T")[0]} ${t.submit.split("T")[1].split(".")[0]}`),t.rate=this.formatNumber(t.rate),t.dailyRate=this.formatNumber(t.dailyRate)})),this.minerTotal=e.data.total),this.setLoading("MinerListLoading",!1)},async getMinerPowerData(t){this.setLoading("miniLoading",!0);const e=await(0,n.getMinerPower)(t);if(!e)return void this.setLoading("miniLoading",!1);let i=e.data,a=[],r=[],o=[];i.forEach((e=>{e.date.includes("T")&&"rt"==t.interval?e.date=`${e.date.split("T")[0]} ${e.date.split("T")[1].split(".")[0]}`:e.date.includes("T")&&"1d"==t.interval&&(e.date=e.date.split("T")[0]),e.date=`${e.date.split("T")[0]} ${e.date.split("T")[1].split(".")[0]}`,a.push(e.date),r.push(e.pv.toFixed(2)),o.push((100*e.rejectRate).toFixed(4))})),this.miniOption.xAxis.data=a,this.miniOption.series[0].data=r,this.miniOption.series[1].data=o,this.miniOption.series[0].name=this.$t("home.finallyPower"),this.miniOption.series[1].name=this.$t("home.rejectionRate"),this.ids=`SmallChart${this.miniId}`,this.miniChart=s.init(document.getElementById(this.ids));let l=Math.max(...o);l=Math.round(3*l),l>0&&(this.miniOption.yAxis[1].max=l),this.$nextTick((()=>{this.smallInCharts(this.miniOption)})),this.setLoading("miniLoading",!1)},async getMinerPowerOnLine(t){this.setLoading("miniLoading",!0);const e=await(0,n.getMinerPower)(t);if(!e)return void this.setLoading("miniLoading",!1);let i=e.data,a=[],o=[],l=[];i.forEach((t=>{t.date.includes("T")?a.push(`${t.date.split("T")[0]} ${t.date.split("T")[1].split(".")[0]}`):a.push(t.date),o.push(t.pv.toFixed(2)),l.push((100*t.rejectRate).toFixed(4))})),this.onLineOption.xAxis.data=a,this.onLineOption.series[0].data=o,this.onLineOption.series[1].data=l,this.onLineOption.series[0].name=this.$t("home.finallyPower"),this.onLineOption.series[1].name=this.$t("home.rejectionRate"),this.ids=`Small${this.miniId}`,this.miniChartOnLine=s.init(document.getElementById(this.ids)),this.$nextTick((()=>{this.miniChartOnLine.setOption(this.onLineOption,!0),window.addEventListener("resize",(0,r.throttle)((()=>{this.miniChartOnLine&&this.miniChartOnLine.resize()}),200))})),this.setLoading("miniLoading",!1)},async getMinerPowerOffLine(t){this.setLoading("miniLoading",!0);const e=await(0,n.getMinerPower)(t);if(!e)return void this.setLoading("miniLoading",!1);let i=e.data,a=[],o=[],l=[];i.forEach((t=>{t.date.includes("T")?a.push(`${t.date.split("T")[0]} ${t.date.split("T")[1].split(".")[0]}`):a.push(t.date),o.push(t.pv.toFixed(2)),l.push((100*t.rejectRate).toFixed(4))})),this.OffLineOption.xAxis.data=a,this.OffLineOption.series[0].data=o,this.OffLineOption.series[1].data=l,this.OffLineOption.series[0].name=this.$t("home.finallyPower"),this.OffLineOption.series[1].name=this.$t("home.rejectionRate"),this.ids=`SmallOff${this.miniId}`,this.miniChartOff=s.init(document.getElementById(this.ids)),this.$nextTick((()=>{this.miniChartOff.setOption(this.OffLineOption,!0),window.addEventListener("resize",(0,r.throttle)((()=>{this.miniChartOff&&this.miniChartOff.resize()}),200))})),this.setLoading("miniLoading",!1)},async getHistoryIncomeData(t){const e=await(0,n.getHistoryIncome)(t);e&&200==e.code&&(this.HistoryIncomeData=e.rows,this.HistoryIncomeTotal=e.total,this.HistoryIncomeData.forEach((t=>{t.date.includes("T")&&(t.date=t.date.split("T")[0])})))},async getHistoryOutcomeData(t){const e=await(0,n.getHistoryOutcome)(t);e&&200==e.code&&(this.HistoryOutcomeData=e.rows,this.HistoryOutcomeTotal=e.total,this.HistoryOutcomeData.forEach((t=>{t.date.includes("T")&&(t.date=`${t.date.split("T")[0]} `)})))},handelMiniChart:(0,r.throttle)((function(t,e){this.Accordion&&(this.miniId=t,this.miner=e,this.$nextTick((()=>{this.getMinerPowerData({key:this.params.key,account:e})})))}),1e3),handelOnLineMiniChart:(0,r.throttle)((function(t,e){this.Accordion&&(this.miniId=t,this.$nextTick((()=>{this.getMinerPowerOnLine({key:this.params.key,account:e})})))}),1e3),handelMiniOffLine:(0,r.throttle)((function(t,e){this.Accordion&&(this.miniId=t,this.$nextTick((()=>{this.getMinerPowerOffLine({key:this.params.key,account:e})})))}),1e3),handleClick(){switch(this.activeName){case"power":this.inCharts();break;case"miningMachineDistribution":this.distributionInCharts();break;default:break}},handleClick2(t){switch(this.search="",this.MinerListParams.filter="",this.Accordion="",this.IncomeParams.limit=10,this.MinerListParams.limit=50,this.OutcomeParams.limit=10,t){case"power":this.activeName2=t,this.getMinerListData(this.MinerListParams);break;case"miningMachine":if(!this.profitShow)return;this.activeName2=t,this.getHistoryIncomeData(this.IncomeParams);break;case"payment":if(!this.paymentShow)return;this.activeName2=t,this.getHistoryOutcomeData(this.OutcomeParams);break;default:break}},onlineStatus(t){switch(this.Accordion="",this.search="",this.MinerListParams.filter="",this.sunTabActiveName=t,this.sunTabActiveName){case"all":this.MinerListParams.type=0;break;case"onLine":this.MinerListParams.type=1;break;case"off-line":this.MinerListParams.type=2;break;default:break}this.getMinerListData(this.MinerListParams)},handleInterval(t){this.PowerParams.interval=t,this.timeActive=t,this.getMinerAccountPowerData(this.PowerParams)},distributionInterval(t){this.PowerDistribution.interval=t,this.barActive=t,this.getAccountPowerDistributionData(this.PowerDistribution)},handelSearch(){this.MinerListParams.filter=this.search,this.getMinerListData(this.MinerListParams)},handleSizeChange(t){console.log(`每页 ${t} 条`),this.OutcomeParams.limit=t,this.OutcomeParams.page=1,this.getHistoryOutcomeData(this.OutcomeParams),this.currentPage=1},handleCurrentChange(t){console.log(`当前页: ${t}`),this.OutcomeParams.page=t,this.getHistoryOutcomeData(this.OutcomeParams)},handleSizeChangeIncome(t){console.log(`每页 ${t} 条`),this.IncomeParams.limit=t,this.IncomeParams.page=1,this.getHistoryIncomeData(this.IncomeParams),this.currentPageIncome=1},handleCurrentChangeIncome(t){console.log(`当前页: ${t}`),this.IncomeParams.page=t,this.getHistoryIncomeData(this.IncomeParams)},handleSizeMiner(t){console.log(`每页 ${t} 条`),this.MinerListParams.limit=t,this.MinerListParams.page=1,this.getMinerListData(this.MinerListParams),this.currentPageMiner=1},handleCurrentMiner(t){console.log(`当前页: ${t}`),this.MinerListParams.page=t,this.getMinerListData(this.MinerListParams)},handelStateList(t){return this.stateList.find((e=>e.value==t)).label||""},handleSort(t){this.MinerListParams.sort=t,"asc"==this.MinerListParams.collation?this.MinerListParams.collation="desc":this.MinerListParams.collation="asc",this.getMinerListData(this.MinerListParams)},handleSort30(){"asc"==this.MinerListParams.collation[0]?this.MinerListParams.collation[0]="desc":this.MinerListParams.collation[0]="asc",this.getMinerListData(this.MinerListParams)},handleSort1h(){"asc"==this.MinerListParams.collation[1]?this.MinerListParams.collation[1]="desc":this.MinerListParams.collation[1]="asc",this.getMinerListData(this.MinerListParams)},handelTimeInterval(t){if(t){var e=60*t,i=Math.floor(e/86400),a=Math.floor(e%86400/3600),s=Math.floor(e%3600/60);if(i)return`(${i}${this.$t("personal.day")} ${a}${this.$t("personal.hour")} ${s}${this.$t("personal.minute")} ${this.$t("personal.front")})`;if(a)return`(${a}${this.$t("personal.hour")} ${s}${this.$t("personal.minute")} ${this.$t("personal.front")})`;if(s)return`( ${s}${this.$t("personal.minute")} ${this.$t("personal.front")})`}},async copyTxid(t){let e=`id${t}`,i=document.getElementById(e);try{await navigator.clipboard.writeText(i.textContent),this.$message({showClose:!0,message:this.$t("personal.copySuccessful"),type:"success"})}catch(a){console.log(a),this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"error"})}},handelPayment(t){if(t||0==t){let e=this.paymentStatusList.find((e=>e.value==t));return e.label}return""},handelTxid(t){if(this.jurisdiction.coin.includes("dgb"))window.open(`https://chainz.cryptoid.info/dgb/tx.dws?${t}.htm`);else switch(this.jurisdiction.coin){case"nexa":window.open(`https://explorer.nexa.org/tx/${t}`);break;case"mona":window.open(`https://mona.insight.monaco-ex.org/insight/tx/${t}`);break;case"grs":window.open(`https://chainz.cryptoid.info/grs/tx.dws?${t}.htm`);break;case"rxd":window.open(`https://explorer.radiantblockchain.org/tx/${t}`);break;case"enx":window.open(`https://explorer.entropyx.org/txs/${t}`);break;case"alph":window.open(`https://explorer.alephium.org/transactions/${t}`);break;default:break}}}}},69437:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"__esModule",{value:!0}),e["default"]=void 0,i(44114),i(18111),i(22489),i(20116),i(7588),i(13579);var s=a(i(35720)),n=i(11503);e["default"]={data(){return{imgSrc:"https://studio.glassnode.com/images/crypto-icons/btc.png",navLabel:"Bitcoin (BTC)",userName:"LX",from:{title:"",kinds:"",description:"",radio:""},kindsList:[{value:"购买咨询",label:"购买咨询"},{value:"财务咨询",label:"财务咨询"},{value:"网页问题",label:"网页问题"},{value:"账户问题",label:"账户问题"},{value:"移动端问题",label:"移动端问题"},{value:"消息订阅",label:"消息订阅"},{value:"指标数据问题",label:"指标数据问题"},{value:"其他",label:"其他"}],params:[],input:1,tableData:[{num:1,time:"2022-09-01 16:00",problem:"账户问题",questionTitle:"账户不能登录",state:"已解决"}],textarea:"我是提交内容",textarea1:"我是回复内容",textarea2:"",replyInput:!0,ticketDetails:{id:"",type:"",title:"",userName:"",desc:"",responName:"",respon:"",submitTime:"",status:"",fileIds:"",files:"",responTime:""},fileList:[],fileType:["jpg","jpeg","png","mp3","aif","aiff","wav","wma","mp4","avi","rmvb"],fileSize:20,fileLimit:3,headers:{"Content-Type":"multipart/form-data"},FormDatas:null,filesId:[],paramsDownload:{id:""},paramsResponTicket:{id:"",files:"",respon:""},paramsAuditTicket:{id:"",msg:""},paramsSubmitAuditTicket:{id:""},identity:{},detailsID:"",downloadUrl:"",workOrderId:"",recordList:[],replyParams:{id:"",desc:"",files:""},orderDetailsLoading:!1,faultList:[],statusList:[{value:1,label:"work.pendingProcessing"},{value:2,label:"work.processed"},{value:10,label:"work.completeWK"}],machineCoding:[],closeDialogVisible:!1,lang:this.$i18n.locale}},mounted(){this.workOrderId=localStorage.getItem("workOrderId"),this.workOrderId&&(this.fetchTicketDetails({id:this.workOrderId}),this.registerRecoveryMethod("fetchTicketDetails",{id:this.workOrderId}))},methods:{handelStatus2(t){try{if(t){let e=this.statusList.find((e=>e.value==t)).label;return this.$t(e)}}catch{return""}},handelPhenomenon(t){if(t)return this.faultList.find((e=>e.id==t)).label},async fetchTicketDetails(t){this.orderDetailsLoading=!0;const e=await(0,n.getTicketDetails)(t);e&&200==e.code&&(this.recordList=e.data.list,this.ticketDetails=e.data),this.orderDetailsLoading=!1},async fetchContinueSubmit(t){this.orderDetailsLoading=!0;let e=await(0,n.getResubmitTicket)(t);e&&200==e.code&&(this.$message({message:this.$t("work.submitted"),type:"success"}),this.replyParams.desc="",this.fetchTicketDetails({id:this.workOrderId}),this.fileList=[]),this.orderDetailsLoading=!1},async fetchEndTicket(t){this.orderDetailsLoading=!0;let e=await(0,n.getEndTicket)(t);e&&200==e.code&&(this.$message({message:this.$t("work.WKend"),type:"success"}),this.$router.push(`/${this.lang}/workOrderRecords`)),this.orderDetailsLoading=!1,this.closeDialogVisible=!1},handelEnd(){this.closeDialogVisible=!0},confirmCols(){this.fetchEndTicket({id:this.ticketDetails.id})},handelResubmit(){this.replyParams.id=this.ticketDetails.id,this.replyParams.desc?(this.orderDetailsLoading=!0,this.fileList[0]?(this.FormDatas=new FormData,this.fileList.forEach((t=>{this.FormDatas.append("file",t)})),this.$axios({method:"post",url:`${s.default.defaults.baseURL}pool/ticket/uploadFile`,headers:this.headers,timeout:3e4,data:this.FormDatas}).then((t=>{this.replyParams.files=t.data.data.id,this.replyParams.files&&this.fetchContinueSubmit(this.replyParams)}))):this.fetchContinueSubmit(this.replyParams),this.orderDetailsLoading=!1):this.$message({message:this.$t("work.confirmInput"),type:"error"})},handelKinds(){},handelEdit(){this.replyInput=!1},handelDownload(t){if(t){this.downloadUrl=` ${s.default.defaults.baseURL}pool/ticket/downloadFile?ids=${t}`;let e=document.createElement("a");e.href=this.downloadUrl,e.click()}},handelChange(t,e){const i=t.name.slice(t.name.lastIndexOf(".")+1).toLowerCase(),a=this.fileType.includes(i),s=t.size/1024/1024<=this.fileSize;if(!a)return this.$message.error(`${this.$t("work.notSupported")} ${i}`),this.fileList=this.fileList.filter((e=>e.name!=t.name)),!1;if(!s)return this.fileList=this.fileList.filter((e=>e.name!=t.name)),this.$message.error(`${this.$t("work.notSupported2")} ${this.fileSize} MB.`),!1;let n=this.fileList.some((e=>e.name==t.name));if(n)return this.$message.warning(this.$t("work.notSupported3")),this.$refs.upload.handleRemove(t),!1;this.fileList.push(t.raw)},handleRemove(t,e){let i=this.fileName.indexOf(t.name);-1!==i&&this.fileName.splice(i,1);let a=this.fileList.indexOf(t);-1!==a&&this.fileList.splice(a,1)},handleExceed(){this.$message({type:"warning",message:this.$t("work.notSupported4")})},handleSuccess(){},handelTime(t){if(t)return`${t.split("T")[0]} ${t.split("T")[1].split(".")[0]}`}},beforeDestroy(){localStorage.setItem("workOrderId","")}}},71995:function(t,e,i){i.r(e),i.d(e,{__esModule:function(){return s.B},default:function(){return l}});var a=i(11685),s=i(20155),n=s.A,r=i(81656),o=(0,r.A)(n,a.XX,a.Yp,!1,null,"3554fa88",null),l=o.exports},72938:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"__esModule",{value:!0}),e["default"]=void 0,i(44114),i(18111),i(22489),i(7588),i(13579);var s=i(11503),n=a(i(35720));e["default"]={data(){return{ruleForm:{desc:"",files:""},rules:{desc:[{required:!0,message:this.$t("work.problemDescription"),trigger:"blur"}]},labelPosition:"top",fileList:[],fileType:["jpg","jpeg","png","mp3","aif","aiff","wav","wma","mp4","avi","rmvb"],fileSize:20,fileLimit:3,headers:{"Content-Type":"multipart/form-data"},FormDatas:null,fileName:[],filesId:[],submitWorkOrderLoading:!1}},watch:{"$i18n.locale":function(){this.translate()}},mounted(){},methods:{translate(){this.rules={desc:[{required:!0,message:this.$t("work.problemDescription"),trigger:"blur"}]}},async fetchSubmitWork(t){this.submitWorkOrderLoading=!0;const e=await(0,s.getSubmitTicket)(t);if(200==e.code){this.$message({message:e.msg,type:"success",showClose:!0});for(const t in this.ruleForm)this.ruleForm[t]="";this.fileList=[]}this.submitWorkOrderLoading=!1},submitForm(){this.$refs.ruleForm.validate((t=>{t&&(console.log("进来?"),this.submitWorkOrderLoading=!0,this.fileList[0]?(this.FormDatas=new FormData,this.fileList.forEach((t=>{this.FormDatas.append("file",t)})),this.$axios({method:"post",url:`${n.default.defaults.baseURL}pool/ticket/uploadFile`,headers:this.headers,timeout:3e4,data:this.FormDatas}).then((t=>{console.log(t,"文件返回"),this.ruleForm.files=t.data.data.id}))):this.fetchSubmitWork(this.ruleForm))})),this.submitWorkOrderLoading=!1},handleExceed(){this.$message({type:"warning",message:this.$t("work.notSupported4")})},uploadFile(t){this.fileItem=t,this.fileList.push(t.file),this.fileName.push(t.file.name)},handleSuccess(){},handelDownload(t){if(t){this.downloadUrl=` ${n.default.defaults.baseURL}ticket/downloadFile?ids=${t}`;let e=document.createElement("a");e.href=this.downloadUrl,e.click()}},handleRemove(t,e){let i=this.fileName.indexOf(t.name);-1!==i&&this.fileName.splice(i,1);let a=this.fileList.indexOf(t);-1!==a&&this.fileList.splice(a,1)},beforeUpload(t){const e=t.name.slice(t.name.lastIndexOf(".")+1).toLowerCase(),i=this.fileType.includes(e),a=t.size/1024/1024<=this.fileSize;return i?a?void 0:(this.$message.error(`${this.$t("work.notSupported2")}${this.fileSize} MB.`),!1):(this.$message.error(`${this.$t("work.notSupported")}:${e}`),!1)},handelChange(t,e){const i=t.name.slice(t.name.lastIndexOf(".")+1).toLowerCase(),a=this.fileType.includes(i),s=t.size/1024/1024<=this.fileSize;if(!a)return this.$message.error(`${this.$t("work.notSupported")} ${i}`),this.fileList=this.fileList.filter((e=>e.name!=t.name)),!1;if(!s)return this.fileList=this.fileList.filter((e=>e.name!=t.name)),this.$message.error(`${this.$t("work.notSupported2")} ${this.fileSize} MB.`),!1;let n=this.fileList.some((e=>e.name==t.name));if(n)return this.$message.warning(this.$t("work.notSupported3")),this.$refs.upload.handleRemove(t),!1;this.fileName.push(t.name),this.fileList.push(t.raw)}}}},75410:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"B",{value:!0}),e.A=void 0;var s=a(i(56958));e.A={mixins:[s.default]}},80238:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"__esModule",{value:!0}),e["default"]=void 0,i(44114),i(18111),i(20116);a(i(76466));var s=i(11503);e["default"]={data(){return{from0:[],from1:[],from2:[],from10:[],params:{page:1,limit:10,status:1},rechargeRecord:!1,activeName:"pendingProcessing",workBKLoading:!1,options:[{value:1,label:"待处理"},{value:3,label:"等待收货中"},{value:5,label:"已报价,等待付款"},{value:6,label:"已付款"},{value:7,label:"正在维修"},{value:8,label:"维修完成,等待发回"},{value:9,label:"已发回"},{value:10,label:"已完结"},{value:20,label:"确认收款中"},{value:21,label:"待寄件"}],value1:"",labelPosition:"top",formLabelAlign:{name:"",region:"",type:""},iconShow:!1,totalLimit0:0,totalLimit1:0,totalLimit2:0,totalLimit10:0,currentPage0:1,currentPage1:1,currentPage2:1,currentPage10:1,pageSizes:[10,50,100,300],faultList:[{id:1,name:"整机无算力",label:"user.fault"},{id:2,name:"某一块板无算力",label:"user.fault2"},{id:3,name:"整机算力过低",label:"user.fault3"},{id:4,name:"某一块板算力过低",label:"user.fault4"},{id:5,name:"其他故障",label:"user.fault5"}],typeList:[],statusList:[{value:1,label:"work.pendingProcessing"},{value:2,label:"work.processed"},{value:10,label:"work.completeWK"}],lang:this.$i18n.locale}},watch:{params:{handler(t){t.low||t.high?this.iconShow=!0:this.iconShow=!1},deep:!0}},mounted(){switch(this.activeName=sessionStorage.getItem("helpActiveName"),this.activeName||(this.activeName="pendingProcessing"),this.activeName){case"all":this.params.status=0,this.fetchRechargeRecord0(this.params),this.registerRecoveryMethod("fetchRechargeRecord0",this.params);break;case"pending":this.params.status=2,this.fetchRechargeRecord2(this.params),this.registerRecoveryMethod("fetchRechargeRecord2",this.params);break;case"Finished":this.params.status=10,this.fetchRechargeRecord10(this.params),this.registerRecoveryMethod("fetchRechargeRecord10",this.params);break;case"pendingProcessing":this.params.status=1,this.fetchRechargeRecord1(this.params),this.registerRecoveryMethod("fetchRechargeRecord1",this.params);break;default:break}},methods:{async fetchBKendTicket(t){this.workBKLoading=!0;const e=await(0,s.getBKendTicket)(t);if(e&&200==e.code)switch(this.$message({message:this.$t("work.WKend"),type:"success"}),this.activeName){case"all":this.params.status=0,this.fetchRechargeRecord0(this.params);break;case"pending":this.params.status=2,this.fetchRechargeRecord2(this.params);break;case"Finished":this.params.status=10,this.fetchRechargeRecord10(this.params);break;case"pendingProcessing":this.params.status=1,this.fetchRechargeRecord1(this.params);break;default:break}this.workBKLoading=!1},handelType2(t){if(t)return this.typeList.find((e=>e.name==t)).label},handelStatus2(t){if(this.statusList&&t){const e=this.statusList.find((e=>e.value==t));if(e)return e.label}return""},async fetchRechargeRecord0(t){this.workBKLoading=!0;const e=await(0,s.getTicketList)(t);this.totalLimit0=e.total,this.from0=e.rows,this.workBKLoading=!1},async fetchRechargeRecord1(t){this.workBKLoading=!0;const e=await(0,s.getTicketList)(t);console.log(e,"哦客服"),this.from1=e.rows,this.totalLimit1=e.total,this.workBKLoading=!1},async fetchRechargeRecord2(t){this.workBKLoading=!0;const e=await(0,s.getTicketList)(t);this.from2=e.rows,this.totalLimit2=e.total,this.workBKLoading=!1},async fetchRechargeRecord10(t){this.workBKLoading=!0;const e=await(0,s.getTicketList)(t);this.from10=e.rows,this.totalLimit10=e.total,this.workBKLoading=!1},handelDetails(t){this.$router.push({path:`/${this.lang}/BKWorkDetails`,query:{totalID:t.id}}).catch((t=>{"NavigationDuplicated"!==t.name&&console.error("路由跳转失败:",t)})),localStorage.setItem("totalID",t.id)},handelPhenomenon(t){if(t)return this.faultList.find((e=>e.id==t)).label},handelTime(t){if(t)return`${t.split("T")[0]} ${t.split("T")[1].split(".")[0]}`},handleChange(){if(this.value1)this.params.start=this.value1[0],this.params.end=this.value1[1];else switch(this.params.start="",this.params.end="",this.activeName){case"all":this.params.type=2,this.fetchRechargeRecord2(this.params);break;case"support":this.params.type=0,this.fetchRechargeRecord0(this.params);break;case"service":this.params.type=1,this.fetchRechargeRecord1(this.params);break;default:break}},handleSizeChange(t){switch(console.log(`每页 ${t} 条`),this.params.limit=t,this.params.page=1,this.activeName){case"all":this.params.status=0,this.fetchRechargeRecord0(this.params);break;case"pending":this.params.status=2,this.fetchRechargeRecord2(this.params);break;case"Finished":this.params.status=10,this.fetchRechargeRecord10(this.params);break;case"pendingProcessing":this.params.status=1,this.fetchRechargeRecord1(this.params);break;default:break}this.currentPage10=1,this.currentPage1=1,this.currentPage2=1,this.currentPage0=1},handleCurrentChange(t){switch(console.log(`当前页: ${t}`),this.params.page=t,this.activeName){case"all":this.params.status=0,this.fetchRechargeRecord0(this.params);break;case"pending":this.params.status=2,this.fetchRechargeRecord2(this.params);break;case"Finished":this.params.status=10,this.fetchRechargeRecord10(this.params);break;case"pendingProcessing":this.params.status=1,this.fetchRechargeRecord1(this.params);break;default:break}},handleElTabs(t,e){switch(sessionStorage.setItem("helpActiveName",t.name),this.params.page=1,this.params.limit=10,this.activeName){case"all":this.params.status=0,this.fetchRechargeRecord0(this.params);break;case"pending":this.params.status=2,this.fetchRechargeRecord2(this.params);break;case"Finished":this.params.status=10,this.fetchRechargeRecord10(this.params);break;case"pendingProcessing":this.params.status=1,this.fetchRechargeRecord1(this.params);break;default:break}},handleClick(){this.params.address=""},handelCloseWork(t){this.fetchBKendTicket({id:t.id})}}}},81529:function(t,e){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{staticClass:"Block"},[t.$isMobile?e("section",{directives:[{name:"loading",rawName:"v-loading",value:t.reportBlockLoading,expression:"reportBlockLoading"}]},[e("div",{staticClass:"currencySelect"},[e("el-menu",{staticClass:"el-menu-demo",attrs:{mode:"horizontal"}},[e("el-submenu",{staticStyle:{background:"transparent"},attrs:{index:"2"}},[e("template",{slot:"title"},[e("span",{ref:"coinSelect",staticClass:"coinSelect"},[e("img",{attrs:{src:t.currencyPath,alt:"coin"}}),e("span",[t._v(t._s(t.handelCurrencyLabel(t.params.coin)))])])]),e("ul",{staticClass:"moveCurrencyBox"},t._l(t.currencyList,(function(i){return e("li",{key:i.value,on:{click:function(e){return t.clickCurrency(i)}}},[e("img",{attrs:{src:i.img,alt:"coin",loading:"lazy"}}),e("p",[t._v(t._s(i.label))])])})),0)],2)],1)],1),e("div",{directives:[{name:"show",rawName:"v-show",value:"enx"!=this.activeItemCoin.value&&"alph"!=this.activeItemCoin.value,expression:"this.activeItemCoin.value != 'enx' && this.activeItemCoin.value != 'alph'"}],staticClass:"luckyBox"},[e("div",{staticClass:"luckyItem"},[e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.lucky3")))]),e("span",{staticClass:"text"},[t._v(t._s(t.luckData.luck3d)+"%")])]),e("div",{staticClass:"luckyItem"},[e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.lucky7")))]),e("span",{staticClass:"text"},[t._v(t._s(t.luckData.luck7d)+"%")])]),t.luckData.luck30d?e("div",{staticClass:"luckyItem"},[e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.lucky30")))]),e("span",{staticClass:"text"},[t._v(t._s(t.luckData.luck30d)+"%")])]):t._e(),t.luckData.luck90d?e("div",{staticClass:"luckyItem"},[e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.lucky90")))]),e("span",{staticClass:"text"},[t._v(t._s(t.luckData.luck90d)+"%")])]):t._e()]),e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("home.blockHeight")}},[t._v(t._s(t.$t("home.blockHeight")))]),e("span",{attrs:{title:t.$t("home.blockingTime")}},[t._v(t._s(t.$t("home.blockingTime")))])]),e("el-collapse",{attrs:{accordion:""}},t._l(t.BlockInfoData,(function(i){return e("el-collapse-item",{key:i.hash,attrs:{name:i.hash}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[t._v(t._s(i.height))]),e("span",[t._v(t._s(i.date))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("home.blockRewards"))+" ("+t._s(t.handelLabel(t.BlockInfoParams.coin))+")")]),e("p",[t._v(t._s(i.reward))])])]),e("div",{attrs:{id:"hash"},on:{click:function(e){return t.clickItem(i)}}},[e("p",[t._v(t._s(t.$t("home.blockHash")))]),e("p",{staticClass:"text"},[t._v(t._s(i.hash)+" ")])])],2)})),1),e("div",{staticClass:"paginationBox"},[e("el-pagination",{staticStyle:{"margin-top":"10px","margin-bottom":"10px"},attrs:{"current-page":t.currentPage,"page-sizes":[10,20,50,200],"page-size":10,layout:"sizes, prev, pager, next",total:t.totalSize},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage=e},"update:current-page":function(e){t.currentPage=e}}})],1)],1)]):e("div",[e("section",{staticClass:"BlockTop"},[e("el-row",[e("el-col",{attrs:{xs:24,sm:24,md:24,lg:12,xl:12}},[e("div",{staticClass:"currencyBox"},t._l(t.currencyList,(function(i){return e("div",{key:i.value,staticClass:"sunCurrency",on:{click:function(e){return t.clickCurrency(i)}}},[e("img",{staticClass:"currency-logo lazy lazy-coin-logo",attrs:{src:i.img}}),e("span",{class:{active:t.ItemActive==i.value}},[t._v(t._s(i.label))])])})),0)]),e("el-col",{attrs:{xs:24,sm:24,md:24,lg:12,xl:12}},[e("div",{directives:[{name:"show",rawName:"v-show",value:"enx"!=this.activeItemCoin.value&&"alph"!=this.activeItemCoin.value,expression:"this.activeItemCoin.value != 'enx' && this.activeItemCoin.value != 'alph'"}],staticClass:"luckyBox"},[e("div",{staticClass:"luckyItem"},[e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.lucky3")))]),e("span",{staticClass:"text"},[t._v(t._s(t.luckData.luck3d)+"%")])]),e("div",{staticClass:"luckyItem"},[e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.lucky7")))]),e("span",{staticClass:"text"},[t._v(t._s(t.luckData.luck7d)+"%")])]),t.luckData.luck30d?e("div",{staticClass:"luckyItem"},[e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.lucky30")))]),e("span",{staticClass:"text"},[t._v(t._s(t.luckData.luck30d)+"%")])]):t._e(),t.luckData.luck90d?e("div",{staticClass:"luckyItem"},[e("span",{staticClass:"title"},[t._v(t._s(t.$t("home.lucky90")))]),e("span",{staticClass:"text"},[t._v(t._s(t.luckData.luck90d)+"%")])]):t._e()])])],1)],1),e("el-row",[e("el-col",{attrs:{xs:24,sm:24,md:24,lg:24,xl:24}},[e("div",{staticClass:"reportBlock"},[e("div",{staticClass:"reportBlockBox"},[e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.reportBlockLoading,expression:"reportBlockLoading"}],staticClass:"belowTable"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("home.blockHeight")}},[t._v(t._s(t.$t("home.blockHeight")))]),e("span",{attrs:{title:t.$t("home.blockingTime")}},[t._v(t._s(t.$t("home.blockingTime")))]),e("span",{staticClass:"hash",attrs:{title:t.$t("home.blockHash")}},[t._v(t._s(t.$t("home.blockHash")))]),e("div",{staticClass:"blockRewards"},[t._v(t._s(t.$t("home.blockRewards"))+" ("+t._s(t.handelLabel(t.BlockInfoParams.coin))+") ")])]),e("ul",t._l(t.BlockInfoData,(function(i){return e("li",{key:i.hash,staticClass:"currency-list",on:{click:function(e){return t.clickItem(i)}}},[e("span",[t._v(t._s(i.height))]),e("span",[t._v(t._s(i.date))]),e("span",{staticClass:"hash",attrs:{title:i.hash}},[t._v(t._s(i.hash))]),e("span",{staticClass:"reward",attrs:{title:i.reward}},[t._v(t._s(i.reward))])])})),0),e("el-pagination",{staticClass:"pageBox",attrs:{"current-page":t.currentPage,"page-sizes":[10,20,50,200],"page-size":10,layout:"total, sizes, prev, pager, next, jumper",total:t.totalSize},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(e){t.currentPage=e},"update:current-page":function(e){t.currentPage=e}}})],1)])])])],1)],1)])},e.Yp=[]},83240:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"B",{value:!0}),e.A=void 0;var s=a(i(21440));e.A={mixins:[s.default]}},83443:function(t,e){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.WKRecordsLoading,expression:"WKRecordsLoading"}],staticClass:"workOrderRecords"},[t.$isMobile?e("section",{staticClass:"workMain"},[e("h3",[t._v(t._s(t.$t("personal.workOrderRecord")))]),e("el-tabs",{staticStyle:{width:"100%"},on:{"tab-click":t.handleClick},model:{value:t.activeName,callback:function(e){t.activeName=e},expression:"activeName"}},[e("el-tab-pane",{staticClass:"pendingMain",attrs:{label:t.$t("work.pending"),name:"pending"}},[e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("work.WorkID")}},[t._v("ID")]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.status")))]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.operation")))])]),e("div",{staticClass:"rollContentBox"},[e("el-collapse",{attrs:{accordion:""}},t._l(t.from1,(function(i){return e("el-collapse-item",{key:i.id,attrs:{name:i.id}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[t._v(t._s(i.id))]),e("span",[t._v(t._s(t.$t(t.handelStatus2(i.status))))]),e("span",{on:{click:function(e){return t.handelDetails(i)}}},[t._v(" "+t._s(t.$t("work.details")))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("work.submissionTime"))+":")]),e("p",[t._v(t._s(t.handelTime(i.date)))])])]),e("div",{attrs:{id:"hash"}},[e("p",[t._v(t._s(t.$t("work.mailbox"))+": ")]),e("p",[t._v(t._s(i.email))])])],2)})),1)],1)])]),e("el-tab-pane",{attrs:{label:t.$t("work.completeWK"),name:"success"}},[e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("work.WorkID")}},[t._v("ID")]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.status")))]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.operation")))])]),e("div",{staticClass:"rollContentBox"},[e("el-collapse",{attrs:{accordion:""}},t._l(t.from2,(function(i){return e("el-collapse-item",{key:i.id,attrs:{name:i.id}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[t._v(t._s(i.id))]),e("span",[t._v(t._s(t.$t(t.handelStatus2(i.status))))]),e("span",{on:{click:function(e){return t.handelDetails(i)}}},[t._v(" "+t._s(t.$t("work.details")))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("work.submissionTime"))+":")]),e("p",[t._v(t._s(t.handelTime(i.date)))])])]),e("div",{attrs:{id:"hash"}},[e("p",[t._v(t._s(t.$t("work.mailbox"))+": ")]),e("p",[t._v(t._s(i.email))])])],2)})),1)],1)])]),e("el-tab-pane",{attrs:{label:t.$t("work.allWK"),name:"reply"}},[e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("work.WorkID")}},[t._v("ID")]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.status")))]),e("span",{attrs:{title:t.$t("work.submissionTime")}},[t._v(t._s(t.$t("work.operation")))])]),e("div",{staticClass:"rollContentBox"},[e("el-collapse",{attrs:{accordion:""}},t._l(t.from0,(function(i){return e("el-collapse-item",{key:i.id,attrs:{name:i.id}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[t._v(t._s(i.id))]),e("span",[t._v(t._s(t.$t(t.handelStatus2(i.status))))]),e("span",{on:{click:function(e){return t.handelDetails(i)}}},[t._v(" "+t._s(t.$t("work.details")))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("work.submissionTime"))+":")]),e("p",[t._v(t._s(t.handelTime(i.date)))])])]),e("div",{attrs:{id:"hash"}},[e("p",[t._v(t._s(t.$t("work.mailbox"))+": ")]),e("p",[t._v(t._s(i.email))])])],2)})),1)],1)])])],1)],1):e("section",{staticClass:"workBK"},[e("el-row",[e("el-col",{staticStyle:{display:"flex","align-items":"center"},attrs:{span:24}},[e("h2",[t._v(t._s(t.$t("personal.workOrderRecord")))]),e("i",{staticClass:"i ishuaxin1 Refresh"})])],1),e("el-tabs",{on:{"tab-click":t.handleClick},model:{value:t.activeName,callback:function(e){t.activeName=e},expression:"activeName"}},[e("el-tab-pane",{staticClass:"pendingMain",attrs:{label:t.$t("work.pending"),name:"pending"}},[e("el-table",{staticClass:"table",staticStyle:{width:"100%","text-transform":"none"},attrs:{"header-cell-style":{"text-align":"center"},"cell-style":{"text-align":"center"},data:t.from1,"max-height":"600",stripe:""}},[e("el-table-column",{attrs:{prop:"id",label:t.$t("work.WorkID")}}),e("el-table-column",{attrs:{prop:"date",label:t.$t("work.submissionTime")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(t._s(t.handelTime(i.row.date)))])]}}])}),e("el-table-column",{attrs:{prop:"email",label:t.$t("work.mailbox"),"show-overflow-tooltip":!0}}),e("el-table-column",{attrs:{prop:"status",label:t.$t("work.status")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(" "+t._s(t.$t(t.handelStatus2(i?.row?.status)))+" ")])]}}])}),e("el-table-column",{attrs:{fixed:"right",label:t.$t("work.operation")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("el-button",{attrs:{type:"text",size:"small"},on:{click:function(e){return t.handelDetails(i.row)}}},[t._v(" "+t._s(t.$t("work.details"))+" ")])]}}])})],1)],1),e("el-tab-pane",{attrs:{label:t.$t("work.completeWK"),name:"success"}},[e("el-table",{staticClass:"table",staticStyle:{width:"100%","text-transform":"none"},attrs:{"header-cell-style":{"text-align":"center"},"cell-style":{"text-align":"center"},data:t.from2,"max-height":"600",stripe:""}},[e("el-table-column",{attrs:{prop:"id",label:t.$t("work.WorkID")}}),e("el-table-column",{attrs:{prop:"date",label:t.$t("work.submissionTime")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(t._s(t.handelTime(i.row.date)))])]}}])}),e("el-table-column",{attrs:{prop:"email",label:t.$t("work.mailbox"),"show-overflow-tooltip":!0}}),e("el-table-column",{attrs:{prop:"status",label:t.$t("work.status")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(" "+t._s(t.$t(t.handelStatus2(i?.row?.status)))+" ")])]}}])}),e("el-table-column",{attrs:{fixed:"right",label:t.$t("work.operation")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("el-button",{attrs:{type:"text",size:"small"},on:{click:function(e){return t.handelDetails(i.row)}}},[t._v(" "+t._s(t.$t("work.details"))+" ")])]}}])})],1)],1),e("el-tab-pane",{attrs:{label:t.$t("work.allWK"),name:"reply"}},[e("el-table",{staticClass:"table",staticStyle:{width:"100%","text-transform":"none"},attrs:{"header-cell-style":{"text-align":"center"},"cell-style":{"text-align":"center"},data:t.from0,stripe:"","max-height":"600"}},[e("el-table-column",{attrs:{prop:"id",label:t.$t("work.WorkID")}}),e("el-table-column",{attrs:{prop:"date",label:t.$t("work.submissionTime")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(t._s(t.handelTime(i.row.date)))])]}}])}),e("el-table-column",{attrs:{prop:"email",label:t.$t("work.mailbox"),"show-overflow-tooltip":!0}}),e("el-table-column",{attrs:{prop:"status",label:t.$t("work.status")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("span",[t._v(" "+t._s(t.$t(t.handelStatus2(i?.row?.status)))+" ")])]}}])}),e("el-table-column",{attrs:{fixed:"right",label:t.$t("work.operation")},scopedSlots:t._u([{key:"default",fn:function(i){return[e("el-button",{attrs:{type:"text",size:"small"},on:{click:function(e){return t.handelDetails(i.row)}}},[t._v(" "+t._s(t.$t("work.details"))+" ")])]}}])})],1)],1)],1),e("el-dialog",{attrs:{title:t.$t("user.prompt3"),visible:t.dialogVisible,width:"30%"},on:{"update:visible":function(e){t.dialogVisible=e}}},[e("span",[t._v(t._s(t.$t(t.msg)))]),e("span",{staticClass:"dialog-footer",attrs:{slot:"footer"},slot:"footer"},[e("el-button",{on:{click:function(e){t.dialogVisible=!1}}},[t._v(t._s(t.$t("user.cancel")))]),e("el-button",{attrs:{type:"primary"},on:{click:t.determineInformation}},[t._v(" "+t._s(t.$t("user.Confirm")))])],1)])],1)])},e.Yp=[]},89413:function(t,e,i){Object.defineProperty(e,"B",{value:!0}),e.A=void 0,i(44114);var a=i(47149),s=i(49704),n=i(6803);e.A={data(){return{loginForm:{email:"",password:"",resetPwdCode:"",newPassword:""},loginRules:{email:[{required:!0,trigger:"blur",message:this.$t("user.inputEmail"),type:"email"}],password:[{required:!0,trigger:"blur",message:this.$t("user.inputPassword")}],newPassword:[{required:!0,trigger:"blur",message:this.$t("user.confirmPassword2")}],resetPwdCode:[{required:!0,trigger:"change",message:this.$t("user.inputCode")}],gCode:[{required:!0,trigger:"change",message:this.$t("personal.gCode")}]},radio:"zh",btnDisabled:!1,bthText:"user.obtainVerificationCode",time:"",loginLoading:!1,accountList:[],newPassword:"",securityLoading:!1,isItBound:!1,countDownTime:60,timer:null,lang:"zh"}},computed:{countDown(){Math.floor(this.countDownTime/60);const t=this.countDownTime%60,e=t<10?"0"+t:t;return`${e}`}},created(){window.sessionStorage.getItem("Reset_time")&&(this.countDownTime=Number(window.sessionStorage.getItem("Reset_time")),this.startCountDown(),this.btnDisabled=!0,this.bthText="user.again")},watch:{"$i18n.locale":function(){this.translate()}},mounted(){this.lang=this.$i18n.locale,this.radio=localStorage.getItem("lang")?localStorage.getItem("lang"):"en"},methods:{translate(){this.loginRules={email:[{required:!0,type:"email",trigger:"blur",message:this.$t("user.inputEmail")}],password:[{required:!0,trigger:"blur",message:this.$t("user.inputPassword")}],newPassword:[{required:!0,trigger:"blur",message:this.$t("user.confirmPassword2")}],resetPwdCode:[{required:!0,trigger:"change",message:this.$t("user.inputCode")}],gCode:[{required:!0,trigger:"change",message:this.$t("personal.gCode")}]}},async fetchIfBind(t){this.securityLoading=!0;const e=await(0,n.getEmailIfBind)(t);if(e&&200===e.code){e.data?this.isItBound=!0:e.data||(this.isItBound=!1),this.fetchResetPwdCode({email:this.loginForm.email}),this.time=60;let t=setInterval((()=>{this.time?(this.time--,this.btnDisabled=!0,this.bthText="user.again"):(this.btnDisabled=!1,this.bthText="user.obtainVerificationCode",this.time="",clearTimeout(t))}),1e3)}this.securityLoading=!1},async fetchResetPwd(t){const e=await(0,a.getResetPwd)(t);e&&200==e.code&&(this.$message({message:this.$t("user.modifiedSuccessfully"),type:"success",showClose:!0}),this.$router.push(`/${this.lang}/login`))},async fetchResetPwdCode(t){const e=await(0,a.getResetPwdCode)(t);e&&200==e.code&&this.$message({message:this.$t("user.codeSuccess"),type:"success",showClose:!0})},handelCode(){const t=/^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+.[a-zA-Z]{2,}$/;let e=t.test(this.loginForm.email);this.loginForm.email&&e?(this.fetchResetPwdCode({email:this.loginForm.email}),null==window.sessionStorage.getItem("Reset_time")||(this.countDownTime=Number(window.sessionStorage.getItem("Reset_time"))),this.startCountDown()):this.$message({message:this.$t("user.emailVerification"),type:"error",customClass:"messageClass",showClose:!0})},startCountDown(){this.timer=setInterval((()=>{this.countDownTime<=1?(clearInterval(this.timer),sessionStorage.removeItem("Reset_time"),this.countDownTime=60,this.btnDisabled=!1,this.bthText="user.obtainVerificationCode"):this.countDownTime>0&&(this.countDownTime--,this.btnDisabled=!0,this.bthText="user.again",window.sessionStorage.setItem("Reset_time",this.countDownTime))}),1e3)},handelJump(t){const e=t.startsWith("/")?t.slice(1):t;this.$router.push(`/${this.lang}/${e}`)},handelRadio(t){const e=this.lang;this.lang=t,this.$i18n.locale=t,localStorage.setItem("lang",t);const i=this.$route.path,a=i.replace(`/${e}`,`/${t}`);this.$router.push({path:a,query:this.$route.query}).catch((t=>{"NavigationDuplicated"!==t.name&&console.error("Navigation failed:",t)}))},submitForm(){this.$refs.ruleForm.validate((t=>{if(t){if(this.loginForm.userName=this.loginForm.email.trim(),this.loginForm.password=this.loginForm.password.trim(),this.loginForm.newPassword=this.loginForm.newPassword.trim(),this.loginForm.password!==this.loginForm.newPassword)return void this.$message({message:this.$t("user.confirmPassword2"),type:"error",customClass:"messageClass",showClose:!0});const t=/^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+.[a-zA-Z]{2,}$/;let e=t.test(this.loginForm.email);if(!e)return void this.$message({message:this.$t("user.emailVerification"),type:"error",customClass:"messageClass",showClose:!0});const i=/^(?!.*[\u4e00-\u9fa5])(?![a-zA-Z]+$)(?![A-Z0-9]+$)(?![A-Z\W_]+$)(?![a-z0-9]+$)(?![a-z\W_]+$)(?![0-9\W_]+$)[a-zA-Z0-9\W_]{8,32}$/,a=i.test(this.loginForm.password);if(!a)return void this.$message({message:this.$t("user.PasswordReminder"),type:"error",showClose:!0});let n={email:this.loginForm.email,password:this.loginForm.password,resetPwdCode:this.loginForm.resetPwdCode};const r={...n};r.password=(0,s.encryption)(n.password),this.fetchResetPwd(r)}}))},handleClick(){this.$router.push(`/${this.lang}`)}}}},89685:function(t,e,i){Object.defineProperty(e,"B",{value:!0}),e.A=void 0,i(44114);var a=i(66848),s=i(92500);e.A={__name:"simulation",props:{msg:{type:String,required:!0}},setup(t){const e=t,i=(0,a.ref)(""),n=(0,a.ref)([]),r=(0,a.ref)(""),o=(0,a.ref)(""),l=(0,a.ref)(!1),c=(0,a.ref)(!1),d=(0,a.ref)(""),u=(0,a.ref)(null),m=(0,a.ref)(null),p=(0,a.ref)(null),h=async()=>{await(0,a.nextTick)(),u.value&&(u.value.scrollTop=u.value.scrollHeight)};(0,a.watch)(n,(()=>{h()}));const g=t=>{if(!t)return"";try{const e=new Date(t);return e.toLocaleTimeString()}catch(e){return""}},v=()=>{if(r.value&&o.value){d.value="",c.value=!0,p.value=new Date;try{m.value=s.Stomp.client("ws://localhost:8101/chat/ws"),m.value.heartbeat.outgoing=2e4,m.value.heartbeat.incoming=0;const t={email:r.value,type:2};m.value.connect(t,(function(t){console.log("连接成功: "+t),console.log("连接时间:",p.value?.toLocaleString()),l.value=!0,c.value=!1,n.value.push({sender:"System",content:"已连接到聊天服务器",timestamp:(new Date).toISOString(),system:!0}),m.value.subscribe(`/user/queue/${r.value}`,(function(t){console.log("收到消息:",t.body);try{const e=JSON.parse(t.body);n.value.push(e)}catch(e){console.error("消息解析失败:",e),n.value.push({sender:"System",content:`消息格式错误: ${t.body}`,timestamp:(new Date).toISOString(),error:!0})}}))}),(function(t){console.error("连接失败:",t),l.value=!1,c.value=!1,d.value=`连接失败: ${t.headers?.message||t.message||"未知错误"}`}))}catch(t){console.error("初始化WebSocket客户端失败:",t),l.value=!1,c.value=!1,d.value=`初始化失败: ${t.message||"未知错误"}`}}else d.value="请输入用户邮箱和目标用户邮箱"},f=()=>{m.value?.connected&&m.value.disconnect((()=>{const t=new Date,e=p.value?Math.floor((t.getTime()-p.value.getTime())/1e3):0;console.log("断开连接时间:",t.toLocaleString()),console.log(`连接持续时间: ${Math.floor(e/60)}分${e%60}秒`),l.value=!1,n.value=[],p.value=null,d.value="已断开连接",setTimeout((()=>{d.value=""}),3e3)}))},b=()=>{if(i.value.trim())if(m.value?.connected)try{const t={email:o.value,content:i.value.trim()};m.value.send("/point/send/message",{},JSON.stringify(t)),n.value.push({sender:r.value,content:i.value.trim(),timestamp:(new Date).toISOString(),isSelf:!0}),i.value=""}catch(t){console.error("发送消息失败:",t),n.value.push({sender:"System",content:`发送失败: ${t.message||"未知错误"}`,timestamp:(new Date).toISOString(),error:!0})}else d.value="连接已断开,请重新连接",l.value=!1};return(0,a.onUnmounted)((()=>{m.value?.connected&&m.value.disconnect()})),{__sfc:!0,props:e,message:i,receivedMessages:n,email:r,targetEmail:o,isConnected:l,isConnecting:c,connectionError:d,messageList:u,stompClient:m,connectTime:p,scrollToBottom:h,formatTime:g,connectWebSocket:v,disconnectWebSocket:f,sendMessage:b}}}},92279:function(t,e,i){Object.defineProperty(e,"B",{value:!0}),e.A=void 0,i(44114);var a=i(47149),s=i(49704);e.A={data(){return{registerForm:{password:"",email:"",emailCode:"",confirmPassword:""},registerRules:{userName:[{required:!0,trigger:"blur",message:"请输入您的账号"},{min:3,max:16,message:"用户账号长度必须介于 3 和 16 之间",trigger:"blur"}],email:[{required:!0,trigger:"blur",message:this.$t("user.emailVerification"),type:"email"}],password:[{required:!0,trigger:"blur",message:this.$t("user.inputPassword")},{min:8,max:32,message:this.$t("user.passwordVerification"),trigger:"blur"}],confirmPassword:[{required:!0,trigger:"blur",message:this.$t("user.secondaryPassword")}],emailCode:[{required:!0,trigger:"blur",message:this.$t("user.inputCode")}]},radio:"zh",loading:!1,codeParams:{email:""},btnDisabled:!1,bthText:"user.obtainVerificationCode",time:"",registerLoading:!1,countDownTime:60,timer:null,lang:"zh"}},computed:{countDown(){Math.floor(this.countDownTime/60);const t=this.countDownTime%60,e=t<10?"0"+t:t;return`${e}`}},created(){window.sessionStorage.getItem("register_time")&&(this.countDownTime=Number(window.sessionStorage.getItem("register_time")),this.startCountDown(),this.btnDisabled=!0,this.bthText="user.again")},watch:{"$i18n.locale":function(){this.translate()}},mounted(){this.lang=this.$i18n.locale,this.radio=localStorage.getItem("lang")?localStorage.getItem("lang"):"en";for(const t in this.registerForm)this.registerForm[t]=""},methods:{handelJump(t){const e=t.startsWith("/")?t.slice(1):t;this.$router.push(`/${this.lang}/${e}`)},translate(){this.registerRules={userName:[{required:!0,trigger:"blur",message:this.$t("user.inputAccount")},{min:3,max:16,message:"用户账号长度必须介于 3 和 16 之间",trigger:"blur"}],email:[{required:!0,trigger:"blur",message:this.$t("user.emailVerification"),type:"email"}],password:[{required:!0,trigger:"blur",message:this.$t("user.inputPassword")},{min:8,max:32,message:this.$t("user.passwordVerification"),trigger:"blur"}],confirmPassword:[{required:!0,trigger:"blur",message:this.$t("user.secondaryPassword")}],emailCode:[{required:!0,trigger:"blur",message:this.$t("user.inputCode")}]}},async fetchRegisterCode(t){const e=await(0,a.getRegisterCode)(t);e&&200===e.code&&this.$message({message:this.$t("user.verificationCodeSuccessful"),type:"success",showClose:!0})},handelCode(){this.codeParams.email=this.registerForm.email;const t=/^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+.[a-zA-Z]{2,}$/;let e=t.test(this.codeParams.email);this.codeParams.email&&e?(this.fetchRegisterCode(this.codeParams),null==window.sessionStorage.getItem("register_time")||(this.countDownTime=Number(window.sessionStorage.getItem("register_time"))),this.startCountDown()):this.$message({message:this.$t("user.emailVerification"),type:"error",showClose:!0})},startCountDown(){this.timer=setInterval((()=>{this.countDownTime<=1?(clearInterval(this.timer),sessionStorage.removeItem("register_time"),this.countDownTime=60,this.btnDisabled=!1,this.bthText="user.obtainVerificationCode"):this.countDownTime>0&&(this.countDownTime--,this.btnDisabled=!0,this.bthText="user.again",window.sessionStorage.setItem("register_time",this.countDownTime))}),1e3)},goLogin(){this.$router.push(`/${this.lang}/login`)},handelRadio(t){const e=this.lang;this.lang=t,this.$i18n.locale=t,localStorage.setItem("lang",t);const i=this.$route.path,a=i.replace(`/${e}`,`/${t}`);this.$router.push({path:a,query:this.$route.query}).catch((t=>{"NavigationDuplicated"!==t.name&&console.error("Navigation failed:",t)}))},handleRegister(){this.$refs.registerForm.validate((t=>{if(t){this.loading=!0;const t=/^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+.[a-zA-Z]{2,}$/;let e=t.test(this.registerForm.email);if(!this.registerForm.email||!e)return void this.$message({message:this.$t("user.emailVerification"),type:"error",showClose:!0});const i=/^(?!.*[\u4e00-\u9fa5])(?![a-zA-Z]+$)(?![A-Z0-9]+$)(?![A-Z\W_]+$)(?![a-z0-9]+$)(?![a-z\W_]+$)(?![0-9\W_]+$)[a-zA-Z0-9\W_]{8,32}$/,n=i.test(this.registerForm.password);if(!n)return void this.$message({message:this.$t("user.passwordFormat"),type:"error"});this.registerLoading=!0;const r={...this.registerForm};r.password=(0,s.encryption)(this.registerForm.password),r.confirmPassword=(0,s.encryption)(this.registerForm.confirmPassword),(0,a.getRegister)(r).then((t=>{this.registerForm.userName;200==t.code&&this.$alert(`${this.$t("user.congratulations")}`,`${this.$t("user.system")}`,{dangerouslyUseHTMLString:!0}).then((()=>{this.$router.push(`/${this.lang}/login`)})).catch((()=>{}))})).catch((()=>{this.loading=!1,this.captchaOnOff})),this.registerLoading=!1}}))},handleClick(){this.$router.push(`/${this.lang}`)}}}},92498:function(t,e){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{directives:[{name:"loading",rawName:"v-loading",value:t.submitWorkOrderLoading,expression:"submitWorkOrderLoading"}],staticClass:"submitWorkOrder"},[t.$isMobile?e("section",{staticClass:"WorkOrder"},[e("h3",[t._v(t._s(t.$t("work.SubmitWK")))]),e("el-form",{ref:"ruleForm",staticClass:"demo-ruleForm",attrs:{model:t.ruleForm,rules:t.rules,"label-width":"100px","label-position":t.labelPosition}},[e("el-form-item",{attrs:{label:t.$t("work.problem"),prop:"desc"}},[e("el-input",{staticStyle:{width:"100%"},attrs:{type:"textarea",resize:"none",autosize:{minRows:5,maxRows:10},placeholder:t.$t("work.PleaseEnter"),maxlength:"250","show-word-limit":""},model:{value:t.ruleForm.desc,callback:function(e){t.$set(t.ruleForm,"desc",e)},expression:"ruleForm.desc"}})],1),e("el-form-item",{staticStyle:{width:"100%"}},[e("div",{staticStyle:{width:"100%","font-weight":"600",color:"rgba(0,0,0,0.7)"}},[t._v(t._s(t.$t("work.enclosure")))]),e("p",{staticClass:"prompt"},[t._v(" "+t._s(t.$t("work.fileType"))+":jpg, jpeg, png, mp3, aif, aiff, wav, wma, mp4, avi, rmvb ")]),e("el-upload",{ref:"upload",staticClass:"upload-demo",attrs:{drag:"",action:"",multiple:"",limit:t.fileLimit,"on-exceed":t.handleExceed,"on-remove":t.handleRemove,"before-upload":t.beforeUpload,"file-list":t.fileList,"on-change":t.handelChange,"show-file-list":"","auto-upload":!1}},[e("i",{staticClass:"el-icon-upload"}),e("div",{staticClass:"el-upload__text"},[t._v(" "+t._s(t.$t("work.fileCharacters"))),e("em",[t._v(" "+t._s(t.$t("work.fileCharacters2")))])])])],1),e("el-form-item",[e("el-button",{staticClass:"elBtn",staticStyle:{width:"200px"},attrs:{type:"plain"},on:{click:t.submitForm}},[t._v(" "+t._s(t.$t("work.submit")))])],1)],1)],1):e("section",{staticClass:"WorkOrder"},[e("h3",[t._v(t._s(t.$t("work.SubmitWK")))]),e("el-form",{ref:"ruleForm",staticClass:"demo-ruleForm",attrs:{model:t.ruleForm,rules:t.rules,"label-width":"100px","label-position":t.labelPosition}},[e("el-form-item",{attrs:{label:t.$t("work.problem"),prop:"desc"}},[e("el-input",{staticStyle:{width:"100%"},attrs:{type:"textarea",resize:"none",autosize:{minRows:5,maxRows:10},placeholder:t.$t("work.PleaseEnter"),maxlength:"250","show-word-limit":""},model:{value:t.ruleForm.desc,callback:function(e){t.$set(t.ruleForm,"desc",e)},expression:"ruleForm.desc"}})],1),e("el-form-item",{staticStyle:{width:"50%"}},[e("div",{staticStyle:{width:"100%","font-weight":"600",color:"rgba(0,0,0,0.7)"}},[t._v(t._s(t.$t("work.enclosure")))]),e("p",{staticClass:"prompt"},[t._v(" "+t._s(t.$t("work.fileType"))+":jpg, jpeg, png, mp3, aif, aiff, wav, wma, mp4, avi, rmvb ")]),e("el-upload",{ref:"upload",staticClass:"upload-demo",attrs:{drag:"",action:"",multiple:"",limit:t.fileLimit,"on-exceed":t.handleExceed,"on-remove":t.handleRemove,"before-upload":t.beforeUpload,"file-list":t.fileList,"on-change":t.handelChange,"show-file-list":"","auto-upload":!1}},[e("i",{staticClass:"el-icon-upload"}),e("div",{staticClass:"el-upload__text"},[t._v(" "+t._s(t.$t("work.fileCharacters"))),e("em",[t._v(" "+t._s(t.$t("work.fileCharacters2")))])])])],1),e("el-form-item",[e("el-button",{staticClass:"elBtn",staticStyle:{width:"200px"},attrs:{type:"plain"},on:{click:t.submitForm}},[t._v(" "+t._s(t.$t("work.submit")))])],1)],1)],1)])},e.Yp=[]},97333:function(t,e){e.Yp=e.XX=void 0;e.XX=function(){var t=this,e=t._self._c;return e("div",{staticClass:"rate"},[t.$isMobile?e("section",{staticClass:"rateMobile"},[e("h4",[t._v(t._s(t.$t("course.rateRelated")))]),e("div",{staticClass:"tableBox"},[e("div",{staticClass:"table-title"},[e("span",{attrs:{title:t.$t("course.currency")}},[t._v(t._s(t.$t("course.currency")))]),e("span",{attrs:{title:t.$t("course.miningFeeRate")}},[t._v(t._s(t.$t("course.miningFeeRate")))])]),e("el-collapse",{attrs:{accordion:""}},t._l(t.rateList,(function(i){return e("el-collapse-item",{key:i.value,attrs:{name:i.value}},[e("template",{slot:"title"},[e("div",{staticClass:"collapseTitle"},[e("span",[e("img",{attrs:{src:i.img,alt:"coin",loading:"lazy"}}),t._v(" "+t._s(i.label))]),e("span",[t._v(t._s(i.rate))])])]),e("section",{staticClass:"contentBox2"},[e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("course.minimumPaymentAmount")))]),e("p",[t._v(t._s(i.quota)+" ")])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("course.settlementMode")))]),e("p",[t._v(t._s(i.mode))])])]),e("div",{staticClass:"belowTable"},[e("div",[e("p",[t._v(t._s(t.$t("course.miningAddress")))]),e("p",[t._v(t._s(i.address)+" ")])])])])],2)})),1)],1)]):e("section",{staticClass:"rateBox"},[e("section",{staticClass:"leftMenu"},[e("ul",[e("li",[t._v(t._s(t.$t("course.rateRelated")))])])]),e("section",{staticClass:"rightText"},[e("h2",[t._v(t._s(t.$t("course.rateRelated")))]),e("section",{staticClass:"table"},[e("div",{staticClass:"tableTitle"},[e("span",[t._v(t._s(t.$t("course.currency")))]),e("span",[t._v(t._s(t.$t("course.miningAddress")))]),e("span",[t._v(t._s(t.$t("course.miningFeeRate")))]),e("span",[t._v(t._s(t.$t("course.settlementMode")))]),e("span",[t._v(t._s(t.$t("course.minimumPaymentAmount")))])]),e("ul",t._l(t.rateList,(function(i){return e("li",{key:i.value},[e("span",{staticClass:"coin"},[e("img",{attrs:{src:i.img,alt:"coin",loading:"lazy"}}),t._v(" "+t._s(i.label))]),e("span",[t._v(t._s(i.address))]),e("span",[t._v(t._s(i.rate))]),e("span",[t._v(t._s(i.mode))]),e("span",[t._v(t._s(i.quota))])])})),0)])])])])},e.Yp=[]},99398:function(t,e,i){var a=i(3999)["default"];Object.defineProperty(e,"B",{value:!0}),e.A=void 0;var s=a(i(72938));e.A={mixins:[s.default]}}},e={};function i(a){var s=e[a];if(void 0!==s)return s.exports;var n=e[a]={id:a,loaded:!1,exports:{}};return t[a].call(n.exports,n,n.exports,i),n.loaded=!0,n.exports}i.m=t,function(){i.amdO={}}(),function(){var t=[];i.O=function(e,a,s,n){if(!a){var r=1/0;for(d=0;d=n)&&Object.keys(i.O).every((function(t){return i.O[t](a[l])}))?a.splice(l--,1):(o=!1,n0&&t[d-1][2]>n;d--)t[d]=t[d-1];t[d]=[a,s,n]}}(),function(){i.d=function(t,e){for(var a in e)i.o(e,a)&&!i.o(t,a)&&Object.defineProperty(t,a,{enumerable:!0,get:e[a]})}}(),function(){i.g=function(){if("object"===typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"===typeof window)return window}}()}(),function(){i.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)}}(),function(){i.r=function(t){"undefined"!==typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})}}(),function(){i.nmd=function(t){return t.paths=[],t.children||(t.children=[]),t}}(),function(){i.p="/"}(),function(){var t={531:0};i.O.j=function(e){return 0===t[e]};var e=function(e,a){var s,n,r=a[0],o=a[1],l=a[2],c=0;if(r.some((function(e){return 0!==t[e]}))){for(s in o)i.o(o,s)&&(i.m[s]=o[s]);if(l)var d=l(i)}for(e&&e(a);c{let e=localStorage.getItem("token");this.token=JSON.parse(e);let t=localStorage.getItem("accountList");this.accountList=JSON.parse(t);let o=localStorage.getItem("miningAccountList");this.miningAccountList=JSON.parse(o);let n=localStorage.getItem("jurisdiction");this.jurisdiction=JSON.parse(n);let i=localStorage.getItem("currencyList");this.currencyList=JSON.parse(i);let a=localStorage.getItem("activeItemCoin");this.activeItem=JSON.parse(a),this.jurisdiction&&"admin"==this.jurisdiction.roleKey?this.ManagementShow=!0:this.ManagementShow=!1})),this.jurisdiction&&"admin"==this.jurisdiction.roleKey?this.ManagementShow=!0:this.ManagementShow=!1,document.addEventListener("click",(function(){const e=document.querySelector(".dropdown"),t=document.querySelector(".arrow");e.classList.contains("show")&&(e.classList.remove("show"),t.classList.remove("up"))}))},methods:{toggleDropdown(e){if(!e)return;const t=e.currentTarget,o=t.querySelector(".dropdown"),n=t.querySelector(".arrow");o&&(o.classList.toggle("show"),n?.classList.toggle("up"))},changeMenuName(e,t){if(!e)return;e.stopPropagation();const o=document.getElementById("menu1");if(!o)return;this.activeItem=t;const n=o.querySelector(".dropdown"),i=o.querySelector(".arrow");n?.classList.remove("show"),i?.classList.remove("up"),this.$addStorageEvent(1,"activeItemCoin",JSON.stringify(t))},handelDarkMode(){},async fetchAccountGradeList(){const e=await(0,n.getAccountGradeList)();this.miningAccountList=e.data,this.$addStorageEvent(1,"miningAccountList",JSON.stringify(this.miningAccountList))},async fetchAccountList(e){const t=await(0,i.getAccountList)(e);t&&200==t.code&&(this.accountList=t.data,this.$addStorageEvent(1,"accountList",JSON.stringify(this.accountList)))},async fetchSignOut(){const e=await(0,n.getLogout)();if(e&&200==e.code){const e=this.$i18n.locale;this.$router.push(`/${e}`)}},handleDropdownClick(){this.isDropdownVisible=!0},handleCommand(e){},handleSelect(){},handelLogin(){this.isLogin=!0;const e=this.$i18n.locale;this.$router.push(`/${e}/login`)},handelRegister(){const e=this.$i18n.locale;this.$router.push(`/${e}/register`)},handelLogin222(){this.isLogin=!this.isLogin},handelJump(e){try{const t=this.$i18n.locale;if("personalCenter"===e)return void this.$router.push(`/${t}/personalCenter/personalMining`).catch((e=>{"NavigationDuplicated"!==e.name&&console.error("Navigation failed:",e)}));const o=`/${t}${"/"===e?"":"/"+e}`;this.$router.push(o).catch((e=>{"NavigationDuplicated"!==e.name&&console.error("Navigation failed:",e)}))}catch(t){console.error("Navigation error:",t),this.$message.error(this.$t("common.navigationError"))}},handelJumpAccount(e,t,o){const n=this.$i18n.locale;let i={ma:t.account,coin:o,id:t.id,img:e.img};this.$addStorageEvent(1,"accountItem",JSON.stringify(i)),this.$router.push({path:`/${n}/miningAccount`,query:{ma:t.account+o}}),this.isDropdownVisible=!1},handelLang(e){try{const t=this.$route.path,o=this.$i18n.locale,n=this.$route.query;if(!["zh","en"].includes(e))throw new Error("Unsupported language");this.$i18n.locale=e,localStorage.setItem("lang",e||"en");const i=t.replace(`/${o}`,`/${e}`);this.$router.push({path:i,query:n}).catch((e=>{"NavigationDuplicated"!==e.name&&(console.error("路由更新失败:",e),this.$message.error(this.$t("common.langChangeFailed")))})),document.documentElement.lang=e}catch(t){console.error("语言切换失败:",t),this.$message.error(this.$t("common.langChangeFailed"))}},handelSignOut(){this.fetchSignOut(),localStorage.removeItem("token"),localStorage.removeItem("username"),localStorage.removeItem("jurisdiction"),this.$addStorageEvent(1,"miningAccountList",JSON.stringify("")),this.isLogin=!1,this.isDropdownVisible=!1}}}},950:function(e){e.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAJgAAACKCAYAAABW3IOxAAAAAXNSR0IArs4c6QAAElhJREFUeAHtnXuQHMV9x7tndvdOQkgCWZKxkITEQ5YB87AVCT9iEqgyTsXlyA42QVRcScXYzvOPkKeJLSrOy8RVxMSVBNuVqrhIxS7KJk5BKlWpQKiKX4hgwOII6CzLAk6H0Pt0e/uY6Xx+p7vT3Gl2b2e3Z2d2t7vqdzuP7l//+tvf6+75dU+PVi5kioAxZl01UDtMEG43Wu/AmOuUUYeVVqNKmVGjvX2+HAdqX6mkfqS1Pp2pwQkz1wnju+gdIACZlpTr6npU7FChETIh5uJkKvWYPkO+fUp7oyZUowWt9hWLahTyHU2mK/3YjmApYjxlzGWmSuukQ4iktwP2NZCsmFqWWh9D96hWZp+nvb2lgvompNubWn4tKHYEawGkVqJAnBWVutpmZlono2mdjFnVSlqbcTytnynSpHlaXYPeV5F3QLIDNvNIossRLAlaM3Ehk1etqitDIZGidTKMnbTayvVM8IRAZQj1dNHXF9N9blhQpBc4f2dW3WcmgCwAIPenEGdNJVDbGYhDpOmB+DaunZ+14VrpV31fjxb96dZqeRN7vs29m4WITeKkcssRbAGsEKdUq6lrQ7o6M9M6GWU2LYiW6Snd4HO+p8sFX70dQ7wWjfkW8T4IyYIW41uJNvAEKxuzUQbiSocMwqdbp+sh2ZAVdC0qgRhVur8nS75+A79b2lT9AHo+3mbatpINHMEgz/JKqH7ZmPBtJtA3J3cTtIVz+4m0PsyYfS8D9ytRsrp9RXMpd0Oye+bOUj4YOIJNVsJvQKqdgitAh8aocQbIr/P0d4pLNbmMDOPsXKk9tSYMzUrOux6wbaTg6SN0g9vI3HaLeif6v9SNQg0UwSZr5ndVGP51EmCpiJPEH4OAxwFLBskyhilyvozBzyp+L5JxWxKdjeKSl+j+Xqmgl0D66xrFs3Bd8tlJfv9mQVdTFQNDMMj1Tm3M45Ch0BSRhDeppBqtnXjXZXrnlApV1TAKxwe2hHsreEBYw/015NsYazzwdIM/KBT0ZURa6GZIaFHL0eWf5SZs/E7LKdqI2LjQbSjLaxIqd3W5ap6ma1yXiY2MowB6nLyPQbZJ7dE1Kzz6Ri2hG6zMdINZuD2OYNO7IJn4ylIJfU8wyOVN1cx/8MuAPj+BSq0PFabnFddnbNUB8r8Be8bSsKNVH0oaeXdF51Q13J03cknB8WM9TUeaNbnElI3Iv4NRM0etxGsr9HULRsv1XoAT8HJVToZozw8V9VvaqrH0Ej2G6ltoyao2s+jbFmzSmPX4IB7MG7mowIlSUa+xWYmWdP0Mev7JNl59STBAKqqa+XoWqxkWq+yCr1+iOX3DYvEyuv8R8r3bZt59SbByDV+XmV7QZxOrjnUx7tpT8FL1b3VsIwq22lAyq6PvCDZZMbfy+P/bswXMz68ew4FqtfLyU7bGlvQVwVhBeoXW5iuNi5vNHcZdhkH9cXI/LxsLssu1bwjGuGuJqZmH+M3CYdm0Bnlp49tM/Qxc6yWgWJ02aYpyyjenauHfMXF9dcrZJFZP6/UiKyG2J07YJwn6ogVjGujXINdH81YnkGuKrlFWQvTNP3JSjHueYNWquZY5xvuTFrwb8Zln3INLQjzlAxt6n2BBeBdPjaxm0CZPtYg9e5jEfleebMrClp5vuk9Vwl1CLqZf9nuePljy1YTvqxKku4iB9eUM+m0v1lu8nrR+fbioB7rlmgWp5wkmBYFEOjBmcxCqzbX6bNFkaao+4fvmh3RVRwu+Z3iau5CLl5LggrOx7B/h7xpF68AO7KOI9gXBogWKHrPmakU9UG+rB/SetWD6Fq1dQEv3Eu8QjtHCVYueWso4aT1xraxsQPcTEPmno3YM8nFfEyyuYmnt/CAwlweBujx6n0WARwqe9+OCF55kOodDbzXE20z8lpdD02LuZ42X7D3hwgwCA0ewRjVvQrOqFgar5K2PMyGQl0JqdK//xxzi6wzYA1qmFazhugTSrZiNNfsrcSHXBOebZq+53wH2z7RS+RCpWAvMFnrXLdPvG80kohscLxW8l30dln3PG+ZR/E2QcATy3dSK3kGK41qwNmqbV9nWTlWDtWeSnhnbrT6/kNclOG2U0F6SnveD2YOiY03unzUGQkewGFDcJXsIOILZw9JpikHAESwGFHfJHgKOYPawdJpiEHAEiwHFXbKHgCOYPSydphgEHMFiQHGX7CHgCGYPS6cpBgFHsBhQ3CV7CDiC2cPSaYpBwE1vxIAy4Jd+gUn+V1rA4Ani3CHr65rFdQRrhs5g3ltCsUUWC7cRQbYX/XiziK6LbIaOu7cYAnfS2t3TLJIjWDN03L1WEPg0JPtko4iOYI2QcdeTIPC3kOxDcQkcweJQcdeSIiA8ks3+blyY0BFsISLuvF0E5P3ThyGZfEZwLjiCzUHhDiwgIC/DyJ64cy++OIJZQNWpmIfARZzJtvHT31VyBJuHjTuxhIC8c/ooJJPP7bjgEEgFAfmW5UOOYKlg65TOIHCTI5jjQqoIOIKlCq9T7gjmOJAqAo5gqcLrlDuCOQ6kikBPEww/yw2+7z3FvlynU0XJKW8bgZ5bcAipZDHcLyG/gVy/+owrr16tq2fLNXO0UgtWhopPtmSxN2vb1dC/CdnErzcCxLoUSz+B/Cpy4SJWlys1M1KuhyeqdcP3svWbSe8vkqaj22zfFPqe6ukeoSMA4hPXc00wSCEVdgsirdX7kLbsZYfWE3yc9AW+fltmQ7mLjNJXoLstXdgQGxzBYmHJJ8GofGmhfgX5dWRzrOkdXOSrIIf5OsiLtHB1NgneQH6bOlA3ndQRLBbBfBGMipYNdKW1kjFWKy8exJYq6cXQqJch3GilFupqIIQ2FyfV4QgWi1j2BINUsovzrchvIjtizezyRfbb38cDw0E+sFXgeAs2LvoJZEew2ErKjmBU2gZMkleePoZMrx2KNTH7i2EtVCO0cIdo4ZaGodrKnvorF5rlCLYQkenz7hMMYt1M1tINvh9J9cluuoj2/9T4msjeybo5DOFWmFBdCeHOcwSLBbo7BINUy8n+o4gQa0usKb17cbJSV4+VCurneCy1+mTau5DMWZ4uwSDWVWQlpLoDWTaXbf8cvERR5FPJ2/qnSFZLUrfuyYdUonMnIsR6j1Vz86PsJ5jyMnID4lqtJvViDRyIJYv975yRNzXJs5dvjWO8tFrytGv9n7OXgWlg+2sdEwxivRvl0lp9ECk2yKjXL0s3+CwiXWHX/HM9DNppbL8PubdtgkGsN/INn78s+upnUbS+h8FoZroAtQe5DpEHFReaI1Dl9j8gn2Vbp9ckatsEK1eDrzHl8mEUhSj5AR+D4qOf6gp0in+r14MA9T1kK+K+QbR4bcoeYV9FdsOHA9HobRFsqm7eFwbho1FFcoxymUF+Zubzd/Ju3MaFcXJ+HmLfd5FLkH4dR1I0q+EbaLubuh+J05qYYHSNS6eqZi/OxUviFM5emyHbs0I2vqF9KRk1jT+bLsPf75P3amRThjb0Utb/ibF/RD3LEKJhSEywqUpwL//mdzXUGHNDyMaSmef4uOdhutG8ke1pTF6K9JsDOKYmrFySoYMQ67FWtCUiWLVqrgmU2UMr1tEjOsb9kJZtHLJtwgDry3FaKThx9iIydnhri/EHPZrgJV3hw0mAaJlgkMpjhcF3WIr8U0kyWCwuBu+dIdslXSLbPmwSt4O82u7C4gjsJ8pnkAepKxmjJgotE4xx12+FJvxCIu0JI1OAEcg2Rsu2EcNkibTNcBBlryDbkZbLbdOAHtN1CHs/izxAvZz9lHnCQrQENK3XOpYcj/B7fkL9bUenUPIx9lch24YOySb+GPG+C7E66trbLkxvJZTW/XPI31AHk52a3hLBJishj6JG5hczCRT0Rcj2CmRbj8GXtWiEAPUcsg0ZbjHNIEcTMkkP9VfgLdhZCYsSrFI3HwiC8GEruVlQQuH3QbaDBQ+y6ViyCVBPIdciXWtxLRQtKxXS/T2AiPddukWroSnB6BKXMfZ6Hp9XLqeCeOF2lFfFDhZ8vQ6ybQQZ8WWJ932VVZT6U5kM2B9EPgOxZCCfSmhKsMlqcJ8y6ndSydmiUgAKhor6dQqz1qLaflb1rxTuU+AmrodUQ0OC4fN6Oz6v79KK5X5Zs+/rl0u+TvwmUKrI5lP5f2HWH0MscZZ2JcQSTEiFz+tJfF6yiiDXAbAmhou6H1fL2sT9SZQJsWR6p6sh9rG9XKdb7AFyCVJFv30fTVeRziYzmYAW77tMSGcSzmnByvI6WY2BvTHnZWJRgkw1c5vDBb06QZJBiXqAgu5Gvgq5ZDoss3BOC2aq5ov4vHJPLkGMcZds/O/CWQTEqfxnyN9DLFnTlnmYRzB8Xr+Iz+vnM7eqBQM8Tx/ytHpjC1EHIcoJCnkvch/EOp2nAs91kXSJK3h7mT57+uWNPNl4ji2AWMMtUZwz/pwYA3OhTEnvR8T7fjSPpZ5rwdiH4S8wUN4Myn3Ai38Kcl2Ye0PTM1C8719B/hRivZpeNp1rnm4E8HntwOf1P7RiXucq09UAoCdxSyxPN5fcajdY9i/In4DDaG6tjBhWgFQFVko80AvkErtxSwxF7B+kw/+msHdBrKZLlPMGiDdVV3dBrqvzZlicPbgljjD3OGgEE1/WByDWjb1GLqlDjy3+buR1oCNxFZqna4Brhnw9SJPYsrLhE8jVlP1beaqLJLboseM1tizV1VLB+9+SH0762mM1Qv6eJFkxcYzu8YIkhevRuOJm+DzyOYiVK5dDO3ieIVgkJYUKqcxn8JAfw890GWTbELmdySE2VRjY93vXKB73f0RkAG99XVYmFUem5xBsoSG4BEaGCvpQ0ffWsy4MwnU/FAteGTuWdD/nruX4CDn9PsR6vms5dimjRQkWtcMvePuHff0TXqRdw5uOsrAv9eBpfQqnar+uTH0KAOXJ8PHUgcwog0QEi9rIVM3YkqLH8mVzASR4S1pujqGiZ+iq+81p/2OwvBv5Z8glvq2+DW0TLIqI53tHadle4KWMpZDhKvGtRe+3e8za+xOlQl9NaB8Diz9H7odYlXZx6aV0VggWLTBPoRNF34yUitBOs0Fum98MogJCxn40jlHtPXssKxu+iMjUjpBsYIJ1gkWRgx7VkqefZ1lNnXHbVsjW8jIgnmQncUssjerrwWPp/r6OyF4O+3vQ/o5NTpVgUeukRYIwI7gbJmnZ5FtBDddyEXeKeMPR9D14LFM7v0dZnuxB262Z3DWCLbQYx+5LeOaPez6bnxgzz0PPvYApody/bLKwTDPnMrXzhxCrZ73vDcrV1uXMCBa1tljQB0u+GmfItR7CLWPs1XJXGtWT8bE4R+9BvgS5Ml2mnDEO87LPBcGiFp0/7KvzhnpqZD87tXMvxJqIlsUd53AzEGYLqJeeIFhfTu3Y/qew4q+ybVQP6OvbqR3b2DuCJUNUpnbkyfCxZMkGN3bul0jnpGoOYMcdyDZHrmQ14lqw5njJPlkytfMFiDUQUzvN4Uh+1xEsHrPZqR3ZMyuXr4PFm52/q45g8+tk4Kd25sPR+Zkj2FkMn+BQ1mYN9NTOWTjsHDmCKfUCUP4BxHJTO3Y4NU/LID9FjoPEJ5GrHLnmccLqySC2YG5qxyqFmisrsBp5gumZQdghcHZq59O0WGPNYXF3bSHgrV3hrwXwXcgjSNtfdLBlUEp6HkXvNZTvY4gjV0ogx6mdN6t88qRZVQ7DDxsd7mLC+R0sCpx3P06B7WvLhj3W61gbGrqpHdsVlFBfQwIdK5uNlUp4u1Lh7TiHrkqot+3olggmUzufQvr+rZ22ge5SwoYEi+Y/PmHequr1XaHSt6X9pneHBHNTO9GKy8FxSwSbtVO6zMMT6t2hCW7nC6O3stTZ+iZwbRLMTe3MVlLOfhMRLGo7ZCuOnwpuYX3gLsj2flo2K28AJSTY7NSO7AH/o6h97jgfCLRNsKj5r/FNI3My2MnHb3ah8GbI1/YLGwkIJlM7sjbr+1Fb3HG+ELBCsGiRDp0ya1QYfmT64cCoHdF7rRy3QDA3tdMKkDmJY51g0XKNHzebcXnwFIrbw6g3R+81Om5CMJna2Y18mVar3ii9u54vBFIlWLSoh0+b6+u1+u3MHNzGzMG66L3ocQzB5PuPn0dkQzb31k4UrB447hrBZrFgfOYdmqi/RwcaZ676EGRbOXtPfiMEc1M7UWDccXIEINvQ+Mn6zrHj9YfGTtTLsp3nqamAy+YR5MrkGl0Kh0ADBI4Ys/zUVPj4sdPBPQ2iuMsOAYeAQ2A+Av8Pby5Qwk3kUm8AAAAASUVORK5CYII="},1339:function(e,t,o){o.r(t),o.d(t,{__esModule:function(){return i.B},default:function(){return l}});var n=o(27230),i=o(8643),a=i.A,r=o(81656),s=(0,r.A)(a,n.XX,n.Yp,!1,null,"3185108e",null),l=s.exports},1708:function(e,t,o){e.exports=o.p+"img/高度资源 26.2af0541e.svg"},1717:function(e,t,o){e.exports=o.p+"img/接入矿池.57f89e2c.svg"},3832:function(e,t,o){e.exports=o.p+"img/profit.adb6726b.svg"},4940:function(e,t,o){e.exports=o.p+"img/menu.5760bd15.svg"},6006:function(e,t,o){e.exports=o.p+"img/logointop.60501418.svg"},6803:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.getAccountList=l,t.getAddBalace=a,t.getAddMinerAccount=r,t.getBindCode=f,t.getBindGoogle=g,t.getBindInfo=h,t.getCheck=m,t.getCheckAccount=u,t.getCheckBalance=d,t.getCloseCode=y,t.getCloseStepTwo=v,t.getDelMinerAccount=s,t.getEmailIfBind=w,t.getIfBind=p,t.getMinerAccountBalance=c,t.getUpdatePwd=b,t.getUpdatePwdCode=A;var i=n(o(35720));function a(e){return(0,i.default)({url:"pool/user/addBalance",method:"post",data:e})}function r(e){return(0,i.default)({url:"pool/user/addMinerAccount",method:"post",data:e})}function s(e){return(0,i.default)({url:"pool/user/delMinerAccount",method:"Delete",data:e})}function l(e){return(0,i.default)({url:"pool/user/getAccountList",method:"post",data:e})}function c(e){return(0,i.default)({url:"pool/user/getMinerAccountBalance",method:"post",data:e})}function u(e){return(0,i.default)({url:"pool/user/checkAccount",method:"post",data:e})}function d(e){return(0,i.default)({url:"pool/user/checkBalance",method:"post",data:e})}function m(e){return(0,i.default)({url:"pool/user/check",method:"post",data:e})}function p(e){return(0,i.default)({url:"pool/user/ifBind",method:"post",data:e})}function h(e){return(0,i.default)({url:"pool/user/getBindInfo",method:"post",data:e})}function g(e){return(0,i.default)({url:"pool/user/bindGoogle",method:"post",data:e})}function f(e){return(0,i.default)({url:"pool/user/getBindCode",method:"post",data:e})}function y(e){return(0,i.default)({url:"pool/user/getCloseCode",method:"post",data:e})}function v(e){return(0,i.default)({url:"pool/user/closeStepTwo",method:"post",data:e})}function w(e){return(0,i.default)({url:"pool/user/emailIfBind",method:"post",data:e})}function b(e){return(0,i.default)({url:"auth/updatePwd",method:"post",data:e})}function A(e){return(0,i.default)({url:"auth/updatePwdCode",method:"post",data:e})}},8643:function(e,t,o){var n=o(91774)["default"],i=o(3999)["default"];Object.defineProperty(t,"B",{value:!0}),t.A=void 0,o(44114),o(18111),o(20116);var a=i(o(91774)),r=o(84403),s=n(o(3574)),l=o(82908);t.A={name:"AppMain",components:{comHeard:()=>Promise.resolve().then((()=>(0,a.default)(o(63072))))},computed:{key(){return this.$route.path}},data(){return{activeName:"second",option:{...r.line},option2:{...r.line},powerDialogVisible:!1,minerDialogVisible:!1,currentPage:1,currency:"mona",currencyPath:"https://s2.coinmarketcap.com/static/img/coins/64x64/213.png",currencyList:[{value:"grs",label:"grs",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/258.png"},{value:"mona",label:"mona",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/213.png"},{value:"dgb_skein",label:"dgb-skein-pool1",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/109.png"},{value:"dgb_qubit",label:"dgb-qubit-pool1",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/109.png"},{value:"dgb_odo",label:"dgb-odocrypt-pool1",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/109.png"},{value:"dgb2_odo",label:"dgb-odocrypt-pool2",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/109.png"},{value:"dgb_qubit_a10",label:"dgb-qubit-pool2",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/109.png"},{value:"dgb_skein_a10",label:"dgb-skein-pool2",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/109.png"},{value:"dgb_odo_b20",label:"dgb-odoscrypt-pool3",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/109.png"}],scrollTop:0,isLogin:!0,bthText:"English",miningAccountList:[{title:"grs",coin:"grs",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/258.png",children:[{account:"miner",id:"1"},{account:"test",id:"2"}]},{title:"mona",coin:"mona",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/213.png",children:[{account:"miner",id:"1"},{account:"test",id:"2"}]},{title:"dgb-skein-pool1",coin:"dgb_skein",imgUrl:"https://s2.coinmarketcap.com/static/img/coins/64x64/109.png",children:[{account:"miner",id:"1"},{account:"test",id:"2"}]}],activeItemCoin:{coin:"nexa",imgUrl:(0,l.getImageUrl)("/img/nexa.png")},lang:"zh"}},created(){},mounted(){this.lang=this.$i18n.locale,window.scrollTo(0,0);let e=localStorage.getItem("activeItemCoin");this.activeItemCoin=JSON.parse(e);let t=localStorage.getItem("currencyList");this.currencyList=JSON.parse(t),window.addEventListener("setItem",(()=>{let e=localStorage.getItem("activeItemCoin");this.activeItemCoin=JSON.parse(e);let t=localStorage.getItem("currencyList");this.currencyList=JSON.parse(t)}))},methods:{jumpPage(){const e=this.$i18n.locale;this.$router.push(`/${e}/ServiceTerms`)},jumpPage1(){const e=this.$i18n.locale;this.$router.push(`/${e}/apiFile`)},jumpPage2(){const e=this.$i18n.locale;this.$router.push(`/${e}/rate`)},jumpPage3(e){console.log(e,1366565);const t=this.$i18n.locale;if("/AccessMiningPool"===e){const e=this.currencyList.find((e=>e.value===this.activeItemCoin.value));if(!e)return;let o=e.path.charAt(0).toUpperCase()+e.path.slice(1);this.$router.push({name:o,params:{lang:t,coin:this.activeItemCoin.value,imgUrl:this.activeItemCoin.imgUrl},replace:!1})}else{const o=e.startsWith("/")?e.slice(1):e;this.$router.push(`/${t}/${o}`)}},handleCommand(e){},handleScroll(e){"/"==this.$route.path&&(this.scrollTop=e.target.scrollTop,this.scrollTop>=300?(this.$refs.head.style.backgroundColor="#FFF",this.$refs.head.style.position="fixed",this.$refs.head.style.top="0"):(this.$refs.head.style.backgroundColor="initial",this.$refs.head.style.position="tatic"))},clickCurrency(e){this.currency=e.label,this.currencyPath=e.imgUrl},handleClick(e,t){console.log(e,t)},handelPower(){this.powerDialogVisible=!0,this.$nextTick((()=>{this.inCharts()}))},handelMiner(){this.minerDialogVisible=!0,this.$nextTick((()=>{this.myChart2=s.init(document.getElementById("minerChart")),this.myChart2.setOption(this.option2)}))},handleSizeChange(e){console.log(`每页 ${e} 条`)},handleCurrentChange(e){console.log(`当前页: ${e}`)},inCharts(){this.myChart=s.init(document.getElementById("chart")),this.myChart.setOption(this.option)},handelLogin(){this.isLogin=!0,this.$router.push("/login")},handelRegister(){this.$router.push({path:"/register"})},handelLogin222(){this.isLogin=!this.isLogin},handelJump(e){this.$router.push({path:e})},handelLang(){const e=this.$route.path,t=this.$i18n.locale,o="zh"===t?"en":"zh";this.$i18n.locale=o,this.lang=o,this.bthText="zh"===o?"English":"简体中文";const n=e.replace(`/${t}/`,`/${o}/`);this.$router.push(n).catch((e=>{"NavigationDuplicated"!==e.name&&console.error("路由跳转失败:",e)})),localStorage.setItem("lang",o)}}}},10673:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.getApiInfo=c,t.getApiKey=a,t.getApiList=r,t.getDelApi=l,t.getUpdateAPI=s;var i=n(o(35720));function a(e){return(0,i.default)({url:"pool/user/getApiKey",method:"post",data:e})}function r(e){return(0,i.default)({url:"pool/user/getApiList",method:"post",data:e})}function s(e){return(0,i.default)({url:"pool/user/updateAPI",method:"post",data:e})}function l(e){return(0,i.default)({url:"pool/user/delApi",method:"delete",data:e})}function c(e){return(0,i.default)({url:"pool/user/getApiInfo",method:"post",data:e})}},10885:function(e,t,o){t.Yp=t.XX=void 0;t.XX=function(){var e=this,t=e._self._c;return t("div",{staticClass:"headerBox",class:{whiteBg:"/"!==e.key}},[t("div",{staticClass:"header"},[t("div",{staticClass:"logo",on:{click:function(t){return e.handelJump("/")}}},[t("img",{attrs:{src:o(65549),alt:"logo图片"}})]),t("div",{staticClass:"topMenu"},[t("div",{directives:[{name:"show",rawName:"v-show",value:e.isLogin&&(e.$route.path.includes("reportBlock")||"Home"==e.$route.name),expression:"isLogin &&( $route.path.includes(`reportBlock`) || $route.name == `Home` ) "}],staticClass:"nav"},[t("div",{staticClass:"nav-item",attrs:{id:"menu1"},on:{click:function(t){return t.stopPropagation(),e.toggleDropdown.apply(null,arguments)}}},[t("img",{staticClass:"itemImg",attrs:{src:e.activeItem.imgUrl,alt:e.activeItem.label}}),t("span",{staticStyle:{"text-transform":"capitalize"}},[e._v(" "+e._s(e.activeItem.label))]),t("i",{staticClass:"arrow"}),t("div",{staticClass:"dropdown"},e._l(e.currencyList,(function(o){return t("div",{key:o.value,staticClass:"option",class:{optionActive:o.value===e.activeItem.value},on:{click:function(t){return t.stopPropagation(),e.changeMenuName(t,o)}}},[t("img",{staticClass:"dropdownCoin",attrs:{src:o.imgUrl,alt:o.label}}),t("div",{staticClass:"dropdownText"},[e._v(e._s(o.label))])])})),0)])]),t("ul",{directives:[{name:"show",rawName:"v-show",value:e.isLogin,expression:"isLogin"}],staticClass:"menuBox afterLoggingIn"},[t("li",{staticClass:"home",class:{active:e.$route.path===`/${e.$i18n.locale}`||e.$route.path===`/${e.$i18n.locale}/`},on:{click:function(t){return e.handelJump("/")}}},[e._v(" "+e._s(e.$t("home.home"))+" "),t("div",{staticClass:"horizontalLine",class:{hidden:e.$route.path===`/${e.$i18n.locale}`||e.$route.path===`/${e.$i18n.locale}/`}},[t("span",{staticClass:"circular"}),t("span",{staticClass:"line"})])]),t("li",{directives:[{name:"show",rawName:"v-show",value:e.isLogin,expression:"isLogin"}],staticClass:"miningAccount"},[t("el-menu",{staticClass:"el-menu-demo",attrs:{"active-text-color":"#6E3EDB",mode:"horizontal"}},[t("el-submenu",{attrs:{index:"888888"}},[t("span",{staticClass:"miningAccountTitle",class:{active:e.$route.path.includes(`/${e.$i18n.locale}/miningAccount`)},staticStyle:{color:"#000"},attrs:{slot:"title"},slot:"title"},[e._v(e._s(e.$t("home.accountCenter")))]),e._l(e.miningAccountList,(function(o){return t("el-submenu",{key:o.coin,attrs:{index:o.coin}},[t("template",{slot:"title"},[t("img",{staticStyle:{width:"20px"},attrs:{src:o.img,alt:o.coin}}),e._v(" "+e._s(o.title))]),e._l(o.children,(function(n){return t("el-menu-item",{key:n.id,attrs:{index:n.id.toString()},nativeOn:{click:function(t){return e.handelJumpAccount(o,n,o.coin)}}},[e._v(" "+e._s(n.account))])}))],2)})),t("el-menu-item",{staticClass:"signOut",staticStyle:{"font-size":"0.9rem"},attrs:{index:"999999"},nativeOn:{click:function(t){return e.handelSignOut.apply(null,arguments)}}},[e._v("    "+e._s(e.$t("user.signOut")))])],2)],1),t("div",{staticClass:"horizontalLine",class:{hidden:"/miningAccount"==e.$route.path}},[t("span",{staticClass:"circular"}),t("span",{staticClass:"line"})])],1),t("li",{staticClass:"reportBlock",class:{active:e.$route.path.includes(`/${e.$i18n.locale}/reportBlock`)},on:{click:function(t){return e.handelJump("reportBlock")}}},[e._v(" "+e._s(e.$t("home.reportBlock"))+" "),t("div",{staticClass:"horizontalLine",class:{hidden:e.$route.path.includes(`/${e.$i18n.locale}/reportBlock`)}},[t("span",{staticClass:"circular"}),t("span",{staticClass:"line"})])]),t("li",{staticClass:"personalCenter",class:{active:e.$route.path.includes(`/${e.$i18n.locale}/personalCenter`)},on:{click:function(t){return e.handelJump("personalCenter")}}},[e._v(" "+e._s(e.$t("home.personalCenter"))+" "),t("div",{staticClass:"horizontalLine",class:{hidden:e.$route.path.includes(`/${e.$i18n.locale}/personalCenter`)||e.$route.path.includes(`/${e.$i18n.locale}/personalCenter/personalMining`)}},[t("span",{staticClass:"circular"}),t("span",{staticClass:"line"})])]),t("li",{staticClass:"personalCenter",class:{active:e.$route.path.includes(`/${e.$i18n.locale}/workOrderRecords`)},on:{click:function(t){return e.handelJump("workOrderRecords")}}},[e._v(" "+e._s(e.$t("personal.workOrderRecord"))+" "),t("div",{staticClass:"horizontalLine",class:{hidden:e.$route.path.includes("workOrderRecords")}},[t("span",{staticClass:"circular"}),t("span",{staticClass:"line"})])]),t("li",{directives:[{name:"show",rawName:"v-show",value:e.ManagementShow,expression:"ManagementShow"}],staticClass:"personalCenter",class:{active:e.$route.path.includes(`/${e.$i18n.locale}/workOrderBackend`)},on:{click:function(t){return e.handelJump("workOrderBackend")}}},[e._v(" "+e._s(e.$t("work.WorkOrderManagement"))+" "),t("div",{staticClass:"horizontalLine",class:{hidden:e.$route.path.includes("workOrderBackend")}},[t("span",{staticClass:"circular"}),t("span",{staticClass:"line"})])]),t("li",{staticClass:"langBox"},[t("div",{staticClass:"LangLine"}),t("el-dropdown",[t("span",{staticClass:"el-dropdown-link",staticStyle:{"font-size":"0.9rem",color:"rgba(0, 0, 0, 1)"}},[t("img",{staticStyle:{width:"20px"},attrs:{src:o(77738),alt:"lang"}}),t("i",{staticClass:"el-icon-caret-bottom el-icon--right"})]),t("el-dropdown-menu",{attrs:{slot:"dropdown"},slot:"dropdown"},[t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelLang("zh")}}},[e._v("简体中文")]),t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelLang("en")}}},[e._v("English")])],1)],1)],1)]),t("ul",{directives:[{name:"show",rawName:"v-show",value:!e.isLogin,expression:"!isLogin"}],staticClass:"menuBox notLoggedIn"},[t("li",{staticClass:"login",on:{click:e.handelLogin}},[e._v(e._s(e.$t("user.login")))]),t("li",{staticClass:"register",on:{click:e.handelRegister}},[e._v(" "+e._s(e.$t("user.register"))+" ")]),t("li",{staticClass:"langBox"},[t("div",{staticClass:"LangLine"}),t("el-dropdown",[t("span",{staticClass:"el-dropdown-link",staticStyle:{"font-size":"0.9rem",color:"rgba(0, 0, 0, 1)"}},[t("img",{staticStyle:{width:"20px"},attrs:{src:o(77738),alt:"lang"}}),t("i",{staticClass:"el-icon-caret-bottom el-icon--right"})]),t("el-dropdown-menu",{attrs:{slot:"dropdown"},slot:"dropdown"},[t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelLang("zh")}}},[e._v("简体中文")]),t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelLang("en")}}},[e._v("English")])],1)],1)],1)])])])])},t.Yp=[]},11427:function(e,t,o){e.exports=o.p+"img/registertop.d405fe96.svg"},11503:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.getBKendTicket=g,t.getDetails=m,t.getDownloadFile=d,t.getEndTicket=u,t.getPrivateTicket=l,t.getReadTicket=s,t.getReply=p,t.getResubmitTicket=r,t.getSubmitTicket=a,t.getTicketDetails=c,t.getTicketList=h;var i=n(o(35720));function a(e){return(0,i.default)({url:"pool/ticket/submitTicket",method:"post",data:e})}function r(e){return(0,i.default)({url:"pool/ticket/resubmitTicket",method:"post",data:e})}function s(e){return(0,i.default)({url:"pool/ticket/readTicket",method:"post",data:e})}function l(e){return(0,i.default)({url:"pool/ticket/getPrivateTicket",method:"post",data:e})}function c(e){return(0,i.default)({url:"pool/ticket/getTicketDetails",method:"post",data:e})}function u(e){return(0,i.default)({url:"pool/ticket/endTicket",method:"post",data:e})}function d(){return(0,i.default)({url:"pool/ticket/downloadFile",method:"get"})}function m(e){return(0,i.default)({url:"pool/ticket/bk/details",method:"post",data:e})}function p(e){return(0,i.default)({url:"pool/ticket/bk/respon",method:"post",data:e})}function h(e){return(0,i.default)({url:"pool/ticket/bk/list",method:"post",data:e})}function g(e){return(0,i.default)({url:"pool/ticket/bk/endTicket",method:"post",data:e})}},12173:function(e,t){Object.defineProperty(t,"B",{value:!0}),t.A=void 0;t.A={name:"Tooltip",props:{maxWidth:{type:Number,default:120}},data(){return{showTooltip:!1,hideTimer:null,top:0,left:0}},methods:{show(e){clearTimeout(this.hideTimer);const t=e.getBoundingClientRect(),o=t.top+window.pageYOffset,n=t.left+window.pageXOffset,i=t.width;this.showTooltip=!0,this.$nextTick((()=>{const e=this.$refs.tooltip.offsetWidth,t=this.$refs.tooltip.offsetHeight;this.top=o-t,this.left=n-(e-i)/2}))},onShow(){clearTimeout(this.hideTimer),this.showTooltip=!0},onHide(){this.hideTimer=setTimeout((()=>{this.showTooltip=!1}),100)}}}},12406:function(e,t){t.Yp=t.XX=void 0;t.XX=function(){var e=this,t=e._self._c;return t("el-container",{staticClass:"containerApp",staticStyle:{width:"100vw",height:"100vh"}},[t("el-header",{staticClass:"el-header"},[e.$isMobile?t("MoveHead"):t("comHeard")],1),t("el-main",[t("appMain")],1)],1)},t.Yp=[]},16712:function(e,t,o){e.exports=o.p+"img/钱包.fbd8a674.svg"},20074:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"B",{value:!0}),t.A=void 0;var i=n(o(91774));t.A={components:{comHeard:()=>Promise.resolve().then((()=>(0,i.default)(o(63072)))),appMain:()=>Promise.resolve().then((()=>(0,i.default)(o(1339)))),MoveHead:()=>Promise.resolve().then((()=>(0,i.default)(o(34038))))}}},21525:function(e,t,o){e.exports=o.p+"img/安全.225650c3.svg"},22173:function(e,t,o){o.r(t),o.d(t,{__esModule:function(){return i.B},default:function(){return l}});var n=o(12406),i=o(20074),a=i.A,r=o(81656),s=(0,r.A)(a,n.XX,n.Yp,!1,null,"79927a4c",null),l=s.exports},22327:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.getAccountPowerDistribution=d,t.getHistoryIncome=c,t.getHistoryOutcome=u,t.getMinerAccountInfo=r,t.getMinerAccountPower=a,t.getMinerList=s,t.getMinerPower=l;var i=n(o(35720));function a(e){return(0,i.default)({url:"pool/getMinerAccountPower",method:"post",data:e})}function r(e){return(0,i.default)({url:"pool/getMinerAccountInfo",method:"post",data:e})}function s(e){return(0,i.default)({url:"pool/getMinerList",method:"post",data:e})}function l(e){return(0,i.default)({url:"pool/getMinerPower",method:"post",data:e})}function c(e){return(0,i.default)({url:"pool/getHistoryIncome",method:"post",data:e})}function u(e){return(0,i.default)({url:"pool/getHistoryOutcome",method:"post",data:e})}function d(e){return(0,i.default)({url:"pool/getAccountPowerDistribution",method:"post",data:e})}},22345:function(e,t,o){e.exports=o.p+"img/home.2a3cb050.png"},22704:function(e,t,o){t.Yp=t.XX=void 0;t.XX=function(){var e=this,t=e._self._c;return t("div",{staticClass:"MoveMain"},[t("header",{staticClass:"headerMove"},[t("img",{attrs:{src:o(87596),alt:"logo"},on:{click:function(t){return e.handelJump("/")}}}),t("span",{staticStyle:{"font-size":"0.9rem"}},[e._v(e._s(e.$t(e.key)))]),t("el-dropdown",{attrs:{trigger:"click","hide-on-click":!1}},[t("span",{staticClass:"el-dropdown-link",staticStyle:{"font-size":"0.9rem",color:"rgba(0, 0, 0, 1)"}},[t("img",{attrs:{src:o(4940),alt:"menu"}})]),t("el-dropdown-menu",{attrs:{slot:"dropdown"},slot:"dropdown"},[t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"}},[t("div",{staticClass:"menuItem",on:{click:function(t){return e.handelJump("/")}}},[t("img",{attrs:{src:o(47761),alt:"home"}}),t("span",[e._v(" "+e._s(e.$t("home.home")))])])]),t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelJump("/reportBlock")}}},[t("div",{staticClass:"menuItem"},[t("img",{attrs:{src:o(36506),alt:"reportBlock"}}),t("span",[e._v(" "+e._s(e.$t("home.reportBlock")))])])]),t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"}},[t("el-collapse",{model:{value:e.activeNames,callback:function(t){e.activeNames=t},expression:"activeNames"}},[t("el-collapse-item",{attrs:{name:"1"}},[t("template",{slot:"title"},[t("div",{staticClass:"menuItem2"},[t("img",{attrs:{src:o(67069),alt:"account"}}),t("span",[e._v(e._s(e.$t("home.accountCenter")))])])]),e._l(e.newMiningAccountList,(function(o){return t("div",{key:o.id,staticClass:"accountBox",on:{click:function(t){return e.handelJumpAccount(o)}}},[t("div",{staticClass:"coinBox"},[t("img",{attrs:{src:o.img,alt:"coin"}}),t("span",{staticClass:"coin"},[e._v(e._s(o.coin))])]),t("span",{staticClass:"account"},[e._v(e._s(o.account))])])}))],2)],1)],1),t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelJump("/personalCenter")}}},[t("div",{staticClass:"menuItem"},[t("img",{attrs:{src:o(91621),alt:"personalCenter"}}),t("span",[e._v(" "+e._s(e.$t("home.personalCenter")))])])]),t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelJump("/workOrderRecords")}}},[t("div",{staticClass:"menuItem"},[t("img",{attrs:{src:o(46165),alt:"workRecord"}}),t("span",[e._v(" "+e._s(e.$t("personal.workOrderRecord")))])])]),t("el-dropdown-item",{directives:[{name:"show",rawName:"v-show",value:e.ManagementShow,expression:"ManagementShow"}],staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelJump("/workOrderBackend")}}},[t("div",{staticClass:"menuItem"},[t("img",{attrs:{src:o(60508),alt:"Work Order Management"}}),t("span",[e._v(" "+e._s(e.$t("work.WorkOrderManagement")))])])]),t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"},nativeOn:{click:function(t){return e.handelSignOut.apply(null,arguments)}}},[t("div",{staticClass:"menuItem"},[t("img",{attrs:{src:o(76994),alt:"sign out"}}),t("span",[e._v(" "+e._s(e.$t("user.signOut")))])])]),t("el-dropdown-item",{staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"}},[t("div",{staticClass:"langBox"},[t("el-radio",{attrs:{fill:"red",label:"zh"},on:{input:e.handelRadio},model:{value:e.radio,callback:function(t){e.radio=t},expression:"radio"}},[e._v("简体中文")]),t("el-radio",{attrs:{fill:"#fff",label:"en"},on:{input:e.handelRadio},model:{value:e.radio,callback:function(t){e.radio=t},expression:"radio"}},[e._v("English")])],1)]),t("el-dropdown-item",{directives:[{name:"show",rawName:"v-show",value:!e.isLogin,expression:"!isLogin"}],staticStyle:{"font-size":"0.8rem",color:"rgba(0, 0, 0, 1)"}},[t("div",{staticClass:"menuLogin"},[t("el-button",{staticClass:"lgBTH",on:{click:function(t){return e.handelJump("/login")}}},[e._v(e._s(e.$t("home.MLogin")))]),t("el-button",{staticClass:"reBTH",on:{click:function(t){return e.handelJump("/register")}}},[e._v(e._s(e.$t("home.MRegister")))])],1)])],1)],1)],1)])},t.Yp=[]},22792:function(e,t,o){e.exports=o.p+"img/404.458c248a.png"},27034:function(e,t,o){e.exports=o.p+"img/home.4c2d8f62.png"},27230:function(e,t,o){t.Yp=t.XX=void 0;t.XX=function(){var e=this,t=e._self._c;return t("div",{staticClass:"contentMain"},[t("div",{staticClass:"contentPage"},[t("router-view",{key:e.key})],1),e.$isMobile?t("section",{staticClass:"moveFooterBox"},[t("div",{staticClass:"footerBox"},[e._m(0),t("div",{staticClass:"missionBox"},[t("p",{staticClass:"mission"},[e._v(e._s(e.$t("home.mission")))]),t("p",{staticClass:"missionText"},[e._v(e._s(e.$t("home.missionText")))])]),t("div",{staticClass:"missionBox"},[t("p",{staticClass:"mission"},[e._v(e._s(e.$t("home.service")))]),t("div",{staticClass:"FMenu"},[t("p",[t("span",{on:{click:function(t){return e.jumpPage1("/apiFile")}}},[e._v(e._s(e.$t("home.APIfile")))])]),t("p",[t("span",{on:{click:function(t){return e.jumpPage2("/rate")}}},[e._v(e._s(e.$t("home.rateFooter")))])])])]),t("div",{staticClass:"missionBox"},[t("p",{staticClass:"mission"},[e._v(e._s(e.$t("home.userAssistance")))]),t("div",{staticClass:"FMenu"},[t("p",[t("span",{on:{click:function(t){return e.jumpPage3("/AccessMiningPool")}}},[e._v(e._s(e.$t("home.miningTutorial")))])]),t("p",[t("span",{on:{click:function(t){return e.jumpPage3("/submitWorkOrder")}}},[e._v(e._s(e.$t("home.submitWorkOrder")))])])])]),t("div",{staticClass:"missionBox"},[t("p",{staticClass:"mission"},[e._v(e._s(e.$t("home.aboutUs")))]),t("div",{staticClass:"FMenu"},[t("p",[t("a",{attrs:{href:"mailto:support@m2pool.com"}},[e._v(e._s(e.$t("home.joinUs")))])]),t("p",[t("a",{attrs:{href:"mailto:support@m2pool.com"}},[e._v(e._s(e.$t("home.contactCustomerService")))])]),t("p",[t("span",{on:{click:function(t){return e.jumpPage("/ServiceTerms")}}},[e._v(e._s(e.$t("home.serviceTerms")))])]),t("p",[t("a",{attrs:{href:"mailto:support@m2pool.com"}},[e._v(e._s(e.$t("home.businessCooperation")))])])])])])]):t("div",{staticClass:"footerBox"},[t("el-row",{staticStyle:{width:"100%"}},[t("el-col",{attrs:{xs:24,sm:24,md:5,lg:5,xl:5}},[t("div",{staticClass:"footerSon logo2"},[t("div",{staticClass:"logoBox"},[t("img",{staticClass:"logoImg",attrs:{src:o(65549),alt:"logo图片"}}),t("span",{staticClass:"copyright"},[e._v("Copyright © 2024 M2pool")])])])]),t("el-col",{attrs:{xs:24,sm:24,md:6,lg:6,xl:6}},[t("div",{staticClass:"footerSon text"},[t("h4",[e._v(e._s(e.$t("home.mission")))]),t("div",[e._v(e._s(e.$t("home.missionText")))])])]),t("el-col",{attrs:{xs:24,sm:24,md:4,lg:4,xl:4}},[t("div",{staticClass:"footerSon product"},[t("ul",[t("li",{staticClass:"productTitle"},[t("h4",[e._v(e._s(e.$t("home.service")))])]),t("li",[t("span",{on:{click:function(t){return e.jumpPage1("/apiFile")}}},[e._v(e._s(e.$t("home.APIfile")))])]),t("li",[t("span",{on:{click:function(t){return e.jumpPage2("/rate")}}},[e._v(e._s(e.$t("home.rateFooter")))])])])])]),t("el-col",{attrs:{xs:24,sm:24,md:4,lg:4,xl:4}},[t("div",{staticClass:"footerSon product"},[t("ul",[t("li",{staticClass:"productTitle"},[t("h4",[e._v(e._s(e.$t("home.userAssistance")))])]),t("li",[t("span",{on:{click:function(t){return e.jumpPage3("/AccessMiningPool")}}},[e._v(" "+e._s(e.$t("home.miningTutorial")))])]),t("li",[t("span",{on:{click:function(t){return e.jumpPage3("/submitWorkOrder")}}},[e._v(e._s(e.$t("home.submitWorkOrder")))])])])])]),t("el-col",{attrs:{xs:24,sm:24,md:4,lg:4,xl:4}},[t("div",{staticClass:"footerSon product"},[t("ul",[t("li",{staticClass:"productTitle"},[t("h4",[e._v(e._s(e.$t("home.aboutUs")))])]),t("li",[t("a",{attrs:{href:"mailto:support@m2pool.com"}},[e._v(e._s(e.$t("home.joinUs")))])]),t("li",[t("span",{on:{click:function(t){return e.jumpPage("/ServiceTerms")}}},[e._v(" "+e._s(e.$t("home.serviceTerms")))])]),t("li",[t("a",{attrs:{href:"mailto:support@m2pool.com"}},[e._v(e._s(e.$t("home.businessCooperation")))])]),t("li",[t("a",{attrs:{href:"mailto:support@m2pool.com"}},[e._v(e._s(e.$t("home.contactCustomerService")))])])])])])],1)],1)])},t.Yp=[function(){var e=this,t=e._self._c;return t("div",{staticClass:"logoBox"},[t("img",{staticClass:"logoImg",attrs:{src:o(65549),alt:"logo图片"}}),t("span",{staticClass:"copyright"},[e._v("Copyright © 2024 M2pool")])])}]},27409:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.getBlockInfo=c,t.getCoinInfo=a,t.getLuck=l,t.getMinerCount=s,t.getNetPower=u,t.getParam=d,t.getPoolPower=r;var i=n(o(35720));function a(e){return(0,i.default)({url:"pool/getCoinInfo",method:"post",data:e})}function r(e){return(0,i.default)({url:"pool/getPoolPower",method:"post",data:e})}function s(e){return(0,i.default)({url:"pool/getMinerCount",method:"post",data:e})}function l(e){return(0,i.default)({url:"pool/getLuck",method:"post",data:e})}function c(e){return(0,i.default)({url:"pool/getBlockInfo",method:"post",data:e})}function u(e){return(0,i.default)({url:"pool/getNetPower",method:"post",data:e})}function d(e){return(0,i.default)({url:"pool/getParam",method:"post",data:e})}},27579:function(e,t,o){Object.defineProperty(t,"B",{value:!0}),t.A=void 0,o(44114),o(18111),o(20116),o(7588),o(61701),o(18237);var n=o(47149);t.A={data(){return{radio:"en",data:[{label:"一级 1",children:[{label:"二级 1-1",children:[{label:"三级 1-1-1"}]}]},{label:"一级 2",children:[{label:"二级 2-1",children:[{label:"三级 2-1-1"}]},{label:"二级 2-2",children:[{label:"三级 2-2-1"}]}]},{label:"一级 3",children:[{label:"二级 3-1",children:[{label:"三级 3-1-1"}]},{label:"二级 3-2",children:[{label:"三级 3-2-1"}]}]}],defaultProps:{children:"children",label:"label"},currencyList:[],miningAccountList:[],newMiningAccountList:[],activeNames:"",titleList:[{path:"/",label:"home.home"},{path:"/reportBlock",label:"home.reportBlock"},{path:"/miningAccount",label:"home.accountCenter"},{path:"/readOnlyDisplay",label:"personal.readOnlyPage"},{path:"/personalCenter",label:"home.personalCenter"},{path:"/personalCenter/personalMining",label:"home.accountSettings"},{path:"/personalCenter/readOnly",label:"personal.readOnlyPage"},{path:"/personalCenter/securitySetting",label:"personal.securitySetting"},{path:"/personalCenter/personalAPI",label:"home.API"}],token:"",isLogin:!1,jurisdiction:{roleKey:""},ManagementShow:!1}},computed:{key(){let e=this.titleList.find((e=>e.path==this.$route.path));return e?e.label:""}},watch:{token:{handler(e){this.isLogin=!!e},immediate:!0,deep:!0}},mounted(){this.radio=localStorage.getItem("lang")?localStorage.getItem("lang"):"en",this.currencyList=JSON.parse(localStorage.getItem("currencyList"));let e=localStorage.getItem("miningAccountList");this.miningAccountList=JSON.parse(e);let t=localStorage.getItem("token");this.token=JSON.parse(t);let o=localStorage.getItem("jurisdiction");this.jurisdiction=JSON.parse(o),window.addEventListener("setItem",(()=>{this.currencyList=JSON.parse(localStorage.getItem("currencyList"));let e=localStorage.getItem("miningAccountList");this.miningAccountList=JSON.parse(e);let t=localStorage.getItem("token");this.token=JSON.parse(t),this.miningAccountList[0]&&(this.newMiningAccountList=this.flattenArray(this.miningAccountList));let o=localStorage.getItem("jurisdiction");this.jurisdiction=JSON.parse(o),this.jurisdiction&&"admin"==this.jurisdiction.roleKey?(console.log(565656),this.ManagementShow=!0):this.ManagementShow=!1})),this.miningAccountList[0]&&(this.newMiningAccountList=this.flattenArray(this.miningAccountList)),this.jurisdiction&&"admin"==this.jurisdiction.roleKey?this.ManagementShow=!0:this.ManagementShow=!1},methods:{handelJump(e){console.log(e,"及附件");try{const t=this.$i18n.locale,o=e.startsWith("/")?e.slice(1):e,n=""===o?`/${t}`:`/${t}/${o}`;this.$router.push(n).catch((e=>{"NavigationDuplicated"!==e.name&&console.error("Navigation failed:",e)}))}catch(t){console.error("Navigation error:",t)}},toggleDropdown(){this.showDropdown=!this.showDropdown},handelRadio(e){const t=this.$i18n.locale;this.$i18n.locale=e,localStorage.setItem("lang",e);const o=this.$route.path,n=o.replace(`/${t}`,`/${e}`),i=this.$route.query;this.$router.push({path:n,query:i}).catch((e=>{"NavigationDuplicated"!==e.name&&console.error("Navigation failed:",e)}))},selectItem(e){this.selectedItem=e,this.showDropdown=!1,this.menuItems.forEach((t=>{t.isHighlighted=t.text===e}))},handelJumpAccount(e){const t=this.$i18n.locale;let o={ma:e.account,coin:e.coin,id:e.id,img:e.img};this.$addStorageEvent(1,"accountItem",JSON.stringify(o)),this.$router.push({path:`/${t}/miningAccount`,query:{ma:e.account+e.coin}})},async fetchSignOut(){const e=this.$i18n.locale,t=await(0,n.getLogout)();t&&200==t.code&&this.$router.push(`/${e}/login`)},handelSignOut(){this.fetchSignOut(),localStorage.removeItem("token"),localStorage.removeItem("username"),this.$addStorageEvent(1,"miningAccountList",JSON.stringify("")),this.isLogin=!1,this.isDropdownVisible=!1},flattenArray(e){if(console.log(e,"进来的数组"),e[0])return e.reduce(((e,t)=>e.concat(t.children.map((e=>({...e,coin:t.coin,img:t.img,title:t.title}))))),[])}}}},27596:function(e,t,o){e.exports=o.p+"img/算力.cbdd6975.svg"},29500:function(e,t,o){e.exports=o.p+"img/reincon.5da4795a.png"},31413:function(e,t,o){e.exports=o.p+"img/alph.bd2d12a3.svg"},33859:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.workOrder_zh=t.workOrder_en=void 0;t.workOrder_zh={work:{mailbox:"用户邮箱",problem:"问题描述",enclosure:"附件",fileType:"支持上传文件类型",PleaseEnter:"请输入问题描述",fileCharacters:"将文件拖到此处,或",fileCharacters2:"点击上传",submit:"提 交",enterEmail:"请输入邮箱",pending:"进行中",completeWK:"已完成",allWK:"全部工单",WorkID:"工单号",submissionTime:"提交时间",status:"工单状态",operation:"操作",notSupported4:"最多上传3个文件!",notSupported:"不支持文件类型:",notSupported2:"文件大小不能超过",notSupported3:"同一文件名不能重复上传!",details:"详情",WKDetails:"工单详情",describe:"故障描述",record:"处理记录",continue:"继续提交",input:"请输入...",user1:"用户",time4:"时间",downloadFile:"下载附件",submit2:"继续提交",confirmInput:"请确认输入提交内容",submitted:"提交成功!",endWork:"关闭工单",WKend:"工单已关闭!",WorkOrderManagement:"工单管理",processed:"处理中",pendingProcessing:"待处理",ReplyWork:"回复工单",ReplyContent:"回复内容",SubmitWK:"提交工单",problemDescription:"请填写问题描述",close:"关闭",confirm:"确认",cancel:"取消",confirmClose:"确定关闭此工单吗?",replyContent2:"请输入回复内容!",Tips:"提示"}},t.workOrder_en={work:{mailbox:"Contact email",problem:"Problem Description",enclosure:"Upload attachments",fileType:"Support uploading file types",PleaseEnter:"Please enter a problem description",fileCharacters:"Drag files here, or",fileCharacters2:"Click to upload",submit:"Submit",enterEmail:"Please enter your email address",pending:"Toward",completeWK:"Done",allWK:"All Work Orders",WorkID:"work order number",submissionTime:"Submission time",status:"Status",operation:"Operation",notSupported:"Unsupported file type:",notSupported2:"The file size cannot exceed",notSupported3:"The same file name cannot be uploaded repeatedly!",notSupported4:"Upload up to 3 files!",details:"Particulars",WKDetails:"Work Order Details",describe:"fault description",record:"Processing records",continue:"Continued submission",input:"Please enter...",user1:"user",time4:"time",downloadFile:"Download file",submit2:"Continue submitting",confirmInput:"Please confirm the input of the submitted content",submitted:"Submitted successfully!",endWork:"close workOrder",WKend:"The work order has been closed!",WorkOrderManagement:"WorkOrder Management",processed:"processed",pendingProcessing:"pending",ReplyWork:"Restore",ReplyContent:"Reply content",SubmitWK:"Submit work order",problemDescription:"Please fill in the problem description",close:"Close",confirm:"Confirm",cancel:"Cancel",confirmClose:"Are you sure to close this ticket?",replyContent2:"Please enter the reply content!",Tips:"Tips"}}},34038:function(e,t,o){o.r(t),o.d(t,{__esModule:function(){return i.B},default:function(){return l}});var n=o(22704),i=o(27579),a=i.A,r=o(81656),s=(0,r.A)(a,n.XX,n.Yp,!1,null,"5f8aca30",null),l=s.exports},36506:function(e,t,o){e.exports=o.p+"img/reportBlock.95dfc0dc.svg"},37720:function(e,t,o){e.exports=o.p+"img/币价资源 19.3ae5191a.svg"},37851:function(e){e.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACEAAAAnCAYAAACBvSFyAAAACXBIWXMAAAsSAAALEgHS3X78AAACGklEQVRYhe2YwVUDIRCGf33eYwfBChIrUCswVqA5yFWtwFiBOXNRKzB2oBVoOsAKNBXEN7x/fLw1uwub3ejB/8KDsPANMMyQreVyiVxZg8OKbz6dx1vOmMkQ1sAAmAA4Tej+DuAewNR5fLYCYU2Y/LrQPBerC20C2i/AjOpWphbCGkwBXESDTpwPVpb1F5AzAJcAegAWAA6rQCohrMEIwCOrD86HwZNkDYbckgFBTNnWbNcMOGX5lAMgouVnBOhxZVaqFIKroPtbOkACiBqSDyH7yFJWwTeBoBSiV+baVRBDllk+XxTPwZzNu7kQbUoP5HDVmJuCqNQ/hOofQvUnIHbiCoOPYVV92tTkDyn6MZbzeNbvQgBjsJFwfdyigXVaMMBNdCU02m1SPaYIfuu8v5RVeOXke2vGiWRFidK7HEyJlqKXTQFQGtj6O7VdK8SzNGJsmOUYIYHN0gUaQVgTTvsMwEHUfGsNxlWpX5ma3hPTCGDO3FN018Sdm0Jo2n/lPIbOh7vlhW1ZaeA6EKp46fXyMeXd24VYsAxW84yol2V7WFMIXQE5jG+ceFD4rVsI50Pm/MDqIHrkjOOY0CkEQWQrxlGTaeKea0FQ3/uf8vDtCqIV/b2kpoHEM45+FYLnINsbitqOXkcrn2hdialkkCQ1MvkH6zdtWJagXb7SJQg+aY4p/p3yX1QXOgneEV08Ggk3Iblx953H7AvKPqVJKgFSWQAAAABJRU5ErkJggg=="},40665:function(e,t,o){o.r(t)},42450:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.chooseUs_zh=t.chooseUs_en=void 0;t.chooseUs_zh={chooseUs:{why:"为什么选择我们?",title1:"高效挖矿 稳定收益",text1:"m2pool 矿池是全网费率最低的矿池之一,采用两种收益结算模式(PPLNS+PROPDIF)。自有开发运维团队在技术方面:我们自有软硬件开发运维能力。在团队方面:我们软硬件团队不断迭代维护,服务稳定性极高。高挖矿成功的概率和效率,使得挖矿收益更具稳定性和可预测性。",title2:"低风险成本",text2:"公平的分配机制,根据矿工的算力贡献来分配收益,确保每个参与者都能得到应有的回报。此外,m2pool 矿池降低了个体矿工的风险,即使个人算力有限,也能通过参与矿池获得收益‌。",title3:"技术支持 为您保驾护航",text3:"当您在使用m2pool 矿池网站过程中遇到任何问题时,可在网站提交工单。我们将尽快处理并回复,为您提供高效的技术支持服务。"}},t.chooseUs_en={chooseUs:{why:"Why choose us?",title1:"Efficient mining and stable returns",text1:"The m2pool mining pool is one of the lowest rate mining pools in the entire network, using two revenue settlement models (PPLNS+ROPDIF). We have our own development and operation team in terms of technology: we have our own software and hardware development and operation capabilities. In terms of team: Our software and hardware team constantly iterates and maintains, with extremely high service stability. The high probability and efficiency of successful mining make mining profits more stable and predictable.",title2:"Low risk cost",text2:"A fair distribution mechanism that distributes profits based on the contribution of miners' computing power, ensuring that each participant receives the appropriate return. In addition, the m2pool mining pool reduces the risk for individual miners, and even if their computing power is limited, they can still earn profits by participating in the mining pool.",title3:"Technical support to safeguard you",text3:"When you encounter any problems while using the m2pool mining pool website, you can submit a work order on the website. We will handle and reply as soon as possible to provide you with efficient technical support services."}}},43110:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.AccessMiningPool_zh=t.AccessMiningPool_en=void 0;t.AccessMiningPool_zh={course:{NEXAcourse:"Nexa 挖矿教程",selectServer:"选择挖矿地址",serverLocation:"服务器地点",difficulty:"难度",TCP:"TCP 端口",SSL:"SSL 端口",rateRelated:"币种矿池费率相关",currency:"币种",miningAddress:"挖矿地址",miningFeeRate:"挖矿费率",settlementMode:"收益结算模式",minimumPaymentAmount:"起付额",Step1:"步骤1 - 注册m2pool账号",accountContent1:"1. m2pool 矿池挖矿方式为用户名挖矿,需注册m2pool账号",accountContent2:"2. 注册账号成功后,请前往个人中心-挖矿账户页面,添加币种挖矿账户,此处创建的挖矿账户即为您需要在矿机上配置的用户名。",Step2:"步骤2 - 获得并绑定钱包地址",bindWalletText1:"1. 获取钱包,您可以通过以下方式获得币种的的钱包地址,用于接收挖矿收益。",bindWalletText2:"(1) 官方全节点钱包:",bindWalletText3:"该类型钱包需要实时同步币种区块链节点。",bindWalletText4:"(2) 交易所钱包:前往支持该币种现货交易的交易所,",bindWalletText5:"等,找到充值即可获得钱包。",bindWalletText6:"(3) 硬件钱包:",bindWalletText7:"取决于您的硬件钱包是否支持该币种区块链,该类型钱包安全性高,但不是所有硬件钱包都支持,请您仔细了解您的硬件钱包。",bindWalletText8:"2. 获得钱包地址后,在个人中心-挖矿账户页面,点击右上方添加按钮,在钱包地址一栏填入您的钱包即可。",Step3:"步骤4 - 坐等挖矿收益",miningIncome1:"1. 在您添加完挖矿钱包后,即可在您的nexa矿机上配置相关参数,开启nexa挖矿。由于nexa区块需要5000个高度才能成熟,因此您的挖矿收益,需要等待5000个高度才可提现(大约为7天时间)。",miningIncome2:"2. 您在m2pool上的所有挖矿收益均为自动结算(不同币种有不同的收益结算方式,请仔细查看您选择币种的收益结算方式)。",Step4:"步骤3 - 矿工接入参数示例",parameter:"1. Pool/Url: 见上方",parameter5:"挖矿地址",parameter6:"表格",parameter2:"2. Wallet/User/Worker: 挖矿账户名.矿工号(英文句号.分隔挖矿账户名和矿工号),(用户名为您在 ",parameter3:"3. Password:任意输入,不同的挖矿软件或矿机可能会有不同的配置方式,但只需保证上述3个参数配置正确,即可接入m2pool矿池,如果您需要帮助,请通过",parameter4:"联系我们。",parameter7:"步骤1的第2步",parameter8:"生成的挖矿账号(非m2pool的登陆邮箱号),矿工号为您自行定义(长度不超过36个字符),如果您有多个矿工,请勿设置相同的矿工号,设置相同矿工号会将多个矿工的算力合并,虽然不会影响您的收益,但这会导致无法区分不同的矿工,不便于您对矿工的管理。)",notOpen:"矿池暂未开放,请耐心等待....",RXDcourse:"Rxd 挖矿教程",GRScourse:"Grs 挖矿教程",MONAcourse:"Mona 挖矿教程",dgbsCourse:"Dgb(skein) 挖矿教程",dgbqCourse:"Dgb(qubit) 挖矿教程",dgboCourse:"Dgb(odocrypt) 挖矿教程",ENXcourse:"Entropyx(Enx) 挖矿教程",alphCourse:"Alephium(alph) 挖矿教程",rxdIncome1:"1. 在您添加完挖矿钱包后,即可在您的Rxd矿机上配置相关参数,开启Rxd挖矿。",Adaptation:"适配性",amount:"最小起付额",ASIC:"ASIC矿机型号",GPU:"GPU挖矿软件",careful:"注意:如果您的GPU挖矿软件或ASIC矿机与m2pool无法适配,请通过",mail:"邮件",careful2:"与我们取得联系",dragonBall:"龍珠A21",dragonBallA11:"龍珠A11",RX0:"冰河RXD RX0",dragonBallA11Move:"龍珠A11、冰河RXD RX0",notOpenCurrency:"该币种暂未开放,请耐心等待....",Wallet1:"(该数据来源于",Wallet2:"本网站不能完全保证该数据的准确性,请您仔细甄别)",general4_1:"1.在您添加完挖矿钱包后,即可在您的矿机上配置相关参数,开启挖矿。",allocationExplanation:"矿池分配及转账规则",conditionNexa:"5000高度",conditionRxd:"100高度",conditionGrs:"140高度",conditionDgbs:"40高度",conditionDgbq:"40高度",conditionDgbo:"40高度",conditionMona:"100高度",conditionAlph:"500分钟",conditionEnx:"",intervalNexa:"120秒",intervalRxd:"300秒",intervalGrs:"60秒",intervalDgbs:"15秒",intervalDgbq:"15秒",intervalDgbo:"15秒",intervalMona:"90秒",intervalAlph:"16秒",intervalEnx:"1秒",estimatedTimeNexa:"≈ 7天",estimatedTimeRxd:"≈ 8.3小时",estimatedTimeGrs:"≈ 2.3小时",estimatedTimeDgbs:"≈ 10分钟",estimatedTimeDgbq:"≈ 10分钟",estimatedTimeDgbo:"≈ 10分钟",estimatedTimeMona:"≈ 2.5小时",estimatedTimeAlph:"500分钟",estimatedTimeEnx:"",describeNexa:"例如1-1日获得了1000000 NEXA奖励,则该笔奖励会在大约7天之后(1-8日)支付,具体取决于实际区块高度",describeAlph:"alph是固定成熟时间,而非区块高度",describeGrs:"",describeDgbs:"",describeDgbq:"",describeDgbo:"",describeMona:"",describeRxd:"",describeEnx:"",condition:"成熟条件",interval:"出块间隔",estimatedTime:"预估时间",describe:"说明",timeLimited:"限时"}},t.AccessMiningPool_en={course:{NEXAcourse:"Nexa Mining Tutorial",selectServer:"Select mining address",serverLocation:"Server location",difficulty:"Difficulty",TCP:"TCP Port",SSL:"SSL Port",rateRelated:"Currency mining pool rate related",currency:"Currency",miningAddress:"Mining address",miningFeeRate:"Mining fee rate",settlementMode:"Revenue settlement mode",minimumPaymentAmount:"Minimum payment amount",notOpen:"Mining pool is not open yet, please be patient....",RXDcourse:"Rxd Mining Tutorial",GRScourse:"Grs Mining Tutorial",dgbsCourse:"Dgb(skein) Mining Tutorial",dgbqCourse:"Dgb(qubit) Mining Tutorial",dgboCourse:"Dgb(odocrypt) Mining Tutorial",Step1:"Step 1 - Register for an m2pool account",accountContent1:"1. m2pool mining pool mining method for the user name mining, need to register m2pool account",accountContent2:"2. After successfully registering an account, please go to Personal Center - Mining Accounts page to add a cryptocurrency mining account, the mining account created here is the user name you need to configure on the mining machine.",Step2:"Step 2 - Obtain and bind the wallet address",bindWalletText1:"1. Getting a wallet, you can get the wallet address of the coin for receiving mining proceeds in the following ways.",bindWalletText2:"(1) Official full node wallet:",bindWalletText3:"This type of wallet requires real-time synchronization of coin blockchain nodes.Type wallets need to synchronize coin blockchain nodes in real time.",bindWalletText4:"(2) Exchange Wallet: Go to an exchange that supports spot trading of this coin.",bindWalletText5:"etc., find the recharge to get your wallet.",bindWalletText6:"(3) Hardware wallet.",bindWalletText7:"Depends on whether your hardware wallet supports this coin blockchain or not, this type of wallet is highly secure, but not all hardware wallets support it, please know your hardware wallet carefully.",bindWalletText8:"2. Once you have obtained your wallet address, click the Add button at the top right of the Personal Center - Mining Account page, and fill in your wallet address in the Wallet Address column.",Step3:"Step 4 - Sit Back and Wait for the Mining Profits",miningIncome1:"1. After you have added your mining wallet, you can configure the relevant parameters on your nexa miner and start nexa mining. Since nexa blocks need 5000 heights to mature, you need to wait for 5000 heights before you can withdraw your mining earnings (about 7 days).",miningIncome2:"2. All your mining earnings on m2pool are automatically settled (different coins have different earnings settlement methods, please check the earnings settlement methods of the coins you choose carefully).",rxdIncome1:"1. After you have added your mining wallet, you can configure the relevant parameters on your Rxd mining machine to enable Rxd mining.",Adaptation:"Adaptability",amount:"Minimum Starting Amount",ASIC:"ASIC Miner Model",GPU:"GPU Mining Software",careful:"Note: If your GPU mining software or ASIC mining machine is not compatible with the m2pool, please check your GPU mining software through the",mail:" mail ",careful2:"Get in touch with us",dragonBall:"DragonBall Miner A21",dragonBallA11:"DragonBall Miner A11",Step4:"Step 3 - Example Miner Access Parameters",parameter:"1. Pool/Url: see above",parameter2:"2. Wallet/User/Worker: Mining account name. Miner number (period. Separate mining account name and miner number), (username is the name of the miner you are working with in the",parameter3:"3. Password: any input, different mining software or mining machine may have different configuration, but only need to ensure that the above three parameters are configured correctly, you can access the m2pool mining pool, if you need help, please through the",parameter4:"Contact Us",parameter5:" Mining address ",parameter6:" table ",parameter7:"Step 2 of Step 1",parameter8:"Generated mining account (not m2pool login email number), miner number for your own definition (length not more than 36 characters), if you have more than one miner, please do not set up the same miner number, set up the same miner number will be more than one miner arithmetic will be merged, although it will not affect your revenue, but this will lead to the inability to distinguish between the different miners, it is not easy for you to the management of the miners).",RX0:"ICERIVER RXD RX0",dragonBallA11Move:"DragonBall Miner A11、ICERIVER RXD RX0",notOpenCurrency:"This currency is currently not open, please be patient and wait....",MONAcourse:"Mona Mining Tutorial",Wallet1:"(This data is sourced from ",Wallet2:"This website cannot fully guarantee the accuracy of this data, please carefully verify)",general4_1:"1.After adding the mining wallet, you can configure the relevant parameters on your mining machine to enable mining.",conditionNexa:"5000 height",conditionRxd:"100 height",conditionGrs:"140 height",conditionDgbs:"40 height",conditionDgbq:"40 height",conditionDgbo:"40 height",conditionMona:"100 height",conditionAlph:"500 minutes",conditionEnx:"",intervalNexa:"120 seconds",intervalRxd:"300 seconds",intervalGrs:"60 seconds",intervalDgbs:"15 seconds",intervalDgbq:"15 seconds",intervalDgbo:"15 seconds",intervalMona:"90 seconds",intervalAlph:"16 seconds",intervalEnx:"1 second",estimatedTimeNexa:"≈ 7 days",estimatedTimeRxd:"≈ 8.3 hours",estimatedTimeGrs:"≈ 2.3 hours",estimatedTimeDgbs:"≈ 10 minutes",estimatedTimeDgbq:"≈ 10 minutes",estimatedTimeDgbo:"≈ 10 minutes",estimatedTimeMona:"≈ 25 hours",estimatedTimeAlph:" 500 minutes",estimatedTimeEnx:"",describeNexa:"For example, if a 1,000,000 NEXA reward was earned on 1-1, that reward will be paid out approximately 7 days later (1-8), depending on actual block heights",describeAlph:"alph is a fixed maturity time, not a block height",describeGrs:"",describeDgbs:"",describeDgbq:"",describeDgbo:"",describeMona:"",describeRxd:"",describeEnx:"",allocationExplanation:"Mining Pool Allocation and Transfer Rules",condition:"Maturity conditions",interval:"Chunking interval",estimatedTime:"Estimated time",describe:"Clarification",ENXcourse:"Entropyx(Enx) Mining Tutorial",timeLimited:"Time limited",alphCourse:"Alephium(alph) Mining Tutorial"}}},45438:function(e,t,o){o.r(t),o.d(t,{__esModule:function(){return i.B},default:function(){return l}});var n=o(97390),i=o(12173),a=i.A,r=o(81656),s=(0,r.A)(a,n.XX,n.Yp,!1,null,"763fcf11",null),l=s.exports},45732:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"B",{value:!0}),t.A=void 0;var i=n(o(46637)),a=o(82908),r=n(o(66848));t.A={name:"App",components:{ChatWidget:i.default},data(){return{flag:!1,isMobile:!1}},created(){window.addEventListener("resize",(0,a.Debounce)(this.updateWindowWidth,10))},beforeDestroy(){window.removeEventListener("resize",this.updateWindowWidth)},methods:{updateWindowWidth(){console.log(window.innerWidth||document.documentElement.clientWidth||document.body.clientWidth);const e=window.innerWidth||document.documentElement.clientWidth||document.body.clientWidth,t=e<1280;r.default.prototype.$isMobile=t,location.reload()}}}},46165:function(e,t,o){e.exports=o.p+"img/workRecord.5123ed47.svg"},46373:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.alerts_zh=t.alerts_en=void 0;t.alerts_zh={alerts:{Alarm:"离线警报设置",beCareful:"矿机离线时,会通过以下对应邮箱通知您。",beCareful1:" 每个账号最多添加三个邮箱。",add:"添加邮箱",addAlarmEmail:"添加告警邮箱",modifyRemarks:"修改备注",deleteRemind:"确认删除吗?",addedSuccessfully:"添加成功",modifiedSuccessfully:"修改成功",deleteSuccessfully:"删除成功",modificationReminder:"修改备注内容不能为空",acquisitionFailed:"信息获取失败,请重新进入该页面",more:"更多",alarmNotification:"离线警报",alarmMove:"警报",turnOffReminder:"暂未开放该功能,请耐心等待.."}},t.alerts_en={alerts:{Alarm:"Offline alarm settings",beCareful:"When the mining machine is offline, you will be notified through the corresponding email address below.",beCareful1:"Each account can add up to three email addresses.",add:"Add Email",addAlarmEmail:"Add alarm email",modifyRemarks:"Modify remarks",deleteRemind:"Are you sure to delete?",addedSuccessfully:"Added successfully",modifiedSuccessfully:"Modified successfully",deleteSuccessfully:"Delete successfully",modificationReminder:"The modified remarks cannot be empty",acquisitionFailed:"Information retrieval failed, please re-enter the page",more:"More",alarmNotification:"Offline Alert",alarmMove:"Alarm",turnOffReminder:"This feature has not been opened yet, please be patient and wait.."}}},46508:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.getAccountPowerDistribution=u,t.getChangeUrlInfo=f,t.getDelPage=y,t.getHistoryIncome=m,t.getHistoryOutcome=p,t.getHtmlUrl=a,t.getMinerAccountPower=c,t.getMinerList=d,t.getMinerPower=h,t.getPageInfo=s,t.getProfitInfo=l,t.getUrlInfo=g,t.getUrlList=r;var i=n(o(35720));function a(e){return(0,i.default)({url:"pool/read/getHtmlUrl",method:"post",data:e})}function r(e){return(0,i.default)({url:"pool/read/getUrlList",method:"post",data:e})}function s(e){return(0,i.default)({url:"pool/read/getPageInfo",method:"post",data:e})}function l(e){return(0,i.default)({url:"pool/read/getProfitInfo",method:"post",data:e})}function c(e){return(0,i.default)({url:"pool/read/getMinerAccountPower",method:"post",data:e})}function u(e){return(0,i.default)({url:"pool/read/getAccountPowerDistribution",method:"post",data:e})}function d(e){return(0,i.default)({url:"pool/read/getMinerList",method:"post",data:e})}function m(e){return(0,i.default)({url:"pool/read/getHistoryIncome",method:"post",data:e})}function p(e){return(0,i.default)({url:"pool/read/getHistoryOutcome",method:"post",data:e})}function h(e){return(0,i.default)({url:"pool/read/getMinerPower",method:"post",data:e})}function g(e){return(0,i.default)({url:"pool/read/getUrlInfo",method:"post",data:e})}function f(e){return(0,i.default)({url:"pool/read/changeUrlInfo",method:"post",data:e})}function y(e){return(0,i.default)({url:"pool/read/delPage",method:"delete",data:e})}},46637:function(e,t,o){o.r(t),o.d(t,{__esModule:function(){return i.B},default:function(){return l}});var n=o(83016),i=o(54752),a=i.A,r=o(81656),s=(0,r.A)(a,n.XX,n.Yp,!1,null,"247f26e8",null),l=s.exports},47149:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.getAccountGradeList=u,t.getLogin=a,t.getLoginCode=l,t.getLogout=c,t.getRegister=r,t.getRegisterCode=s,t.getResetPwd=d,t.getResetPwdCode=m,t.getUserProfile=p;var i=n(o(35720));function a(e){return(0,i.default)({url:"auth/login",method:"post",data:e})}function r(e){return(0,i.default)({url:"auth/register",method:"post",data:e})}function s(e){return(0,i.default)({url:"auth/registerCode",method:"post",data:e})}function l(e){return(0,i.default)({url:"auth/loginCode",method:"post",data:e})}function c(e){return(0,i.default)({url:"auth/logout",method:"Delete",data:e})}function u(e){return(0,i.default)({url:"pool/user/getAccountGradeList",method:"post",data:e})}function d(e){return(0,i.default)({url:"auth/resetPwd",method:"post",data:e})}function m(e){return(0,i.default)({url:"auth/resetPwdCode",method:"post",data:e})}function p(){return(0,i.default)({url:"system/user/profile",method:"get"})}},47761:function(e,t,o){e.exports=o.p+"img/homeMenu.877d301d.svg"},48370:function(e,t,o){e.exports=o.p+"img/power1.e301c95e.svg"},51406:function(e,t,o){var n=o(3999)["default"],i=n(o(66848)),a=n(o(92540)),r=n(o(39325)),s=n(o(55129)),l=n(o(89143));o(91475),o(79412);var c=n(o(58044)),u=n(o(86425));o(40665);var d=o(82908),m=n(o(18614)),p=n(o(54211)),h=n(o(98986));o(9526);var g=n(o(37465));i.default.use(m.default),i.default.prototype.$addStorageEvent=d.$addStorageEvent,i.default.config.productionTip=!1,i.default.use(l.default,{i18n:(e,t)=>c.default.t(e,t)}),i.default.prototype.$axios=u.default,console.log=()=>{},i.default.mixin(p.default),i.default.mixin(h.default),i.default.prototype.$baseApi="https://test.m2pool.com/";const f=window.innerWidth||document.documentElement.clientWidth||document.body.clientWidth,y=f<1280;i.default.prototype.$isMobile=y,r.default.beforeEach(((e,t,o)=>{const n=e.params.lang||localStorage.getItem("lang")||"en";document.documentElement.lang=n,c.default.locale!==n&&(c.default.locale=n),o()})),setInterval((()=>{g.default.cleanup()}),6e4),window.vm=new i.default({router:r.default,store:s.default,i18n:c.default,render:e=>e(a.default),created(){this.$watch((()=>this.$i18n.locale),(e=>{this.updateMetaAndTitle()})),this.updateMetaAndTitle()},mounted(){document.dispatchEvent(new Event("render-event"))},methods:{updateMetaAndTitle(){document.title=this.$i18n.t("home.appTitle");const e=document.querySelector('meta[name="description"]');e&&(e.content=this.$i18n.t("home.metaDescription"))}}}).$mount("#app"),document.addEventListener("DOMContentLoaded",(()=>{window.vm.updateMetaAndTitle()}))},51775:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.getFileUpdate=u,t.getHistory=a,t.getHistory7=r,t.getReadMessage=s,t.getRoomList=l,t.getUpdateRoom=c,t.getUserid=d;var i=n(o(35720));function a(){return(0,i.default)({url:"chat/message/find/history/message",method:"get"})}function r(){return(0,i.default)({url:"chat/message/find/recently/message",method:"get"})}function s(e){return(0,i.default)({url:"chat/message/read/message",method:"post",data:e})}function l(){return(0,i.default)({url:"/chat/rooms/find/room/list",method:"get"})}function c(e){return(0,i.default)({url:"/chat/rooms/update/room",method:"post",data:e})}function u(e){return(0,i.default)({url:"file/update",method:"post",data:e})}function d(){return(0,i.default)({url:"chat/rooms/find/room/by/userid",method:"get"})}},53263:function(e,t,o){e.exports=o.p+"img/notOpen.759679bf.png"},54752:function(e,t,o){Object.defineProperty(t,"B",{value:!0}),t.A=void 0,o(44114);var n=o(92500),i=o(51775);t.A={name:"ChatWidget",data(){return{isChatOpen:!1,inputMessage:"",messages:[],unreadMessages:0,showImagePreview:!1,previewImageUrl:"",stompClient:null,connectionStatus:"disconnected",userType:0,userEmail:"",autoResponses:{hello:"您好,有什么可以帮助您的?","你好":"您好,有什么可以帮助您的?",hi:"您好,有什么可以帮助您的?","挖矿":"您可以查看我们的挖矿教程,或者直接创建矿工账户开始挖矿。","算力":"您可以在首页查看当前的矿池算力和您的个人算力。","收益":"收益根据您的算力贡献按比例分配,详情可以查看收益计算器。","帮助":"您可以查看我们的帮助文档,或者提交工单咨询具体问题。"}}},mounted(){document.addEventListener("click",this.handleClickOutside)},methods:{async fetchUserid(){const e=await(0,i.getUserid)();e&&200==e.code&&(this.roomId=e.data,console.log(e,"及附加覅"))},initWebSocket(){this.determineUserType(),this.connectWebSocket()},determineUserType(){try{const e=JSON.parse(localStorage.getItem("token")||"{}"),t=JSON.parse(localStorage.getItem("jurisdiction")||"{}"),o=JSON.parse(localStorage.getItem("userEmail")||"{}");e?("customer_service"===t.roleKey?this.userType=2:this.userType=1,this.userEmail=o):(this.userType=0,this.userEmail=`guest_${Date.now()}_${Math.random().toString(36).substr(2,9)}`)}catch(e){console.error("获取用户信息失败:",e),this.userType=0,this.userEmail=`guest_${Date.now()}_${Math.random().toString(36).substr(2,9)}`}},connectWebSocket(){this.connectionStatus="connecting";try{const e="https://test.m2pool.com/api/chat/ws";this.stompClient=new n.Client({brokerURL:e,connectHeaders:{email:this.userEmail,type:this.userType},debug:function(e){console.log("STOMP: "+e)},reconnectDelay:5e3,heartbeatIncoming:4e3,heartbeatOutgoing:4e3}),this.stompClient.onConnect=e=>{console.log("连接成功: "+e),this.connectionStatus="connected",this.stompClient.subscribe(`https://test.m2pool.com/api/user/queue/${this.userEmail}`,this.onMessageReceived);let t="";switch(this.userType){case 0:t="您当前以游客身份访问,请问有什么可以帮您?";break;case 1:t="欢迎回来,请问有什么可以帮您?";break;case 2:t="您已以客服身份登录系统";break}this.addSystemMessage(t)},this.stompClient.onStompError=e=>{console.error("连接错误: "+e.headers.message),this.connectionStatus="error",this.addSystemMessage("连接客服系统失败,请稍后重试。")},this.stompClient.activate()}catch(e){console.error("初始化 WebSocket 失败:",e),this.connectionStatus="error"}},disconnectWebSocket(){this.stompClient&&this.stompClient.connected&&(this.stompClient.deactivate(),this.connectionStatus="disconnected")},onMessageReceived(e){console.log("收到消息:",e.body);try{const t=JSON.parse(e.body);this.messages.push({type:"system",text:t.content,isImage:"image"===t.type,imageUrl:"image"===t.type?t.content:null,time:new Date}),this.isChatOpen||this.unreadMessages++,this.$nextTick((()=>{this.scrollToBottom()}))}catch(t){console.error("解析消息失败:",t)}},toggleChat(){this.isChatOpen=!this.isChatOpen,this.isChatOpen&&(this.unreadMessages=0,"disconnected"===this.connectionStatus&&this.initWebSocket(),this.$nextTick((()=>{this.scrollToBottom()})))},minimizeChat(){this.isChatOpen=!1},closeChat(){this.isChatOpen=!1,this.messages=[],this.disconnectWebSocket()},sendMessage(){if(!this.inputMessage.trim()||"connected"!==this.connectionStatus)return;const e=this.inputMessage.trim();this.messages.push({type:0,text:e,isImage:!1,time:new Date,email:"",receiveUserType:2,sendUserType:this.userType,roomId:this.roomId}),this.stompClient&&this.stompClient.connected?this.stompClient.publish({destination:"/send/message",body:JSON.stringify({content:e,type:"text"})}):this.handleAutoResponse(e),this.inputMessage="",this.$nextTick((()=>{this.scrollToBottom()}))},addSystemMessage(e){this.messages.push({type:"system",text:e,isImage:!1,time:new Date}),this.$nextTick((()=>{this.scrollToBottom()}))},handleAutoResponse(e){setTimeout((()=>{let t="抱歉,我暂时无法回答这个问题。请联系真人客服或提交工单。";for(const[o,n]of Object.entries(this.autoResponses))if(e.toLowerCase().includes(o.toLowerCase())){t=n;break}this.messages.push({type:"system",text:t,isImage:!1,time:new Date}),this.isChatOpen||this.unreadMessages++,this.$nextTick((()=>{this.scrollToBottom()}))}),1e3)},scrollToBottom(){this.$refs.chatBody&&(this.$refs.chatBody.scrollTop=this.$refs.chatBody.scrollHeight)},formatTime(e){return e.toLocaleTimeString([],{hour:"2-digit",minute:"2-digit"})},handleClickOutside(e){if(this.isChatOpen){const t=this.$el.querySelector(".chat-dialog"),o=this.$el.querySelector(".chat-icon");this.fetchUserid(),!t||t.contains(e.target)||o.contains(e.target)||(this.isChatOpen=!1)}},handleImageUpload(e){if("connected"!==this.connectionStatus)return;const t=e.target.files[0];if(!t)return;if(!t.type.startsWith("image/"))return void this.$message({message:this.$t("chat.onlyImages")||"只能上传图片文件!",type:"warning"});const o=5242880;if(t.size>o)return void this.$message({message:this.$t("chat.imageTooLarge")||"图片大小不能超过5MB!",type:"warning"});const n=new FileReader;n.onload=e=>{const t=e.target.result;this.messages.push({type:1,text:"",isImage:!0,imageUrl:t,time:new Date,email:"",receiveUserType:2,sendUserType:this.userType,roomId:this.roomId}),this.stompClient&&this.stompClient.connected&&this.stompClient.publish({destination:"/send/message",body:JSON.stringify({content:t,type:"image"})}),this.$nextTick((()=>{this.scrollToBottom()}))},n.readAsDataURL(t),this.$refs.imageUpload.value=""},previewImage(e){this.previewImageUrl=e,this.showImagePreview=!0},closeImagePreview(){this.showImagePreview=!1,this.previewImageUrl=""}},beforeDestroy(){this.disconnectWebSocket(),document.removeEventListener("click",this.handleClickOutside)}}},57637:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.seo_zh=t.seo_en=void 0;n(o(94368));t.seo_zh={seo:{Home:"M2Pool 矿池,2024 全新升级!为您带来更稳定的网络服务,高效提升单位收益。透明的分配机制,可靠的技术服务,让您挖矿无忧。支持 nexa、grs、mona、dgb、rxd 等众多热门币种挖矿,开启财富增长新通道。",miningAccount:"M2Pool 矿池的挖矿账户页面,为用户提供详尽的账户信息展示。在这里,您可以直观地查看该账户的收益情况,通过算力走势图清晰了解算力变化趋势,掌握矿工情况,同时还能深入查看收益及支付的详细信息,助力您更好地管理挖矿业务。",readOnlyDisplay:"M2Pool 矿池只读页面展示页,通过分享的链接地址及特定权限,清晰呈现矿池的收益状况、支付详情以及矿工信息等关键数据,让您随时了解矿池动态,把握挖矿收益走向。",reportBlock:"M2Pool 矿池报块页面,精准展示各个币种的幸运值、区块高度、出块时间、区块哈希值以及区块奖励等重要信息,为您提供全面的矿池运行数据,助力您做出更明智的挖矿决策。",rate:"M2Pool 矿池费率页面,清晰呈现各个币种的挖矿费率、收益计算模式以及起付额等关键信息,帮助您准确评估挖矿成本与收益,做出更合理的挖矿策略选择。",apiFile:"M2Pool 矿池 API 文档页面,为用户详细介绍如何通过 M2Pool 提供的 API 接口获取矿池及帐户算力。内容涵盖 API 的认证 token 生成、接口调用方法以及返回数据结构说明,助力开发者高效利用矿池数据资源。",AccessMiningPool:"M2Pool 矿池接入矿池页面,详细阐述每个币种接入矿池的具体步骤,为用户提供便捷的接入指南,轻松开启挖矿之旅。",ServiceTerms:"M2Pool 矿池服务条款页面,明确阐述关于使用 M2Pool 矿池网站的相关服务条款,确保用户在使用过程中清楚了解权利与义务,保障用户权益。",submitWorkOrder:"M2Pool 矿池提交工单页面,当您在使用矿池网站过程中遇到任何问题时,可在此提交工单。我们将尽快处理并回复,为您提供高效的技术支持服务。",workOrderRecords:"M2Pool 矿池工单记录页面,方便用户查看在 M2Pool 矿池网站提交的所有工单记录以及工单目前的处理状态,随时掌握问题解决进度。",userWorkDetails:"M2Pool 矿池用户工单详情页面,用户可在此查看提交工单的详细情况,包括提交时间、详细问题描述以及处理过程。同时,也可以通过该页面继续对该工单进行补充提交。",alerts:"M2Pool 矿池矿机离线告警,根据不同账户用户自定义设置告警邮箱及备注信息,方便用户及时掌握矿机情况,提升用户体验。",personalCenter:"M2Pool 矿池个人中心,为用户提供全面的个性化管理功能。在这里,您可以便捷地设置挖矿账户、管理钱包地址、调整只读页面权限、强化安全设置,还能订阅挖矿报告,以及生成个人 API 密钥,满足您对矿池管理的多样化需求。",personalMining:"M2Pool 矿池个人中心挖矿账户设置页面,用户可在此设置各个币种的挖矿账户,方便地进行账户的添加、删除操作,以及绑定和修改钱包地址。",readOnly:"在 M2Pool 矿池的只读页面设置中,轻松添加只读权限,根据自选权限分享矿池信息。无论是管理员还是注册用户,都能便捷查看,随时掌握矿池动态。",securitySetting:"M2Pool 矿池个人中心安全设置页面,用户可在此修改密码并开启双重验证,为账户安全增添多一层保障。",personalAPI:"M2Pool 矿池个人中心 API 页面,用户可以选择默认本地 IP 或输入特定 IP 地址,自主选择权限并生成对应的 API KEY,方便进行个性化的数据管理。",miningReport:"M2Pool 矿池个人中心挖矿报告页面,用户可开启周报、月报订阅服务,固定时间将上周或上月的挖矿数据发送至用户注册邮箱,随时掌握挖矿成果。",personal:"显示用户信息、登录历史相关信息:时间、位置、ip、设备等",nexaAccess:"M2Pool 矿池 nexa 接入页面,详细介绍如何接入 M2Pool 矿池进行 nexa 币种挖矿,提供用户便捷的接入指南,轻松开启挖矿之旅。",grsAccess:"M2Pool 矿池 grs 接入页面,详细介绍如何接入 M2Pool 矿池进行 grs 币种挖矿,提供用户便捷的接入指南,轻松开启挖矿之旅。",monaAccess:"M2Pool 矿池 mona 接入页面,详细介绍如何接入 M2Pool 矿池进行 mona 币种挖矿,提供用户便捷的接入指南,轻松开启挖矿之旅。",dgbAccess:"M2Pool 矿池 dgb 接入页面,详细介绍如何接入 M2Pool 矿池进行 dgb 币种挖矿,提供用户便捷的接入指南,轻松开启挖矿之旅。",rxdAccess:"M2Pool 矿池 rxd 接入页面,详细介绍如何接入 M2Pool 矿池进行 radiant 币种挖矿,提供用户便捷的接入指南,轻松开启挖矿之旅。",allocationExplanation:"M2Pool 矿池分配及转账说明页面,详细介绍各币种的成熟条件、出块间隔及预估时间,何时将挖矿收益分配及转账至用户账户,提供用户清晰的了解分配及转账指南。",enxAccess:"Entropyx(enx) 接入页面,详细介绍如何接入 M2Pool 矿池进行 enx 币种挖矿,提供用户便捷的接入指南,轻松开启挖矿之旅。",alphAccess:"Alephium(alph) 接入页面,详细介绍如何接入 M2Pool 矿池进行 Alephium(alph) 币种挖矿,提供用户便捷的接入指南,轻松开启挖矿之旅。"}},t.seo_en={seo:{Home:"M2Pool mining pool, upgraded in 2024! Bringing you more stable network services and efficiently increasing unit revenue. Transparent allocation mechanism and reliable technical services ensure worry free mining for you. Support mining of many popular currencies such as nexa, grs, mona, dgb, rxd, etc., opening up new channels for wealth growth.",miningAccount:"The mining account page of M2Pool provides users with detailed account information display. Here, you can intuitively view the income situation of the account, clearly understand the trend of computing power changes through the computing power trend chart, grasp the situation of miners, and also deeply view detailed information on income and payments, helping you better manage mining business",readOnlyDisplay:"The M2Pool read-only page display page presents key data such as the mining pool's revenue status, payment details, and miner information clearly through shared link addresses and specific permissions, allowing you to stay informed of the mining pool's dynamics and grasp the direction of mining revenue at any time.",reportBlock:"The M2Pool mining pool block report page accurately displays important information such as lucky value, block height, block time, block hash value, and block rewards for each currency, providing you with comprehensive mining pool operation data to help you make more informed mining decisions.",rate:"The M2Pool mining rate page clearly presents key information such as mining rates, profit calculation models, and deductibles for various currencies, helping you accurately evaluate mining costs and profits and make more reasonable mining strategy choices.",apiFile:"The M2Pool API documentation page provides users with detailed instructions on how to obtain mining pools and account computing power through the API interface provided by M2Pool. The content covers API authentication token generation, interface calling methods, and return data structure explanations, helping developers efficiently utilize mining pool data resources.",AccessMiningPool:"The M2Pool mining pool access page provides a detailed explanation of the specific steps for each currency to access the mining pool, offering users a convenient access guide to easily start their mining journey.",ServiceTerms:"The M2Pool mining pool service terms page clearly explains the relevant service terms regarding the use of the M2Pool mining pool website, ensuring that users have a clear understanding of their rights and obligations during use and protecting their rights and interests.",submitWorkOrder:"M2Pool submission ticket page, where you can submit a ticket if you encounter any problems while using the mining pool website. We will handle and reply as soon as possible to provide you with efficient technical support services.",workOrderRecords:"The M2Pool mining pool work order record page facilitates users to view all work order records submitted on the M2Pool mining pool website, as well as the current processing status of work orders, and to keep track of the progress of problem resolution at any time.",userWorkDetails:"M2Pool user work order details page, where users can view the detailed information of submitted work orders, including submission time, detailed problem description, and processing procedures. At the same time, you can also continue to supplement and submit the work order through this page.",alerts:"M2Pool mining machine offline alarm, customized alarm email and note information according to different account users, convenient for users to timely grasp the mining machine situation and improve user experience.",personalCenter:"M2Pool personal center provides users with comprehensive personalized management functions. Here, you can easily set up mining accounts, manage wallet addresses, adjust read-only page permissions, strengthen security settings, subscribe to mining reports, and generate personal API keys to meet your diverse needs for mining pool management.",personalMining:"The M2Pool personal center mining account settings page allows users to set up mining accounts for various currencies, conveniently adding and deleting accounts, as well as binding and modifying wallet addresses.",readOnly:"In the read-only page settings of M2Pool mining pool, easily add read-only permissions and share mining pool information according to the selected permissions. Both administrators and registered users can easily view and keep track of the mining pool dynamics at any time.",securitySetting:"The M2Pool personal center security settings page allows users to change their password and enable two factor authentication, adding an extra layer of security to their account.",personalAPI:"The M2Pool personal center API page allows users to choose the default local IP or enter a specific IP address, autonomously select permissions, and generate corresponding API keys for personalized data management.",miningReport:"The M2Pool personal center mining report page allows users to subscribe to weekly and monthly reports, and send mining data from the previous week or month to the user's registered email at fixed times to keep track of mining results at any time.",personal:"Display user information, login history related information: time, location, ip, device, etc.",nexaAccess:"The M2Pool nexa access page provides detailed instructions on how to access the M2Pool mining pool for nexa currency mining, offering users a convenient access guide to easily start their mining journey.",grsAccess:"The M2Pool GRS access page provides detailed instructions on how to access the M2Pool mining pool for GRS currency mining, offering users a convenient access guide to easily start their mining journey.",monaAccess:"The M2Pool mona access page provides detailed instructions on how to access the M2Pool for mona currency mining, offering users a convenient access guide to easily start their mining journey.",dgbAccess:"The M2Pool dgb access page provides detailed instructions on how to access the M2Pool for dgb currency mining, offering users a convenient access guide to easily start their mining journey.",rxdAccess:"The M2Pool rxd access page provides detailed instructions on how to access the M2Pool for radial currency mining, offering users a convenient access guide to easily start their mining journey.",allocationExplanation:"The M2Pool mining pool allocation and transfer instructions page provides detailed information on the maturity conditions, block interval, and estimated time of each currency, as well as when to allocate and transfer mining profits to user accounts, providing users with a clear understanding of allocation and transfer guidelines.",enxAccess:"Entropyx (enx) access page provides detailed instructions on how to access the M2Pool mining pool for enx currency mining, offering users a convenient access guide to easily start their mining journey.",alphAccess:"The M2Pool Alephium(alph) access page provides detailed instructions on how to access the M2Pool mining pool for Alephium(alph) currency mining, offering users a convenient access guide to easily start their mining journey."}}},58044:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var i=n(o(66848)),a=n(o(69522)),r=n(o(62806)),s=n(o(76466));i.default.use(a.default);const l=new a.default({locale:localStorage.getItem("lang")||"en",fallbackLocale:"en",messages:s.default,silentTranslationWarn:!0});r.default.i18n(((e,t)=>l.t(e,t)));t["default"]=l},58455:function(e,t,o){e.exports=o.p+"img/logicon.e79b64d3.png"},58538:function(e,t,o){o.r(t),o.d(t,{miningAccount_en:function(){return i},miningAccount_zh:function(){return n}});const n={mining:{totalRevenue:"总收入",totalExpenditure:"总支出",yesterdaySEarnings:"昨日收益",diggedToday:"今日已挖(预估)",accountBalance:"账户余额",paymentSettings:"付款设置",algorithmicDiagram:"算力图",computingPower:"矿机算力分布",miner:"矿工",profit:"收益",payment:"支付",all:"全部",onLine:"在线",offLine:"离线",hoursPower:"1小时算力",dayPower:"24小时算力",refusalRate:"拒绝率",settlementTime:"结算时间",remarks:"备注",withdrawalAddress:"提现地址",withdrawalTime:"提现时间",currency:"币种",withdrawalAmount:"提现金额",transactionId:"交易ID",pleaseEnter:"请输入...",power24H:"24小时算力图",logInFirst:"请先登录后查看该页面",totalRevenueTips:"本挖矿账户全部收益累计",totalExpenditureTips:"本挖矿账户已提现收益累计",yesterdaySEarningsTips:"昨日(utc)24小时收益,由于该收益需要5000个区块高度确认(大约为7天),因此该笔收益需要等待大约7天才可提现转账。",diggedTodayTips:"今日(utc)截止到目前的挖矿收益,该收益根据过去24小时算力预估,仅供参考,最终收益以PPLNS结算为准。",blockRewards:"仅指报块的固定奖励",transactionFeeExplanation:"仅指该区块支付给矿工打包交易的费用,和区块奖励一起组成最终的报块奖励",Withdrawable:"可提现余额",balanceReminder:"该数据不包含今日预估收益。可提现余额会在每天12点(utc)之前自动转入到您的挖矿钱包中。",mature:"成熟:已经被区块链确认的收益。未成熟:还未被区块链确认的收益。所有成熟和未成熟的收益都将暂时添加到您的账户余额中,但只有成熟的区块收益才能被提现。",submitTime:"最后提交时间",total:"合计",Minutes:"30分钟",state:"状态",date:"日期",settlementDate:"结算日期",paymentStatus:"支付状态",paymentInProgress:"支付中",paymentCompleted:"已支付",jurisdiction:"无访问权限!"}},i={mining:{totalRevenue:"Total revenue",totalExpenditure:"Total expenditure",yesterdaySEarnings:"Yesterday's earnings",diggedToday:"Excavated today (estimated)",accountBalance:"Account balance",paymentSettings:"Payment settings",algorithmicDiagram:"Algorithmic diagram",computingPower:"Distribution of mining machine computing power",miner:"miner",profit:"profit",payment:"payment",all:"whole",onLine:"on-line",offLine:"off-line",hoursPower:"1 hour of computing power",dayPower:"24-hour computing power",refusalRate:"Refusal rate",settlementTime:"Settlement time",remarks:"Remarks",withdrawalAddress:"Withdrawal address",currency:"Currency",withdrawalAmount:"Withdrawal amount",transactionId:"Transaction Id",pleaseEnter:"Please enter...",power24H:"24-hour calculation chart",logInFirst:"Please log in first and then view this page",totalRevenueTips:"Accumulate all profits of this mining account",totalExpenditureTips:"Accumulated withdrawal income of this mining account",yesterdaySEarningsTips:"Yesterday (UTC), there was a 24-hour return. As this return requires 5000 blocks to be highly confirmed (approximately 7 days), it will take about 7 days for the return to be withdrawn and transferred.",diggedTodayTips:"The mining income as of today (UTC) is estimated based on the computing power of the past 24 hours and is for reference only. The final income will be settled by PPLNS.",blockRewards:"Only refers to fixed rewards for block submissions",transactionFeeExplanation:"Only refers to the fee paid by the block to miners for packaging transactions, which, together with the block reward, constitutes the final block reward",Withdrawable:"Withdrawable balance",balanceReminder:"This data does not include today's estimated earnings. The withdrawable balance will be automatically transferred to your mining wallet before 12:00 UTC every day.",mature:"Mature: Earnings that have been confirmed by the blockchain. Unripe: Earnings that have not yet been confirmed by the blockchain. All mature and immature earnings will be temporarily added to your account balance, but only earnings from mature blocks can be withdrawn.",submitTime:"Final submission time",total:"Total",Minutes:"30 Minutes",state:"State",date:"date",withdrawalTime:"Withdrawal time",settlementDate:"Settlement date",paymentStatus:"Payment status",paymentInProgress:"default",paymentCompleted:"paid",jurisdiction:"No access permission!"}}},60508:function(e,t,o){e.exports=o.p+"img/workAdministration.d8f96ac7.svg"},62901:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.home_zh=t.home_en=void 0;t.home_zh={home:{file:"文档",rate:"费率",home:"首页",accountCenter:"挖矿账户",personalCenter:"个人中心",power:"矿池算力",networkPower:"全网算力",networkDifficulty:"全网难度",miner:"在线矿工",algorithm:"算法",height:"当前高度",coinValue:"币价",blockHeight:"区块高度",blockingTime:"出块时间",blockHash:"区块哈希值",blockRewards:"区块奖励",transactionFee:"交易费",CurrencyPower:"矿池算力",hour:"1小时",day:"1天",realTime:"实时",lucky3:"3日幸运值",lucky7:"7日幸运值",lucky30:"30日幸运值",lucky90:"90日幸运值",luckyValue:"幸运值",reportBlock:"最新报块",computingPower:"矿池算力",rejectionRate:"拒绝率",onlineMiners:"在线矿工",miningMachineComputingPower:"矿机算力分布",profitCalculation:"收益计算器",ConnectMiningPool:"接入矿池",Power:"算力",time:"时间",profit:"收益",everyDay:"每天",weekly:"每周",monthly:"每月",annually:"每年",currencyPrice:"币价",finallyPower:"总算力",minerSComputingPower:"矿工算力",acquisitionFailed:"数据获取失败,请稍后重试",calculatorTips:"该值根据当前全网算力的估算,可能与您的实际收益有差别,仅供参考",caution:"注意:",numberOfMiningMachines:"矿机台数",requestTimeout:"系统接口请求超时,请刷新重试",NetworkError:"网络连接异常,请刷新重试",mission:"我们的使命",missionText:"本矿池旨在为客户提供更稳定的网络服务,更高效的单位收益,更透明的分配机制,更可靠的技术服务。",service:"提供服务",APIfile:"API文档",rateFooter:"费率",userAssistance:"用户帮助",miningTutorial:"挖矿教程",aboutUs:"关于我们",businessCooperation:"商务合作",contactCustomerService:"联系客服",serviceTerms:"服务条款",submitWorkOrder:"提交工单",historicalAnnouncement:"历史公告",commonProblem:"常见问题",joinUs:"加入我们",MLogin:"登录",MRegister:"注册",MResetPassword:"重置密码",API:"API",accountSettings:"挖矿账户设置",poolTitle:"稳定领先高收益矿池",metaDescription:"M2Pool 矿池,全新升级!为您带来更稳定的网络服务,高效提升单位收益。透明的分配机制,可靠的技术服务,让您挖矿无忧。支持 nexa、grs、mona、dgb、rxd 等众多热门币种挖矿,开启财富增长新通道。",metaKeywords:"M2Pool,矿池,挖矿,nexa,grs,mona,dgb,rxd,Mining Pool",appTitle:"M2pool - 稳定领先的高收益矿池",mode:"模式/费率",describeTitle:"提示:",view:"详情",describe:"奖励分配:1天/次,每日0时(utc+0), 转账:1天/次,每日4时(utc+0)起,具体取决于区块成熟条件",networkReconnected:"网络已重新连接,正在恢复数据...",networkOffline:"网络连接已断开,系统将在恢复连接后自动重试"}},t.home_en={home:{file:"File",rate:"Rate",accountCenter:"Mining account",personalCenter:"Personal Center",power:"Mining Pool computing power",networkPower:"Full network computing power",networkDifficulty:"Network wide difficulty",miner:"Online miners",algorithm:"algorithm",height:"Current height",coinValue:"Coin value",blockHeight:"block height ",blockingTime:"Blocking time",blockHash:"Block hash value",blockRewards:"Block rewards",transactionFee:"Transaction fee",CurrencyPower:"Mining pool computing power",hour:"Hour",day:"Day",realTime:"Real time",lucky3:"3-day lucky value",lucky7:"7-day lucky value",lucky30:"30 day lucky value",lucky90:"90 day lucky value",luckyValue:"Lucky value",home:"Home",reportBlock:"Latest report block",computingPower:"Mining pool computing power",rejectionRate:"Rejection rate",onlineMiners:"Online miners",miningMachineComputingPower:"Distribution of mining machine computing power",profitCalculation:"Profit Calculator",ConnectMiningPool:"Connect Mining Pool",Power:"Computing power",time:"Time",profit:"Profit",everyDay:"Per day",weekly:"Weekly",monthly:"Monthly",annually:"Annually",currencyPrice:"Currency Price",finallyPower:"total computational power",minerSComputingPower:"miner's arithmetic",acquisitionFailed:"Data acquisition failed, please try again later",calculatorTips:"This value is estimated based on the current computing power of the entire network and may differ from your actual income. It is for reference only",caution:"Caution:",numberOfMiningMachines:"Number of mining machines",requestTimeout:"System interface request timed out, please refresh and retry",NetworkError:"Network connection is abnormal, please refresh and try again.",mission:"Our Mission",missionText:"This mining pool aims to provide customers with more stable network services, more efficient unit revenue, more transparent allocation mechanism, and more reliable technical services.",service:"Provide Services",APIfile:"API Documentation",rateFooter:"Rate",userAssistance:"User Help",miningTutorial:"Mining Tutorial",aboutUs:"About Us",businessCooperation:"Business Cooperation",contactCustomerService:"Contact Customer Service",serviceTerms:"Service Terms",submitWorkOrder:"Submit WorkOrder",historicalAnnouncement:"Historical Announcement",commonProblem:"Common Problem",joinUs:"Join Us",MLogin:"Login",MRegister:"Sign Up",MResetPassword:"Reset password",API:"API",accountSettings:"Mining account",poolTitle:"Stable leading high-yield mining pool",metaDescription:"M2Pool mining pool, newly upgraded! Bringing you more stable network services and efficiently increasing unit revenue. Transparent allocation mechanism and reliable technical services ensure worry free mining for you. Support mining of many popular currencies such as nexa, grs, mona, dgb, rxd, etc., opening up new channels for wealth growth.",metaKeywords:"M2Pool,mining pool,mining,nexa,grs,mona,dgb,rxd,Mining Pool",appTitle:"M2pool - Stable leading high-yield mining pool",mode:"Mode/Rate",describeTitle:"Prompts:",view:"Details",describe:"Reward distribution: 1 day/times, daily at 0:00 (utc+0), transfer: 1 day/times, daily from 4:00 (utc+0), depending on block maturity conditions ",networkReconnected:"Network has been reconnected, recovering data...",networkOffline:"Network connection has been disconnected, the system will automatically retry after recovery"}}},63072:function(e,t,o){o.r(t),o.d(t,{__esModule:function(){return i.B},default:function(){return l}});var n=o(10885),i=o(857),a=i.A,r=o(81656),s=(0,r.A)(a,n.XX,n.Yp,!1,null,"07058f4b",null),l=s.exports},65549:function(e){e.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAApwAAACdCAYAAAAZiKgpAAAACXBIWXMAAAsSAAALEgHS3X78AAAXM0lEQVR4nO3d31UbSRbH8Zo5fscbAT0RgCNAHQFyBOCH1avlBGToBEa86mVEBIYIJCIwRLBNBlYE3lNdVyMhJNCf7qpb1d/POZyd3R1bQg3Sr2/duvXH79+/DQAAAMLqZSYzpvryrRyVpmzyMT8c+hf0MvPRGHMqXx+X/q9SvoHpoY+BBuTFrj/Uv8xk8MilAACgMZfGmO8BXt5rY8xVkw+wV+CUkNk1xvSNMSfv/LvWgzHmzhgzHpXm157PFbvKi/mNgL0KHfnTZ3u/jnkx/6fn+Q2FfE2r/5wMGr07AgAAcdp5Sb2XVSHTpuCjPb/jW/vnmy7dtk5efJRQ2ZGQuX+wPIy9uXiUrykhFACA7fSyKl8FqXCOSiUVTukrGNcQZC7sVy+rgmefiucB3LJ4V0rwb1aaPTp78TOSF89SAZ0SQAEAaKetAmcvqypm0wOqmuvY4NntZeZyVFbL7djGImTaSvNxBK/Z8fwmo/pvefEkP0tjekIBAGiHdwNnQ2Fzzv6dP6h2biEvLqWSGWqpvC4n8vVVqp9DCZ9cewAAEvVm4JTNQU2FzWW2+nXay0yX3s4lri+zL0Ezhmrmruz39Hf1lRe3EjyZagAAQGL+fOfb8RE252zV61Eqqu1mg2ZeXMkO8O+Jhs1V9qZjYvJiavKis9sfBQAAmm0MnLJTyvdGFBtup60Nna+Dpq+wr8kZwRMAgLSsDZyyI70f6DttZ+h0PZptDpqrloMnVW8AACK2qcJ5yJzNOsxDZ4jjnfyyYcqGKmP+IWiuZYPnT5MXY+lpBQAAkXkVOCXkXSj4Nmz4upONS+lZLJ//TGDnuQ8XVQU4L0JV3gEAwJ7WVTgbnTS/oxMZm5MWt0Q8DXSaQMyOZEf7VOaRAgCACLwInEtnpGtyIcdppmFR1dRyMlCMzqqjM13fKwAAUG61wtlV2kd4FX0/p1tCp6pZn6Oq75XeTgAA1FsXODU6knPc4+SW0B/p1WzERdWewE52AADU+jdwynL6ueLnehbl0rpb9p22ZHh7KCcSOrXeMAEA0GrLFc4YhmxfRbVr3e2oZtyRH9W5/PR1AgCgT2yB80jZLvrNbG+hOyccftm+zvQmGwAAELHYAqf1Vf0GIhc2Ncwybauvcg0AAIACy4EzpjE9equchE0tLgidAADoUAXOXhZNdXPuQmWVk7CpDaETAAAFPshTiHHG5VDVGKf4wuZzdVTk4sus/LNlN2idrvzzx8iq4TZ0lmYyiKP3FwCABMUcOM9tZXZUViOHwtIfNmcymmlazQOdDHZ5ze7W/q9u7uWp9P52lI99+i6hk2onAAABzANnrEOzh8Gfuxt9pDFsPktYHJvJ4LH2v939nY//DuR3Z5vbivOl0gqo3b3+2MhrAQAA3jQPnLEeDXjSy8zlqAx0CpEbNK5t9NFtFcR9B6vJoJQbgKGEz76ET00zSKfVc5sMfil4LgAAtMZ8l3rM55QPgwyDd0vKWpZo7ZL5tTHmP2YyuAxexbPhczLom8nAXpcvUm3V4GhjiwAAAGjMPHDGfOyi/2HwefFRgkvo6t08aGbVphiNlTvbNzkZZIqC55nJCzYQAQDg0Z+JvNi+h8GPFYT0W9VBc9UieF5LUA7pu1SoAQCAB6kETuNtedttEjr38ljr2SphLkvn8fUiuvFENuw9BH4m7FgHAMCTP3tZtDvUV501PsDebYYJuRx7U4W13cYa6eN6PO21+haw2nkiNw8AAKBhHyLeob7OuOENUMNAfZuzatd3anMkJwO7o30q/bAhWhSuqhmqCe5al410tA3U53FUmuh+TqSgkNJ7vE+/RqWJcoyatJjFvBk4KBXzvRP0IbFv6biXmf6orIJhE4Yy5Nxn6JxVj5nq/Ej7fbl+ymmA+Z3zDWdJVDqlwn8ZwSD+KPWyqp3F/pyOtX4gyc9AV34GYjoRTKWei2wPclN8NypfnMSmhgTMrnydtf26HUqu+/z33V53ppvU4I//Hv+2b0yT6L+TBRvQssaqEW5Z/c7Tm/mThM12zI0Md2LTXzJHNEpSxRryQeOV/TDqa/ggkmr2pdw4caPRLBs+r7TccEjQvIrsWOUYzeZzppte6ehl1fX8HuA1uh6VzbYMprRpaO5IfjCa4YJJR3aJN6ldYdNUr+2lh9d1nWjHJMmb00/Cpnc22P3oZWYaZA6w6GVVRetRDqAgbDbP/p5Nepm5C3ndzeJ3/3+ETS+OJASW8rpjDylWOOc+Nd5/kxeX1ZGJ9Wtf2FwWptIZVZVTPuyGfNioULW9+Oz3k+s/Djwxo+28X3ezuPYhWpCwYD+jL5u49lQ449RclXPObeL5VPNO61m1PNbm4xddpfPJ86Neen68Q4VqP8Brtvox9TXxYylwEDbDml93b+8d8jNWEjaDO5Fr3+xknMSkHDjPZLmpWW4zT1bjXMl0NwjtpuP5ZKJoNg71supmirChi5fQSXVLHXvd//Fxs7FU1Q59wh2cI2mvaD5nJCLlwGm8VDlNFTp/yVzJmwP/pm+ETeEqvD5/kY+kRUI1uaP+qv15tlR1Vn/DvX2ETZ189PL62qyK3YwTmmfeqNQD57HXBt/JoC9nhu+zxP5QzaXE8uv5KMPhfYnhTpWGdd2Om7pGUtkmcOh01OTpZbJsz8ZAnY4kdDLv9h2pB06r7/UHwfV1dnbsQZxF2EPohwvhvo7BPDd5ofZNQ6qbfOjo91XG1dSGynYUzpvo6VvaIAi9TlKZ59wk34HTZ0/eXLNjktZxlTn7xnO/5Z8YxjwH0gOfv8iaq5zclMSj7p9ZKttxaOK9qkvfZhT8Frci5DtwhroDuPC+m8z1ddo3iut3/s1nMxnwYfIWF+B9zefUHDhpTo9HbddKqqVUtuNw3kDooHIWhyOKAm/zGjjlVA5fy6OrwoQ6Fybf6uskbG6nX/P4qU1U7v6WpnSqHPE4rnEjAR9icanzZuMjfbtR4Xf1DSF6OEPdrZ35nJf2wqKvczUwPcv/h/dfw1+yS7N5eaFxthpLNfGpq4+TWX9xqXPHMruf48LNwRu8B06ZzH/o+KB9XQXrsXDLwqcrm4mobu7G1+ul8QOeD5741HXNuPZxqfN6cbMRGYbBbxZql/qVp+XRVcdB+2EW57A/yRgkqpu7cK/fthuxDqHxA54KZ3vRSgEgekEC56g0vwJW9/p1jyzZiVsa7tDrsTcfy+rcoQIAUKNgczhHZTWqyPd52SbImKRVbgc7Y5D24yNwHmmexwkAQGxCD34PtbzdyIBeeOAqxG1dVgcAIEofQj7pUVmdP3sfaBTNMIZQ0cuqit6malspX++Zbvlw5ajc6u8LberhZyZc2wUAAIkJGjhFP1DgPLFjkkZlc+ff1sTubv++4a/adhj0pj//Sm+3mGVbIn7JP9uw6qsv9dHDYxA4AQCoSfCz1KWi9t5pPE0ZRnAU1TDQkaDbOJHQa7/8BffJYNuK7SEInAAA1CR44BShQtWR9mPDAu/o39a9bY/w/JhN/7wQOAEAqImKwBk4VH0POiZpC7Lsr7XKOQsU2tnlDwBAJLRUOOehKtQ56zEMYNdaiR1GstEIAAAEomHT0DJb5ZwEeFx7znonwLLw1kaluetlVSDfdqOQD8+jMlhletrwa9HWJfWZp01ZoWj6/dFoeSNgajI5bQ7rpfy7z++9AqoCp4xJujXGXAR4+HEEISNUIN8k5dOS2vrB9Dgq051R28vMbwVPQ7O+5hvvQ/Sy6v1z64kdLZTs7z6/9zqoWVJf0g91znov07uBSAbVa1r6D7FRCAAAREhd4JQNRKGOnrzSNibJbmjqZVWwmyiqus0UVDfZRQ4AQCQ0VjiN9AWGGpOkYgSRDb69rAre/1PYf3IlNwYhETgBAIiEysApQlXQvvaysEdeytK+3fn9NeTz2OBpVAarQPsUamICAADJURs4pT8w1Id+kEBl+zR7WbVL8G+ptmqkpc+VXYcAAERCc4XTBKxy2jFJXV8PJn2ad9KneeLrcfdwq2KjUF6wnA4AQERUB04ZKH4T6OEbr3JKn+aV9GmeN/14Bwp1otA6QVseAADAbrRXOI1s4gk1JqmxDUS9rKrelhHNhdOwUWjOR+Bk5BMAADVRHzgl5ISqrPXrHpMkfZo2zPyjuE9zlbaNQt7aHQAAwOFiqHDOz1l/CvDQR3UtrUuf5lj6NGPb8KJnIH5efPTU55ry8Y4AAHgVReAUoULPxSFjkpb6NB8DHdl5qBtlJwr52kiW6nnSAAB4F03glNBzH+jh96pyyk73R+nTjGX5fNlMyyD8JX5uPCYDejgBAKhJTBVOE/Cc9TPZ5LMVWxGVPs0fio6j3Edf0UYhu5x+6en1ZOg7AAA1iipwypgkteesy/K57dP8mcBg8gfpndXEV7WV6iYAADWKrcJpJHCGOGf9+K3lXOnTLCPt01xHz0YhU1U3+x6rxXeeHgcAgFaILnAqGJP04pQbGXNURtynuY7dKKRnl7bbme6ruvlsJgN2qAMAUKMYK5w2dN4F6rM7mgcfGXM0lTFHMfdprtK4UWjsMcxrmjcKAEASPkT8TfSlV9K3C+nl1H4U5b4ulW0U6np+rbX1rQIAEL0oK5zGVTntsudtoIdPNWw+SPVYB7eU7jMA3prJgPmbAADULNrAKUKNSUqVr6Hq2/K5lG5YTgcAoBlRB05Z+tXWbxiraxk7pYObuemzkvzAZiEAAJoRe4XThs5QY5JS8qyqupcXpwGeDzcuAAA0JPrAKbQtBcdGz4lCi75Nn0vpzxxlCQBAc5IInHLOOscRvmR7W78YY/5659+7V7NRyIVNey1PPD8y1U0AABqUSoXTUOV84cYYk9mjKaUvc9Nu/pmaE4XChU1b3WQUEgAADUomcEqwulbwVEKyVd6/RuWrJfJNu/mHKjYKhQubhuomAADNS6nCaWSjSRvHJNlNP59HpemsC5ASPlc34TyPSgVhK2zYfKC6CQBA85IKnIHPWQ9hJuOMsi36MFfDePgWhLBh07TsZwUAgGBSq3Da0DluyQaiW+nT3KpKuRLG72WjVTjhw+Y35m4CAOBHcoFTpNyXZ8N0Pip3P/NcwvhT8Opm+LBpl9I5VQgAAE8+pPhC2+pdL6sqgBcKnk5dZjIv86Cew1FpToN+F26o+9TznM1l9nXsBnpsAABaKdUKp5EqZyobiK7nY44UPJf96QibHTMZ6BhyDwBASyQbOGW3duzLpvMxR1dqTgLaV150AodNU/Ww0rcJAIB3KVc4jWyoifGc9Wfp01w75ig6eWF7RieBw+Y1I5AAAAgj6cApYhp9Y5d8v8mYozTO9s4LG/r/Cfwsbs1kwIB3AAACST5wynzKGMYkzcccpbN7Oi9sRfF74GdhwybHngIAEFCSu9TXsFXOn+qelfMgu8/T6S0MP/Zo7omwCQBAeG1YUjcS5m4UPJVltk/zi/RpphQ2T9WETbsjHQAABNeKwCk0jUmyY45Oox9ztGqxE11H2GT8EQAAKrQmcMpYodAbR+6TGXO0Ki/6CnaiG8ImAAD6tKnCaWRDzlOAh56POeomMeZoldsc9LeCZ0LYBABAobZsGlo2r8T5YJfwr5Laeb5Mz+YgQ9jUp5dVEyLO2/46RGbSy9r+ErTWWS8zv9v+IrTY91528FSZ/7y1etuqCqeRc9ZlabtpN8mNOVrmNgeVSsKmHX10StjUo5eZj4RNAGiV7lvfbOsCp+g3uIHIjjn6NCqrUUdpBiB3clDoYyrnmLOp05tvPACAdr3vtzJwSh9l3RuIbJ/m5+TGHK3Ki6GcHETYxFsInADQLueyurVWWyuc8w1EdSytz5bGHN3V8PfpZPs188JWNb8qeX7fCJs6sZwOAK21sdjQxk1Dyy4P3PRyK5uC0tt5vsz1a46V9GtaX8xkkNYM07RQ3QSAdupKXniltRVOs5jN2dmj0vkgY44uWxA2u4p2ottq8mfCpnoETgBop43L6q0OnEZCp52PWVXNXB/mW+4laHZkt3va3DD3H0r6NWcy9ijdtoUEsJwOAK23tujQ9iX1f8kxk+NeVlU8V8/gtpuApsnuOl/l5mvaHtcLJc/oqfoBngzSriangeomALTb2mV1AucKqVymX73cJC/s2Oc7Rf2aDxI2mbEZBwInALRbtay+WqQjcGLBbQ7SMl/TMPYoLiynA8DBUimuvKpytr6HE8INc/+pKGwy9ig+VDeb0dQhFQDqd2hgTGWO96vPAwInbNgcyzB3DeY70dM8EjRtBM6X6vrgSPcgiTTV2ZLV3vauSNVw8EsqexVe7VYncLbZYpi7ls1Bz+xEjxPL6WvV9cHB70Nc6rxB4GYjLgcfJiOjFt+bmBOLF0UIAmdbuX5N+2Z2puQVsJuDTs1kwBtsnKhuvjSr8YhbAmc8ZnWeOCebLuo4EQ9+1HXtU5k1TeBsPdevaSubx0peihszGXTYiR41AudLdYaOUk41g35N3BxwwxGHZxmvWIdhIr3bL5bVCZxtkxdX0q+pZXOQPaayr+B5YE8sp69Vd4Xiqua/D82o/TpJiElliTVltV17qWynso/h32IEgbMtXL+mvVP+ruQ7tndvnzimMglUN196qPskMqlyfqvz70Ttbho86piJHbo91FjdrIzKKsA+JfDaEDhbxQ1znyqqQtl+zYx+zWQQOF9qpGI/KquKB0vrOj01WYWWG5ibyF+jVD03+B54mcDS+r/L6gTO1OVFRzYHaTk5iH7NhLCc/sqXGjcLrdNPpOqREhsILps++nhUcu0Vste+29S1l/eSTgKhswrkBM6U5YV9g5oo6dec0a+ZJKqbC7d1L6utkg+2DpVONez7Wqfhm4xlHUKnGk8+rn0ioZPAmTQ3zP1vJd/ik8zXpF8zPQROx1Y2vfTZ2dApj3Xt4/GwkX1fO/UYNrnh0OPe542GPE4m7WgxqpbVCZypcZuDHhUNc7+XsEm/ZmJYTq/Y/q286crmOrKp4FPEH0Ixux6VVdj0firM0g3HZ4499c7+vn8elc0to28i171TrRTGed27BM6UuGHupaJ+TXseepd+zWS1ubr5LFXNrO4d6buwlQ/5EMoZEN64mVQW/5KwH5QMmM+k0s3YpGY9Lf2+B52LKje3mQTPmK5794OCJ4E6uGHuWs5Dd7v2qGqmrm2B80GmPdz5XEbdhoTeqVSdu7Lseqro5jNWD3ITfxc6aKwjVTYbfq96WXW9L+W6nyqatRyjZ9lsO/99V3W+uVx3GzzHct3nv/OZogNdVp3/8d/j3x3ZWNK4UWn+UPOtpyQv7LiUr0q+owcJm1Q1a9TLqg8VHzNUH6RiBgBAbahwxsz2a7pjz7Sch35tJgNORAEAAC8QOGPl+jXHSpbMnqulnMkgWC8bAADQi01DMcqLrvSWaAib91W/EGETAABsQIUzNm6Yu5b5mnYX+lDB8wAAAIoROGPh+jWHSuZrsgsdAABsjSX1GORFJkvoGsLmrSyhEzYBAMBWqHBq5zYHTRXMVJvJxiB1s+gAAIBuBE7NdA1zt4H3h8kLBU/Fi5yNUAAA1IPAqVVejBWdhw4AALA3Aqc2bnOQlpFHAAAAB2PTkCauX/ORsAkAAFJC4NTC9WtOFR+8DwAAsBcCpwZ5cSWbg0LvRAcAAKgdPZwhuX5NuznovL0vAgAASB0VzlAW8zUJmwAAIGlUOEPIi44x5o4ldAAA0AZUOH3Li74xZkLYBAAAbUGF0yeGuQMAgBYicPrAMHcAANBiLKk3zW0OKgmbAACgrQicTXLD3H/SrwkAANqMwNmUvBjKMHcAAIBWo4ezbq5f0448OkvrGwMAANgPFc46LYa5EzYBAAAEgbMuedFlJzoAAMBrBM465MWVMeYHm4MAAABeo4fzEK5fc8gwdwAAgM0InPvKi0w2B7GEDgAA8AYC5z4Wm4NYQgcAAHgHPZy7Ypg7AADATgicu2CYOwAAwG6MMf8HTxugm9hytvMAAAAASUVORK5CYII="},66560:function(e,t,o){e.exports=o.p+"img/算法资源 24.983ac6e7.svg"},67069:function(e,t,o){e.exports=o.p+"img/mining.63661eb9.svg"},67698:function(e,t,o){e.exports=o.p+"img/计算器.bf2f4fbd.svg"},69218:function(e,t,o){e.exports=o.p+"img/难度.374a30f2.svg"},72498:function(e){e.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACEAAAAhCAYAAABX5MJvAAAACXBIWXMAAAsSAAALEgHS3X78AAACeUlEQVRYhcWX33HiQAzGv6QB6IDt4Ogg7uDoAL+cX0MqiNMB9+qXIx2QCs50YDpYOjgqIKOdb31Cif+QLIlmGMCrtX7SajXSzel0wqVSOGSVR633FQ5TAGsgfK8qDz/2vRdBiHEa+gHgACAXmMJhBaAEMFHqT6JbefxLAlE4OBpZ8tFRGdS/XwA0AB75X0A3QzC9EIXDAggfbbysPNaFQ86oRIA9QWseiRi/U68TwK2s26M6g6DHGQ3/VHpHvrTUHjEPVvzoo3ghjDdORNkTaFt5NAGCZ5rzrGFeFpV7z5aRWdAJDbQnUK3WZ2p9d/NrdpLNf/jgQGUxuu0zOgC0UBGNBh/kGLk+51rIHYEQ5b8AnisfvEkqhQuG7zWEgpVcON6qZy41AGXK78YARHvNrSo6U7s7kURjNqfa5zoSNimTQsgt6IBoIsQO/69capnxir8LZyMhMk8JoM+9B6KNxLXyoisf8GWR0N52rUmufGck2lz5lkjYXAkQV6wVgzUC70Qida0YrBEW4hq1YrBGWIgoSfJibI2wEKnzYlSNsBBRUt2QUTXCQtRaIYFEZ876STY0M3ZcsBCRePnZ5OT+2CDVZjk2Nm3n1kKwh3zm380nAxG78J3urAvXduBHBfOm254yfBM2ufmY4cXsX7O7FkNzgeBN0QCZrh1niUmDGRWl5fdsWscAZDzSpTLk2ck3BDhYgDeRMB5t1OzRGRXqlmxmwaIX80EPQL/t3NILoQws+KIJvcv1KEDvN6qtf6o8SjObtjNrl53BWbQjKnHqujfqB+bUoPcXQSgYHZUoYTblddOhH/T+QxAE0VEJZ2+uoORC0Bl9qwC8AjHhFndDIIoyAAAAAElFTkSuQmCC"},74431:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.personalCenter_zh=t.personalCenter_en=void 0;t.personalCenter_zh={personal:{miningAccount:"挖矿账户",readOnlyPage:"只读页面",securitySetting:"安全设置",personalCenter:"个人中心",miningReport:"挖矿报告",API:"API",add:"添加",delete:"删除",miningPool:"矿池",currency:"币种",remarks:"备注",operation:"操作",bindingWallet:"绑定付款钱包",addMiningPool:"添加挖矿账户",accountName:"账户名称",poolSelection:"币种选择",select:"请选择",remarks2:"备注(选填)",determine:"确 定",bindAddress:"付款设置",walletAddress:"钱包地址",Binding:"绑 定",establish:"创建",jurisdiction:"权限",account:"账户",readOnlyLink:"只读页面链接",setUp:"设置",miner:"矿工",profit:"收益",payment:"支付",loginPassword:"登录密码",accountSecurity:"用于保护账户安全。",setUp2:"已设置",modify:"修改",dualVerification:"双重验证",verificationInstructions:"用于添加、删除挖矿帐户和修改付款设置。",notEnabled:"未开启",Open:"开启",maintainPassword:"维护人员密码",maintenanceInstructions:"用于矿场维护人员登录帐户,使用此密码登录帐户时将隐藏“收益”和“帐户设置”页面。",deleteAccount:"删除账户",deleteDescription:"永久删除此主帐户及其子帐户。",Tips:"提示",enableVerificationDescription:"如需进行此操作,请先开启双重验证。",enableVerification:"开启双重验证",firstStep:"第一步",googleIdentity:"请使用您手机上的谷歌身份验证器(Google Authenticator)或其它兼容应用程序扫描下方二维码,也可手动输入以下16位密钥。",saveKey:"注意:请妥善保存密钥,避免被盗或丢失。",resetKeyDescription:"如遇手机丢失等情况,可通过该密钥恢复您的谷歌验证。如密钥丢失,需要提交工单通过人工客服重置,处理时间需7天。",nextStep:"下一步",step2:"第二步",verificationCode:"邮箱验证码",oneTimePassword:"双重验证动态口令",previousStep:"上一步",goOpenIt:"去开启",reasonForDeletion:"为了帮助我们优化服务,恳请您选择删除帐户的理由:",Cancel:"取 消",userName:"用户名",mailbox:"邮箱",phoneNumber:"手机号",mobilePhoneInstructions:" 用于添加或修改付款地址、修改登录密码,以及开启或修改维护人员密码。",loginHistory:"登录历史",time:"时间",loginResults:"登录结果",position:"位置",equipment:"设备",weekly:"周报",weeklyReportExplanation:"每个币种只能添加一份周报。开启后,每周二发送上周挖矿数据到您的注册邮箱。",weeklyReportTemplate:"查看周报模版",monthlyReport:"月报",monthlyReportExplanation:"每个币种只能添加一份月报。开启后,每月第二日发送上月挖矿数据到您的注册邮箱。",monthlyReportTemplate:"查看月报模版",addWeeklyReport:"添加周报",weeklyReportLanguage:"周报语言",weeklyReportCurrency:"周报币种",weeklyReportAccount:"周报账户",Submit:"提交",addMonthlyReport:"添加月报",monthlyReportLanguage:"月报语言",monthlyReportCurrency:"月报币种",monthlyReportAccount:"月报账户",nameDescription:"账号",pleaseEnter:"请输入..",pleaseEnter2:"输入搜索矿工",inputWalletAddress:"请输入钱包地址",remarksDescription:"请填写备注名,例如此只读页面链接分享给哪个合作伙伴",minimumPaymentAmount:"设置起付额",confirmSubmit:"确认提交",automaticWithdrawal:"是否自动提现",duplicateAccount:"账户名已存在,请重新填写",deleteConfirmation:"确认删除以下挖矿账户?",walletTips:"请确认填写钱包地址",PaymentAmountTips:"该币种起付金额不能小于",accountNumber:"请填写账号",selectCurrency:"请选择币种",invalidAddress:"钱包地址无效",yes:"是",no:"否",pleaseEnter3:"输入搜索账户",copySuccessful:"复制成功",copyFailed:"复制失败",confirm:"确 定",confirmSelection:"请确认勾选注意事项",pwd:"请输入登录密码",eCode:"请输入邮箱验证码",gCode:"请输入动态口令",copy:"复制",or:"或",accountSelection:"请选择账户",selectPermissions:"请选择只读权限",modify2:"修 改",accountFormat:"账户只能输入字母、数字、下划线,且不能以数字开头,长度不小于4位,不大于24位",close:"关闭",turnOffVerification:"关闭双重验证",Closed:"已成功关闭双重验证",day:"天",hour:"时",minute:"分",second:"秒",front:"前",loadingText:"拼命加载中...",deletePrompt:"确定删除勾选内容吗?",scanning:"(扫描`上一步`中的二维码获取最新口令)",apiKey:"API Key",ipAddress:"默认IP地址或者输入其他IP地址",defaultIp:"使用本机默认IP地址",ipAddressReminder:"请输入IP地址或勾选使用本机默认IP地址",permissionReminder:"请选择相关权限",minerAPI:"矿工",accountApi:"挖矿账户",miningPoolApi:"矿池",ipFormat:"请检查IP地址格式是否正确",screen:"筛选币种",workOrderRecord:"工单记录"}},t.personalCenter_en={personal:{miningAccount:"Mining account",readOnlyPage:"ReadOnly Page",securitySetting:"Security setting",personalCenter:"Personal Center",miningReport:"Mining report",API:"API",add:"Add",delete:"Delete",miningPool:"Mining pool",currency:"Currency",remarks:"Remarks",operation:"Operation",bindingWallet:"Bind payment wallet",addMiningPool:"Add mining account",accountName:"title of account",poolSelection:"Currency selection",select:"Please select",remarks2:"Remarks (optional)",determine:"determine",bindAddress:"Payment Settings",walletAddress:"Wallet address",Binding:"Binding",establish:"establish",jurisdiction:"Jurisdiction",account:"Account",readOnlyLink:"Read only page link",setUp:"Set up",miner:"miner",profit:"profit",payment:"payment",loginPassword:"Login password",accountSecurity:"Used to protect account security.",setUp2:"Set up",modify:"modify",dualVerification:"Dual verification",verificationInstructions:"Used for adding, deleting mining accounts, and modifying payment settings.",notEnabled:"Not enabled",Open:"open",maintainPassword:"Maintenance personnel password",maintenanceInstructions:'Used for mine maintenance personnel to log in to their account. When using this password to log in, the "Benefits" and "Account Settings" pages will be hidden.',deleteAccount:"Delete account",deleteDescription:"Permanently delete this main account and its sub accounts.",Tips:"Tips",enableVerificationDescription:"To perform this operation, please enable double verification first.",enableVerification:"Enable dual verification",firstStep:"The first step",googleIdentity:"Please use Google Authenticator or other compatible applications on your phone to scan the QR code below, or manually enter the following 16 digit key.",saveKey:"Be careful: Please keep the key properly to avoid theft or loss.",resetKeyDescription:"In case of phone loss or other situations, you can use this key to restore your Google verification. If the key is lost, a work order needs to be submitted for manual customer service reset, and the processing time takes 7 days.",nextStep:"next step",step2:"Step 2",verificationCode:"Email verification code",oneTimePassword:"Dual authentication dynamic password",previousStep:"Previous step",goOpenIt:"Go open it",reasonForDeletion:"To help us optimize our services, we kindly request that you choose the reason for deleting your account:",Cancel:"Cancel",userName:"User name",mailbox:"Mailbox",phoneNumber:"Cell-phone number",mobilePhoneInstructions:"Used to add or modify payment addresses, modify login passwords, and enable or modify maintenance personnel passwords.",loginHistory:"Login History",time:"Time",loginResults:"Login Results",position:"Position",equipment:"Equipment",weekly:"weekly",weeklyReportExplanation:"Only one weekly report can be added per currency. After activation, send last week's mining data to your registered email every Tuesday.",weeklyReportTemplate:"View weekly report template",monthlyReport:"Monthly report",monthlyReportExplanation:"Only one monthly report can be added per currency. After activation, send the mining data from the previous month to your registered email on the second day of each month.",monthlyReportTemplate:"View monthly report template",addWeeklyReport:"Add weekly report",weeklyReportLanguage:"Weekly Report Language",weeklyReportCurrency:"Weekly report currency",weeklyReportAccount:"Weekly report account",Submit:"Submit",addMonthlyReport:"Add monthly report",monthlyReportLanguage:"Monthly report language",monthlyReportCurrency:"Monthly report currency",monthlyReportAccount:"Monthly report account",nameDescription:"Account",pleaseEnter:"Please enter..",pleaseEnter2:"Enter search miner",inputWalletAddress:"Please enter the wallet address",remarksDescription:"Please fill in the note name, for example, which partner to share the read-only page link with",minimumPaymentAmount:"Minimum payment amount",confirmSubmit:"confirm Submit",automaticWithdrawal:"Whether to automatically withdraw funds",duplicateAccount:"The account name already exists, please fill it out again",deleteConfirmation:"Are you sure to delete the following mining accounts?",walletTips:"Please confirm to fill in the wallet address",PaymentAmountTips:"The fluctuation amount of this currency cannot be less than",accountNumber:"Please fill in the account number",selectCurrency:"Please select currency",invalidAddress:"Invalid wallet address",yes:"Yes",no:"No",pleaseEnter3:"Enter search account",copySuccessful:"Copy successful",copyFailed:"copy failed",confirm:"Confirm",confirmSelection:"Please confirm the selection of precautions",pwd:"Please enter your login password",eCode:"Please enter the email verification code",gCode:"Please enter the dynamic password",copy:"Copy",or:"Or",accountSelection:"Please select an account",selectPermissions:"Please select read-only permission",modify2:"Modify",accountFormat:"The account can only input letters, numbers, and underscores, and cannot start with a number. The length should not be less than 4 digits and not more than 24 digits",close:"close",turnOffVerification:"Turn off dual authentication",Closed:"Successfully disabled two factor authentication",day:"day",hour:"hours",minute:"minute",second:"second",front:"front",loadingText:"Desperately loading...",deletePrompt:"Are you sure to delete the selected content?",scanning:"(Scan the QR code from the `previous step` to obtain the latest password)",apiKey:"API Key",ipAddress:"Default IP address or enter another IP address",defaultIp:"Use the default IP address of this device",ipAddressReminder:"Please enter an IP address or check the option to use the default IP address on this device",permissionReminder:"Please select the relevant permissions",minerAPI:"miner",accountApi:"account",miningPoolApi:"pool",ipFormat:"Please check if the IP address format is correct",screen:"Filter currencies",workOrderRecord:"Work order record"}}},74910:function(e,t,o){e.exports=o.p+"img/费率.0ce18fa9.svg"},76466:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var i=n(o(41040)),a=n(o(12467)),r=o(87349),s=o(62901),l=o(58538),c=o(74431),u=o(43110),d=o(83536),m=o(79438),p=o(33859),h=o(46373),g=o(57637),f=o(42450),y=o(90444);t["default"]={zh:{...a.default,...r.userLang_zh,...s.home_zh,...l.miningAccount_zh,...c.personalCenter_zh,...u.AccessMiningPool_zh,...d.serviceTerms_zh,...m.api_zh,...p.workOrder_zh,...h.alerts_zh,...g.seo_zh,...f.chooseUs_zh,...y.ChatWidget_zh},en:{...i.default,...r.userLang_en,...s.home_en,...l.miningAccount_en,...c.personalCenter_en,...u.AccessMiningPool_en,...d.serviceTerms_en,...m.api_en,...p.workOrder_en,...h.alerts_en,...g.seo_en,...f.chooseUs_en,...y.ChatWidget_en}}},76994:function(e,t,o){e.exports=o.p+"img/lgout.189a539a.svg"},77738:function(e,t,o){e.exports=o.p+"img/lang.cef122f4.svg"},78628:function(e,t,o){e.exports=o.p+"img/grs.27ff84e3.svg"},78945:function(e,t,o){e.exports=o.p+"img/enx.44c38e4b.svg"},79412:function(e,t,o){o.r(t)},79438:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.api_zh=t.api_en=void 0;t.api_zh={apiFile:{file:"M2pool API 文档",leftMenu:"API 文档 V1",survey:"概况",survey1:"用户可以通过 m2pool 提供的 API 接口,获取矿池、帐户的算力。",survey2:"本文档主要用于说明如何使用 m2pool 的 API接口,内容主要包括API的认证token生成以及API接口调用和返回数据结构。如果在调用 API 的返回值中,出现本文档中没有描述的字段,则说明这些字段为保留字段或是被弃用,请直接忽略。",apiAuthentication:"API 认证",apiAuthentication1:"查询 API 时需要提供由账号生产的具有对应权限的 token ,才能正常得到结果。用户可通过 m2pool 个人中心的",apiAuthentication5:"API页面",apiAuthentication6:"获取(请求 token 时可以根据需求自行勾选权限,可选权限分别为公共矿池数据查询接口调用权限、挖矿账户数据查询接口调用权限、矿机数据查询接口调用权限)。",apiAuthentication2:"在请求 API 时,将前面获取到的 token 放在 HTTP 请求Header 的API-KEY属性中即可完成认证。",apiAuthentication3:"请求API的IP要和获取API时的IP一致,且不能是本网站申明的禁止访问国家/地区的IP。",apiAuthentication4:"例如:",url:"示例url",explain:"说明",explain1:"获取某币种的矿池详情,包括矿池在线矿工数、最近7天的矿池算力、矿池当前算力、矿池最新高度、矿池费用、矿池提现起付额等",explain2:"获取某币种历史算力信息。start和end最多相差3个月",explain3:"当发生错误的时候,会返回给统一格式的数据",explain4:"错误描述",explain5:"当成功时返回同意格式的数据,数据具体字段见具体接口说明",explain6:"API 中 coin 字段可目前仅取值支持:nexa",miningPoolInformation:"矿池信息",miningPoolInformation1:"公共结构",miningPoolInformation2:"算力数据",name:"名称",type:"类型",remarks:"备注",Explain:"解释",powerStatistics:"算力统计时间",power:"算力",minersNum:"矿工数量数据",totalMiners:"总矿工数",onLineMiners:"在线矿工数",offLineMiners:"离线矿工数",overviewOfMiningPool:"矿池总览",jurisdiction:"所需权限",parameter:"请求参数",currency:"币种",response:"响应参数",serviceCharge:"矿池手续费",minimumPaymentAmount:"起付额",latelyPower24h:"最近七天算力(24h平均)",Power24h:"矿池最新算力(24h平均)",height:"矿池当前高度",currentMiners:"矿池当前矿工数",eachState:"各状态矿工数量",realTimePower:"矿池实时算力",averagePower30m:"当前30m平均算力",averagePower24h:"当前24h平均算力",Company:"单位",historyPower:"矿池总览历史算力",start:"开始时间",start2:"格式yyyy-MM-dd 与end相差最多三个月",end:"结束时间",end2:"格式yyyy-MM-dd 与star相差最多三个月",historyPower30m:"30m平均算力历史记录",historyPower24h:"24h平均算力历史记录",miningAccount:"挖矿账号信息",minerData:"矿工数量数据",stateData:"矿工状态数据",minerId:"矿工号",minerStatus:"矿工状态",minerStatus0:"0 代表在线",minerStatus1:"1 代表离线",minerStatus2:"2 代表异常状态",overviewOfMiners:"挖矿账号下矿工总览",accountApiKey:"该API-KEY绑定账号下的挖矿账号名",allMiners:"挖矿账号下所有矿工",realTimeAccount:"挖矿账号实时算力",account24h:"挖矿账号历史24h平均算力",account24h30m:"挖矿账号最近24h算力(30m平均算力)",average24h30m:"最近24h的30m平均算力",miningMachineInformation:"矿机信息",realTimeMiningMachine:"指定矿机实时算力",aCertainMiner:"挖矿账户下对应的某矿工号",miningMachineHistory24h:"指定矿机历史24h平均算力",realTimeMiningMachine24h30m:"指定矿机最近24h算力(30m平均算力)"}},t.api_en={apiFile:{file:"M2pool API documentation",leftMenu:"API documentation V1",survey:"survey",survey1:"Users can obtain the computing power of mining pools and accounts through the API interface provided by m2pool.",survey2:"This document is mainly used to explain how to use the API interface of m2pool, including the generation of authentication tokens for the API, API interface calls, and the return of data structures. If fields not described in this document appear in the return value of API calls, it indicates that these fields are reserved or abandoned, please ignore them directly.",apiAuthentication:"API certification",apiAuthentication1:"When querying the API, it is necessary to provide a token produced by the account with corresponding permissions in order to obtain normal results. Users can access the m2pool personal center through",apiAuthentication2:"When requesting an API, place the token obtained earlier in the API-KEY attribute of the HTTP request header to complete authentication.",apiAuthentication3:"The IP address requested for the API must be consistent with the IP address used to obtain the API, and cannot be the IP address of the prohibited country/region declared by this website.",apiAuthentication4:"For example:",url:"Example URL",explain:"explain",explain1:"Get the details of a mining pool for a certain currency, including the number of online miners in the pool, the computing power of the mining pool in the past 7 days, the current computing power of the mining pool, the latest height of the mining pool, mining pool fees, and the minimum withdrawal amount of the mining pool",explain2:"Obtain historical computing power information for a certain currency. The maximum difference between start and end is 3 months",explain3:"When an error occurs, data in a unified format will be returned",explain4:"Error description",explain5:"When successful, return data in the agreed format. Please refer to the specific interface instructions for the specific fields of the data",explain6:"The coin field in the API currently only supports values such as nexa",miningPoolInformation:"Mining Pool Information",miningPoolInformation1:"Public Structure",miningPoolInformation2:"Computing power data",name:"name",type:"type",remarks:"remarks",powerStatistics:"Computing power statistics time",power:"Computing power",minersNum:"Number of miners data",totalMiners:"Total number of miners",onLineMiners:"Number of online miners",offLineMiners:"Number of offline miners",Explain:"explain",overviewOfMiningPool:"Overview of Mining Pool",jurisdiction:"Required permissions",parameter:"Request parameters",currency:"currency",response:"Response parameters",serviceCharge:"Mining pool handling fee",minimumPaymentAmount:"Minimum payment amount",latelyPower24h:"Last seven days' computing power (24-hour average)",Power24h:"Latest computing power of mining pool (24-hour average)",height:"The current height of the mining pool",currentMiners:"The current number of miners in the mining pool",eachState:"Number of miners in each state",realTimePower:"Real time computing power of mining pool",averagePower30m:"Current average computing power of 30m",averagePower24h:"Current 24-hour average computing power",Company:"Company",historyPower:"Overview of Mining Pool Historical Computing Power",start:"start time",start2:"Format yyyy MM dd differs from end by up to three months",end:"End time",end2:"Format yyyy MM dd differs from star by up to three months",historyPower30m:"30m average computing power historical record",historyPower24h:"24-hour average computing power history record",miningAccount:"Mining account information",minerData:"Number of miners data",stateData:"Miner status data",minerId:"Miner ID",minerStatus:"Miner status",minerStatus0:"0 represents online",minerStatus1:"1 represents offline",minerStatus2:"2 represents abnormal state",overviewOfMiners:"Overview of miners under mining accounts",accountApiKey:"The mining account name under the API-KEY bound account",allMiners:"All miners under the mining account",realTimeAccount:"Real time computing power of mining accounts",account24h:"24-hour average computing power of mining account history",account24h30m:"Mining account's computing power in the past 24 hours (average computing power of 30m)",average24h30m:"The average computing power of 30m in the past 24 hours",miningMachineInformation:"Mining machine information",realTimeMiningMachine:"Specify the real-time computing power of the mining machine",aCertainMiner:"The corresponding miner account under the mining account",miningMachineHistory24h:"Specify the average computing power of the mining machine in the past 24 hours",realTimeMiningMachine24h30m:"Designated mining machine's computing power in the past 24 hours (average computing power of 30m)",apiAuthentication5:"API page",apiAuthentication6:"Obtain (When requesting tokens, you can check the permissions according to your needs, and the optional permissions are public mining pool data query interface call permission, mining account data query interface call permission, and mining machine data query interface call permission)."}}},79613:function(e){e.exports="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAIoAAAAhCAMAAAAxgsN7AAAAM1BMVEVMaXH////////////////////////////////////////////////////////////////x7/yuAAAAEHRSTlMAYKAwECDwQIDA0HDgsFCQfHx6EQAAAAlwSFlzAAALEgAACxIB0t1+/AAAAihJREFUWIXFl9m2wyAIRR1wytD6/197VxQHFPtym5SnGozs6hGIEMKocL7EYGZ/hxBO/4LR81VzMRkuaew1OElIucVqQT6GcubR2fy6A7ks6GdQoATci1vGyW7bGILyKmEtLEnuYyEovobzhERdSoaXwuGk61tRoqkijsGUySgc22Rt3GTFOXvE0gOfUM46Vh04bN2eLQ7QJmHrY+UxG+ORH1Bi+g/Oxo1sIqQIR9kTTkpp08CynuulwL5kWJQ8N4czmyMouA+anO5o7pNH8B7Pouj8qFxo45O9XIqf77t8CEXkm1LFWU49s4XYxHI/Ch70G48EUVA0M0p3hJ6i+OZpU9OPMHoWKGLPD69LrKvKMGJ8FgXPJAgoWa3uEYn+BAo+Ve1KFuXkpADPoZQS3Uz2M9S0/o0oJHlZr/BV2UT0GEqfeBUIyDntnR/s8/p3otTMHVok1LBi1r8TBc/iaM0JlsK+PNb1MSP7QFGCr6YoyjF6Gor33lGUlMt8awdKqe0LdUXZe2n9M9vmPSMosO+1URFC2kEnBIXW/X+jRENRiKFgLW0mC8rQLGghNB/wUj/bPlx/UfejFQpgmjmGdr+g0PNJklSRsdaPjbYBeSesUMoHyDl+khWUvhs6VJ7lp2Ztwwslp+ZpQ002zwLFcTKhWvm+sShl94/QTP8CBdhDX1XmO1GAac9/g6L5m/cDFPY79RkUl4pCHUIrFINhGs6lp8vJ3zEhxB/YQnlvC83hegAAAABJRU5ErkJggg=="},83016:function(e,t){t.Yp=t.XX=void 0;t.XX=function(){var e=this,t=e._self._c;return t("div",{staticClass:"chat-widget"},[t("div",{staticClass:"chat-icon",class:{active:e.isChatOpen},attrs:{"aria-label":"打开客服聊天",tabindex:"0"},on:{click:e.toggleChat,keydown:[function(t){return!t.type.indexOf("key")&&e._k(t.keyCode,"enter",13,t.key,"Enter")?null:e.toggleChat.apply(null,arguments)},function(t){return!t.type.indexOf("key")&&e._k(t.keyCode,"space",32,t.key,[" ","Spacebar"])?null:e.toggleChat.apply(null,arguments)}]}},[t("i",{staticClass:"el-icon-chat-dot-round"}),e.unreadMessages>0?t("span",{staticClass:"unread-badge"},[e._v(e._s(e.unreadMessages))]):e._e()]),t("transition",{attrs:{name:"chat-slide"}},[t("div",{directives:[{name:"show",rawName:"v-show",value:e.isChatOpen,expression:"isChatOpen"}],staticClass:"chat-dialog"},[t("div",{staticClass:"chat-header"},[t("div",{staticClass:"chat-title"},[e._v(e._s(e.$t("chat.title")||"在线客服"))]),t("div",{staticClass:"chat-actions"},[t("i",{staticClass:"el-icon-minus",on:{click:e.minimizeChat}}),t("i",{staticClass:"el-icon-close",on:{click:e.closeChat}})])]),t("div",{ref:"chatBody",staticClass:"chat-body"},["connecting"===e.connectionStatus?t("div",{staticClass:"chat-status connecting"},[t("i",{staticClass:"el-icon-loading"}),t("p",[e._v("正在连接客服系统...")])]):"error"===e.connectionStatus?t("div",{staticClass:"chat-status error"},[t("i",{staticClass:"el-icon-warning"}),t("p",[e._v("连接失败,请稍后重试")]),t("button",{staticClass:"retry-button",on:{click:e.connectWebSocket}},[e._v("重试连接")])]):[0===e.messages.length?t("div",{staticClass:"chat-empty"},[e._v(" "+e._s(e.$t("chat.welcome")||"欢迎使用在线客服,请问有什么可以帮您?")+" ")]):e._e(),e._l(e.messages,(function(o,n){return t("div",{key:n,staticClass:"chat-message",class:{"chat-message-user":"user"===o.type,"chat-message-system":"system"===o.type}},[t("div",{staticClass:"message-avatar"},["system"===o.type?t("i",{staticClass:"el-icon-service"}):t("i",{staticClass:"el-icon-user"})]),t("div",{staticClass:"message-content"},[o.isImage?t("div",{staticClass:"message-image"},[t("img",{attrs:{src:o.imageUrl,alt:"聊天图片"},on:{click:function(t){return e.previewImage(o.imageUrl)}}})]):t("div",{staticClass:"message-text"},[e._v(e._s(o.text))]),t("div",{staticClass:"message-time"},[e._v(e._s(e.formatTime(o.time)))])])])}))]],2),t("div",{staticClass:"chat-footer"},[t("div",{staticClass:"chat-toolbar"},[t("label",{staticClass:"image-upload-label",class:{disabled:"connected"!==e.connectionStatus},attrs:{for:"imageUpload"}},[t("i",{staticClass:"el-icon-picture-outline"})]),t("input",{ref:"imageUpload",staticStyle:{display:"none"},attrs:{type:"file",id:"imageUpload",accept:"image/*",disabled:"connected"!==e.connectionStatus},on:{change:e.handleImageUpload}})]),t("input",{directives:[{name:"model",rawName:"v-model",value:e.inputMessage,expression:"inputMessage"}],staticClass:"chat-input",attrs:{type:"text",placeholder:e.$t("chat.inputPlaceholder")||"请输入您的问题...",disabled:"connected"!==e.connectionStatus},domProps:{value:e.inputMessage},on:{keyup:function(t){return!t.type.indexOf("key")&&e._k(t.keyCode,"enter",13,t.key,"Enter")?null:e.sendMessage.apply(null,arguments)},input:function(t){t.target.composing||(e.inputMessage=t.target.value)}}}),t("button",{staticClass:"chat-send",attrs:{disabled:"connected"!==e.connectionStatus||!e.inputMessage.trim()},on:{click:e.sendMessage}},[e._v(" "+e._s(e.$t("chat.send")||"发送")+" ")])]),e.showImagePreview?t("div",{staticClass:"image-preview-overlay",on:{click:e.closeImagePreview}},[t("div",{staticClass:"image-preview-container"},[t("img",{staticClass:"preview-image",attrs:{src:e.previewImageUrl}}),t("i",{staticClass:"el-icon-close preview-close",on:{click:e.closeImagePreview}})])]):e._e()])])],1)},t.Yp=[]},83536:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.serviceTerms_zh=t.serviceTerms_en=void 0;t.serviceTerms_zh={ServiceTerms:{title:"服务条款内容",title1:"一、总则",clauseTotal1:"1.欢迎访问 M2pool 矿池网站(以下简称“本网站”)。使用本网站的服务(以下简称“服务”),即表示您同意遵守以下服务条款(以下简称“条款”)。",clauseTotal2:"2.请仔细阅读以下条款,如果您点击 “注册 ”按钮或查看、使用这些服务,即视为您已阅读并同意本服务条款及其所有附加条款。如果你不接受服务条款的限制,请不要查看或使用服务。",clauseTotal3:"3.我们保留随时修改这些条款的权利,修改后的条款将在网站上公布。您继续使用服务即表示您接受修改后的条款。",clauseTotal4:"4.我们希望您能定期查看本条款,以确保您已确认适用于您查看和使用的条款和条件。本条款及附加条款可供您查看,并可用于使用我们提供的任何服务,包括但不限于以下网站:https://www.m2pool.com/(以下简称 “本网站”)。",title2:"二、服务说明",clauseService1:"1.我们的服务旨在为用户提供数字货币挖矿相关的资源和支持,但不保证挖矿的收益或成功。",clauseService2:"2.服务可能会因维护、升级或其他原因而暂时中断,我们将尽力提前通知用户,但不对此类中断造成的损失负责。",clauseService3:"3.M2Pool 不向以下司法管辖区的个人或实体提供服务:布隆迪、中非共和国、中国大陆、刚果、古巴、伊拉克、伊朗、朝鲜、黎巴嫩、利比亚、苏丹、索马里、南苏丹、叙利亚、也门和津巴布韦。",clauseService4:" 通过访问和使用 M2Pool 服务,您声明并保证您不位于、不在上述任何国家/地区设立或不是上述任何国家的居民。M2Pool 保留自行决定限制或拒绝某些国家/地区提供服务的权利。如果 M2Pool 确定(自行决定)用户是指定国家/地区的居民,M2Pool 可能会冻结或终止这些帐户。",title3:"三、用户资格",clauseUser1:"1.您必须达到法定年龄并具备完全民事行为能力才能使用本服务。",clauseUser2:"2.您保证所提供的注册信息真实、准确、完整,并及时更新,您可以使用电子邮件地址我们允许的其他方式登录 M2Pool。如果您提供的注册信息不正确,我们将不承担任何责任。您将遭受任何直接或间接的损失和不利后果。",clauseUser3:"3.您应是具有完全行为能力和民事权利能力的法人、公司或其他组织。否则,您或您的监护人应承担一切后果。我们有权注销或永久中止您的账户,并要求您赔偿。",title4:"四、用户责任",clauseResponsibility1:"1.您应遵守所有适用的国家法律、法规等规范性文件及本规则的规定和要求,包括但不限于与数字货币挖矿相关的法律。不违反社会公共利益或公共道德,不损害他人合法权益,不偷逃应纳税款,不违反本规定及相关规则。如果您违反上述承诺并产生任何法律后果,您应自行承担所有法律责任,并确保我们免受任何损失。",clauseResponsibility2:"2.您不得利用本服务从事任何非法、欺诈、有害或侵犯他人权利的活动。",clauseResponsibility3:"3.您对自己的挖矿设备和网络连接负责,确保其符合相关要求并正常运行。",clauseResponsibility4:"4.您必须对您的M2Pool用户名和密码以及在您的用户名、M2Pool密码下发生的所有活动(包括但不限于信息披露和发布、在线点击同意或提交各种规则和协议、在线协议续签或购买服务、账户设置等)的保密性负责。",clauseResponsibility5:"5.如果任何人未经认证使用您的M2pool邮箱、账号等登录本网站,我们不对您因违反本条款而造成的任何损失负责。",title5:"五、费用与支付",clausePayment1:"1.我们可能会根据服务内容收取一定的费用,具体费用标准将在网站上公布。",clausePayment2:"2.您同意按照规定的支付方式和时间支付费用,逾期未支付可能导致服务暂停或终止。",clausePayment3:"3.您在使用本服务时所产生的应纳税额以及所有硬件、软件、服务或其他方面的费用均由您自行承担。",title6:"六、收益与分配",clauseProfit1:"1.挖矿收益将根据我们的分配机制进行分配,但不保证收益的稳定性和固定性。",clauseProfit2:"2.我们有权根据实际情况调整分配机制,但会提前通知用户。",title7:"七、数据与隐私",clausePrivacy1:"1.我们会收集和使用您在使用服务过程中产生的相关数据,但会严格遵守隐私政策保护您的隐私。",clausePrivacy2:"2.您同意我们对数据的收集、使用和处理,以提供和改进服务。",title8:"八、知识产权",clausePropertyRight1:"1.本网站的所有内容,包括但不限于商标、版权、专利等,均归本公司或相关权利人所有。",clausePropertyRight2:"2.未经授权,您不得复制、修改、传播或使用本网站的任何知识产权。",title9:"九、免责声明",clauseDisclaimer1:"1.对于因不可抗力、系统故障、网络问题等导致的服务中断或数据丢失,我们不承担责任。",clauseDisclaimer2:"2.对于您因使用本服务而产生的任何直接、间接、偶然、特殊或后果性的损失,包括但不限于挖矿收益损失、设备损坏等,我们不承担赔偿责任。",title10:"十、终止服务",clauseTermination1:"1.我们有权在以下情况下终止您的服务:违反本条款、法律法规、损害本公司或其他用户的利益。",clauseTermination2:"2.服务终止后,您的相关数据可能会被删除或保留,具体处理方式将根据法律法规和公司政策执行。",title11:"十一、法律适用与争议解决",clauseLaw1:"1.本条款受新加坡法律的管辖。",clauseLaw2:"2.如发生争议,双方应通过友好协商解决;协商不成的,可向有管辖权的法院提起诉讼。"}},t.serviceTerms_en={ServiceTerms:{title:"Content of Service Terms",title1:"1、 General Provisions",clauseTotal1:'Welcome to the M2pool mining pool website (hereinafter referred to as "this website"). By using the services of this website (hereinafter referred to as the "Services"), you agree to comply with the following terms of service (hereinafter referred to as the "Terms").',clauseTotal2:'2. Please carefully read the following terms. If you click the "Register" button or view or use these services, it is deemed that you have read and agreed to these terms of service and all its additional terms. If you do not accept the limitations of the terms of service, please do not view or use the service.',clauseTotal3:"3. We reserve the right to modify these terms at any time, and the modified terms will be published on the website. By continuing to use the service, you accept the revised terms.",clauseTotal4:'4. We hope that you can regularly review these terms to ensure that you have confirmed the terms and conditions applicable to your viewing and use. These terms and additional terms are available for your review and can be used to use any services we provide, including but not limited to the following websites: https://www.m2pool.com/ (hereinafter referred to as "this website").',title2:"2、 Service Description",clauseService1:"Our service aims to provide users with resources and support related to cryptocurrency mining, but we do not guarantee the profits or success of mining.",clauseService2:"2. The service may be temporarily interrupted due to maintenance, upgrades, or other reasons. We will do our best to notify users in advance, but we are not responsible for any losses caused by such interruptions.",clauseService3:"3.M2Pool does not provide services to individuals or entities in the following jurisdictions: Burundi, Central African Republic, Chinese Mainland, Congo, Cuba, Iraq, Iran, North Korea, Lebanon, Libya, Sudan, Somalia, South Sudan, Syria, Yemen and Zimbabwe.",clauseService4:"By accessing and using the M2Pool service, you declare and warrant that you are not located, established, or a resident of any of the aforementioned countries/regions. M2Pool reserves the right to restrict or refuse services provided by certain countries/regions at its own discretion. If M2Pool determines (at its discretion) that the user is a resident of a specified country/region, M2Pool may freeze or terminate these accounts.",title3:"3、 User Qualification",clauseUser1:"1. You must be of legal age and have full capacity for civil conduct to use this service.",clauseUser2:"2. You guarantee that the registration information provided is true, accurate, complete, and updated in a timely manner. You can log in to M2Pool using other methods allowed by our email address. If the registration information you provide is incorrect, we will not be held responsible. You will suffer any direct or indirect losses and adverse consequences.",clauseUser3:"3. You should be a legal person, company, or other organization with full capacity for conduct and civil rights. Otherwise, you or your guardian shall bear all consequences. We have the right to cancel or permanently suspend your account and demand compensation from you.",title4:"4、 User Responsibility",clauseResponsibility1:"1. You shall comply with all applicable national laws, regulations and normative documents, as well as the provisions and requirements of these rules, including but not limited to laws related to digital currency mining. Not violating the public interest or public morality, not harming the legitimate rights and interests of others, not evading taxes, and not violating these regulations and related rules. If you violate the above commitments and incur any legal consequences, you shall bear all legal responsibilities on your own and ensure that we are free from any losses.",clauseResponsibility2:"2. You are not allowed to engage in any illegal, fraudulent, harmful, or infringing activities using this service.",clauseResponsibility3:"3. You are responsible for your mining equipment and network connection, ensuring that it meets relevant requirements and operates normally.",clauseResponsibility4:"4. You are responsible for the confidentiality of your M2Pool username and password, as well as all activities that occur under your username and M2Pool password (including but not limited to information disclosure and publication, online click to agree or submit various rules and agreements, online agreement renewal or purchase of services, account settings, etc.).",clauseResponsibility5:"5. If anyone uses your M2pool email, account, etc. to log in to this website without authentication, we will not be responsible for any losses caused by your violation of these terms.",title5:"5、 Fees and Payment",clausePayment1:"We may charge a certain fee based on the service content, and the specific fee standard will be announced on the website.",clausePayment2:"2. You agree to pay the fees according to the prescribed payment method and time. Failure to pay on time may result in the suspension or termination of the service.",clausePayment3:"3. The taxable amount and all hardware, software, service or other expenses incurred by you when using this service shall be borne by you.",title6:"6、 Income and distribution",clauseProfit1:"1. Mining profits will be distributed according to our distribution mechanism, but we do not guarantee the stability and stability of the profits.",clauseProfit2:"2. We have the right to adjust the allocation mechanism according to the actual situation, but we will notify users in advance.",title7:"7、 Data and Privacy",clausePrivacy1:"1. We will collect and use relevant data generated during your use of the service, but we will strictly comply with the privacy policy to protect your privacy.",clausePrivacy2:"2. You agree to our collection, use, and processing of data to provide and improve services.",title8:"8、 Intellectual Property",clausePropertyRight1:"All content on this website, including but not limited to trademarks, copyrights, patents, etc., belongs to our company or relevant rights holders.",clausePropertyRight2:"2. Without authorization, you are not allowed to copy, modify, disseminate or use any intellectual property of this website.",title9:"9、 Disclaimer",clauseDisclaimer1:"We are not responsible for service interruptions or data loss caused by force majeure, system failures, network issues, etc.",clauseDisclaimer2:"2. We are not liable for any direct, indirect, incidental, special or consequential losses incurred by you as a result of using this service, including but not limited to mining revenue loss, equipment damage, etc.",title10:"10、 Termination of Service",clauseTermination1:"We have the right to terminate your service in the following circumstances: violation of these terms, laws and regulations, or damage to the interests of our company or other users.",clauseTermination2:"After the termination of the service, your relevant data may be deleted or retained, and the specific processing method will be implemented in accordance with laws, regulations, and company policies.",title11:"11、 Application of Law and Dispute Resolution",clauseLaw1:"1. This clause is governed by the laws of Singapore.",clauseLaw2:"2. In the event of a dispute, both parties shall resolve it through friendly consultation; If the negotiation fails, a lawsuit may be filed with a court with jurisdiction."}}},84441:function(e,t,o){e.exports=o.p+"img/客服.b3d473b9.svg"},85857:function(e,t,o){e.exports=o.p+"img/mona.643bf599.svg"},87349:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.userLang_zh=t.userLang_en=void 0;t.userLang_zh={user:{login:"登 录",register:"去注册",Account:"邮箱",password:"密码",forgotPassword:"忘记密码",inputAccount:"请输入账号",inputPassword:"请输入密码",inputEmail:"请输入邮箱",accountReminder:"请确认账号输入格式是否正确(以字母开头,允许使用字母、数字、下划线,长度不小于3,不大于16位)",PasswordReminder:"请确认密码格式输入正确(应包含大小写字母、数字和特殊字符,长度不小于8,不大于32位)",loginSuccess:"登录成功",inputCode:"请输入验证码",noPage:" 对不起,您正在寻找的页面不存在。尝试检查URL的错误,然后按浏览器上的刷新按钮或尝试在我们的应用程序中找到其他内容。",canTFind:"找不到网页!",verificationCode:"验证码",obtainVerificationCode:"获取验证码",again:"s后重新获取",newUser:"新用户注册",confirmPassword:"确认密码",havingAnAccount:"已有账号?",loginExpired:"登录状态已过期",overduePrompt:"系统提示",Home:"首 页",signOut:"退出登录",codeSuccess:"已发送验证码",emailVerification:"请检查邮箱是否输入正确",passwordVerification:"用户密码长度必须介于 8 和 32 之间",secondaryPassword:"请再次输入您的密码",passwordFormat:"请确认密码格式输入正确",system:"系统提示",congratulations:"恭喜您的账号 注册成功!",passwordPrompt:"密码应包含大小写字母、数字和特殊字符,长度不小于8,不大于32位",verificationCodeSuccessful:"验证码发送成功",noAccount:"没有账号?",resetPassword:"重置密码",newPassword:"确认密码",changePassword:"修改密码",returnToLogin:"返回登录",confirmPassword2:"确认两次密码输入一致",modifiedSuccessfully:"密码修改成功,请登录",verificationEnabled:"已开启验证",newPassword2:"新密码"}},t.userLang_en={user:{login:"Login",register:"Sign Up",Account:"Email",password:"Password",forgotPassword:"Forgot password",inputAccount:"Please enter an account",inputPassword:"Please enter the password",inputEmail:"Please enter your email address",accountReminder:"Please confirm if the account input format is correct (starting with a letter, allowing letters, numbers, and underscores, with a length of no less than 3 and no more than 16 digits)",PasswordReminder:"Please confirm that the password format is entered correctly (it should include uppercase and lowercase letters, numbers, and special characters, with a length of no less than 8 and no more than 32 bits)",loginSuccess:"Login successful",inputCode:"Please enter the verification code",noPage:" Sorry, the page you are looking for does not exist. Try checking for errors in the URL, then press the refresh button on the browser or try to find other content in our application.",canTFind:"Unable to find webpage!",verificationCode:"Code",obtainVerificationCode:"Obtain Code",again:"s again",newUser:"New user registration",confirmPassword:"Confirm password",havingAnAccount:"Existing account?",loginExpired:"Login status has expired",overduePrompt:"System prompt",Home:"Home",signOut:"Sign out",codeSuccess:"Verification code has been sent",emailVerification:"Please check if the email is entered correctly",passwordVerification:"Password length must be between 8 and 32",secondaryPassword:"Please enter your password again",passwordFormat:"Please confirm that the password format is entered correctly",system:"System prompt",congratulations:"Congratulations on the successful registration of your account!",passwordPrompt:"password Contains uppercase and lowercase letters, numbers, and special characters,Length not less than 8 and not more than 32",verificationCodeSuccessful:"Verification code sent successfully",noAccount:"Don't have an account?",resetPassword:"Reset Password",newPassword:"Confirm password",changePassword:"Change Password",returnToLogin:"Return to login",confirmPassword2:"Confirm that the two password inputs are consistent",modifiedSuccessfully:"Password changed successfully, please log in",verificationEnabled:"Verification enabled",newPassword2:"New Password"}}},87596:function(e,t,o){e.exports=o.p+"img/LOGO.8ae69378.svg"},88623:function(e,t){t.Yp=t.XX=void 0;t.XX=function(){var e=this,t=e._self._c;return t("div",{attrs:{id:"app"}},[t("router-view",{staticClass:"page"})],1)},t.Yp=[]},90444:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.ChatWidget_zh=t.ChatWidget_en=void 0;t.ChatWidget_zh={chat:{title:"在线客服",welcome:"欢迎使用在线客服,请问有什么可以帮您?",placeholder:"请输入您的消息...",send:"发送",close:"关闭",inputPlaceholder:"请输入您的问题...",onlyImages:"只能上传图片文件!",imageTooLarge:"图片大小不能超过5MB!",imageReceived:"已收到您的图片,我们会尽快处理您的问题。"}},t.ChatWidget_en={chat:{title:"Online Customer Service",welcome:"Welcome to the online customer service, what can I help you with?",placeholder:"Please enter your message...",send:"Send",close:"Close",inputPlaceholder:"Please enter your question...",onlyImages:"Only image files can be uploaded!",imageTooLarge:"The image size cannot exceed 5MB!",imageReceived:"We have received your image, and we will handle your question as soon as possible."}}},90929:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.deleteEmail=c,t.getAddNoticeEmail=a,t.getCode=r,t.getList=s,t.getUpdateInfo=l;var i=n(o(35720));function a(e){return(0,i.default)({url:"pool/notice/addNoticeEmail",method:"post",data:e})}function r(e){return(0,i.default)({url:"pool/notice/getCode",method:"post",data:e})}function s(e){return(0,i.default)({url:"pool/notice/getList",method:"post",data:e})}function l(e){return(0,i.default)({url:"pool/notice/updateInfo",method:"post",data:e})}function c(e){return(0,i.default)({url:"pool/notice/deleteEmail",method:"delete",data:e})}},91621:function(e,t,o){e.exports=o.p+"img/personal.dccd7ff6.svg"},92540:function(e,t,o){o.r(t),o.d(t,{__esModule:function(){return i.B},default:function(){return l}});var n=o(88623),i=o(45732),a=i.A,r=o(81656),s=(0,r.A)(a,n.XX,n.Yp,!1,null,null,null),l=s.exports},94045:function(e,t,o){e.exports=o.p+"img/DGB.12066a7e.svg"},94158:function(e,t,o){e.exports=o.p+"img/rxd.e5ec03d4.png"},95194:function(e,t,o){e.exports=o.p+"img/currency-nexa.8d3a28b9.png"},97390:function(e,t){t.Yp=t.XX=void 0;t.XX=function(){var e=this,t=e._self._c;return t("transition",{attrs:{name:"fade"}},[t("div",{directives:[{name:"show",rawName:"v-show",value:e.showTooltip,expression:"showTooltip"}],ref:"tooltip",staticClass:"m-tooltip",style:`max-width: ${e.maxWidth}PX; top: ${e.top}PX; left: ${e.left}PX;`,on:{mouseenter:e.onShow,mouseleave:e.onHide}},[t("div",{staticClass:"u-tooltip-content"},[e._t("default",(function(){return[e._v("暂无内容")]}))],2),t("div",{staticClass:"u-tooltip-arrow"})])])},t.Yp=[]}}]); \ No newline at end of file diff --git a/mining-pool/test/js/app-42f9d7e6.17cb0808.js.gz b/mining-pool/test/js/app-42f9d7e6.17cb0808.js.gz new file mode 100644 index 0000000..25c1317 Binary files /dev/null and b/mining-pool/test/js/app-42f9d7e6.17cb0808.js.gz differ diff --git a/mining-pool/test/js/app-5c551db8.2b99b68c.js b/mining-pool/test/js/app-5c551db8.2b99b68c.js new file mode 100644 index 0000000..5cd8eb2 --- /dev/null +++ b/mining-pool/test/js/app-5c551db8.2b99b68c.js @@ -0,0 +1 @@ +"use strict";(self["webpackChunkmining_pool"]=self["webpackChunkmining_pool"]||[]).push([[774],{9526:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.loadingRecoveryDirective=void 0;var r=n(o(66848));const a=t.loadingRecoveryDirective={inserted(e,t,o){const n=o.context,{loading:r,recovery:a}=t.value||{};if(!r||!a||!Array.isArray(a))return;const i=()=>{n[r]&&(n[r]=!1)};e._loadingRecovery=i,window.addEventListener("network-retry-complete",i),console.log(`[LoadingRecovery] 添加加载状态恢复: ${r}`)},unbind(e){e._loadingRecovery&&(window.removeEventListener("network-retry-complete",e._loadingRecovery),delete e._loadingRecovery)}};r.default.directive("loading-recovery",a)},19526:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;t["default"]={401:"认证失败,无法访问系统资源,请重新登录",403:"当前操作没有权限",404:"访问资源不存在",default:"系统未知错误,请反馈给管理员"}},35720:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,o(44114),o(18111),o(7588);var r=n(o(86425)),a=n(o(19526)),i=o(89143),s=n(o(84994)),l=n(o(37465));const d=r.default.create({baseURL:"https://test.m2pool.com/api/",timeout:1e4}),c=6e4;let u=new Map,m={online:0,offline:0},p=!1;window.addEventListener("online",(()=>{const e=Date.now();if(p)return void console.log("[网络] 网络恢复处理已在进行中,忽略重复事件");if(p=!0,e-m.online>3e4){m.online=e;try{window.vm&&window.vm.$message&&(window.vm.$message({message:window.vm.$i18n.t("home.networkReconnected")||"网络已重新连接,正在恢复数据...",type:"success",duration:5e3,showClose:!0}),console.log("[网络] 显示网络恢复提示, 时间:",(new Date).toLocaleTimeString()))}catch(o){console.error("[网络] 显示网络恢复提示失败:",o)}}else console.log("[网络] 抑制重复的网络恢复提示, 间隔过短:",e-m.online+"ms");const t=[];u.forEach((async(o,n)=>{if(e-o.timestamp<=c)try{const e=await d(o.config);t.push(e),o.callback&&"function"===typeof o.callback&&o.callback(e),window.vm&&(o.config.url.includes("getPoolPower")&&e&&e.data?window.dispatchEvent(new CustomEvent("chart-data-updated",{detail:{type:"poolPower",data:e.data}})):o.config.url.includes("getNetPower")&&e&&e.data?window.dispatchEvent(new CustomEvent("chart-data-updated",{detail:{type:"netPower",data:e.data}})):o.config.url.includes("getBlockInfo")&&e&&e.rows&&window.dispatchEvent(new CustomEvent("chart-data-updated",{detail:{type:"blockInfo",data:e.rows}}))),u.delete(n)}catch(r){console.error("重试请求失败:",r),u.delete(n)}else u.delete(n)})),Promise.allSettled(t).then((()=>{if(s.default&&s.default.resetAllLoadingStates(),window.vm){const e=["minerChartLoading","reportBlockLoading","apiPageLoading","MiningLoading","miniLoading"];e.forEach((e=>{"undefined"!==typeof window.vm[e]&&(window.vm[e]=!1)}))}window.dispatchEvent(new CustomEvent("network-retry-complete")),setTimeout((()=>{p=!1}),5e3)}))})),window.addEventListener("offline",(()=>{window.vm&&window.vm.$message&&l.default.canShowError("networkOffline")&&window.vm.$message({message:window.vm.$i18n.t("home.networkOffline")||"网络连接已断开,系统将在恢复连接后自动重试",type:"error",duration:5e3,showClose:!0})})),d.defaults.retry=2,d.defaults.retryDelay=2e3,d.defaults.shouldRetry=e=>"Network Error"===e.message||e.message.includes("timeout"),localStorage.setItem("superReportError","");let h=localStorage.getItem("superReportError");window.addEventListener("setItem",(()=>{h=localStorage.getItem("superReportError")})),d.interceptors.request.use((e=>{let t;h="",localStorage.setItem("superReportError","");try{t=JSON.parse(localStorage.getItem("token"))}catch(n){console.log(n)}if(t&&(e.headers["Authorization"]=t),"get"==e.method&&e.data&&(e.params=e.data),"get"===e.method&&e.params){let t=e.url+"?";for(const n of Object.keys(e.params)){const r=e.params[n];var o=encodeURIComponent(n)+"=";if(null!==r&&"undefined"!==typeof r)if("object"===typeof r){for(const e of Object.keys(r))if(null!==r[e]&&"undefined"!==typeof r[e]){let o=n+"["+e+"]",a=encodeURIComponent(o)+"=";t+=a+encodeURIComponent(r[e])+"&"}}else t+=o+encodeURIComponent(r)+"&"}t=t.slice(0,-1),e.params={},e.url=t}return e}),(e=>{Promise.reject(e)})),d.interceptors.response.use((e=>{const t=e.data.code||200,o=a.default[t]||e.data.msg||a.default["default"];return 421===t?(localStorage.removeItem("token"),h=localStorage.getItem("superReportError"),h||(h=421,localStorage.setItem("superReportError",h),i.MessageBox.confirm(window.vm.$i18n.t("user.loginExpired"),window.vm.$i18n.t("user.overduePrompt"),{distinguishCancelAndClose:!0,confirmButtonText:window.vm.$i18n.t("user.login"),cancelButtonText:window.vm.$i18n.t("user.Home"),closeOnClickModal:!1,showClose:!1,type:"warning"}).then((()=>{window.vm.$router.push("/login"),localStorage.removeItem("token")})).catch((()=>{window.vm.$router.push("/"),localStorage.removeItem("token")}))),Promise.reject("登录状态已过期")):t>=500&&!h?(h=500,localStorage.setItem("superReportError",h),void(0,i.Message)({dangerouslyUseHTMLString:!0,message:o,type:"error",showClose:!0})):200!==t?(i.Notification.error({title:o}),Promise.reject("error")):e.data}),(e=>{let{message:t}=e;if("Network Error"==t||t.includes("timeout"))if(navigator.onLine){if(e.config.__retryCount=e.config.__retryCount||0,e.config.__retryCount{setTimeout((()=>{t(d(e.config))}),d.defaults.retryDelay)}));console.log(`[请求失败] ${e.config.url} - 已达到最大重试次数`)}else{const t=JSON.stringify({url:e.config.url,method:e.config.method,params:e.config.params,data:e.config.data});let o=null;e.config.url.includes("getPoolPower")?o=e=>{window.vm&&(window.vm.minerChartLoading=!1)}:e.config.url.includes("getBlockInfo")&&(o=e=>{window.vm&&(window.vm.reportBlockLoading=!1)}),u.has(t)||(u.set(t,{config:e.config,timestamp:Date.now(),retryCount:0,callback:o}),console.log("请求已加入断网重连队列:",e.config.url))}return h||(h="error",localStorage.setItem("superReportError",h),l.default.canShowError(t)?"Network Error"==t?(0,i.Message)({message:window.vm.$i18n.t("home.NetworkError"),type:"error",duration:4e3,showClose:!0}):t.includes("timeout")?(0,i.Message)({message:window.vm.$i18n.t("home.requestTimeout"),type:"error",duration:5e3,showClose:!0}):t.includes("Request failed with status code")?(0,i.Message)({message:"系统接口"+t.substr(t.length-3)+"异常",type:"error",duration:5e3,showClose:!0}):(0,i.Message)({message:t,type:"error",duration:5e3,showClose:!0}):console.log("[错误提示] 已抑制重复错误:",t)),Promise.reject(e)}));t["default"]=d},37465:function(e,t,o){Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,o(18111),o(7588);class n{constructor(){this.recentErrors=new Map,this.throttleTime=3e3,this.errorTypes={"Network Error":"network",timeout:"timeout","Request failed with status code":"statusCode",networkReconnected:"networkStatus",NetworkError:"network"}}getErrorType(e){for(const[t,o]of Object.entries(this.errorTypes))if(e.includes(t))return o;return"unknown"}canShowError(e){const t=this.getErrorType(e),o=Date.now();if(this.recentErrors.has(t)){const e=this.recentErrors.get(t);if(o-e{e-t>this.throttleTime&&this.recentErrors.delete(o)}))}}const r=new n;t["default"]=r},39325:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,o(18111),o(13579);var r=n(o(91774)),a=n(o(66848)),i=n(o(22484)),s=n(o(22173)),l=o(89143),d=n(o(58044));a.default.use(i.default);const c=[{path:"",name:"Home",component:()=>Promise.resolve().then((()=>(0,r.default)(o(13147)))),meta:{title:"首页",description:d.default.t("seo.Home"),allAuthority:["all"],keywords:{en:"M2Pool, cryptocurrency mining pool, bitcoin mining, DGB mining, mining pool service, 加密货币矿池, 比特币挖矿, DGB挖矿, 矿池服务",zh:"M2Pool, 加密货币矿池, 比特币挖矿, DGB挖矿, 矿池服务"}}},{path:"miningAccount",name:"MiningAccount",component:()=>Promise.resolve().then((()=>(0,r.default)(o(30751)))),meta:{title:"挖矿账户页面",description:d.default.t("seo.miningAccount"),allAuthority:["admin","registered"],keywords:{en:"M2Pool mining account, crypto mining stats, mining rewards, hashrate monitor, 矿池账户, 挖矿收益, 算力监控",zh:"M2Pool 挖矿账户, 加密挖矿统计, 挖矿奖励, 算力监控, 矿池账户, 挖矿收益, 算力监控"}}},{path:"readOnlyDisplay",name:"ReadOnlyDisplay",component:()=>Promise.resolve().then((()=>(0,r.default)(o(61969)))),meta:{title:"只读页面展示页",description:d.default.t("seo.readOnlyDisplay"),allAuthority:["all"],keywords:{en:"Read only page,Revenue situation,Mining Pool,Miner information",zh:"M2Pool 矿池,只读页面,收益状况,矿工信息"}}},{path:"reportBlock",name:"ReportBlock",component:()=>Promise.resolve().then((()=>(0,r.default)(o(58437)))),meta:{title:"报块页面",description:d.default.t("seo.reportBlock"),allAuthority:["admin","registered"],keywords:{en:"Block page,Lucky Value,block height,Mining Pool",zh:"M2Pool 矿池,报块页面,幸运值,区块高度"}}},{path:"rate",name:"Rate",component:()=>Promise.resolve().then((()=>(0,r.default)(o(26445)))),meta:{title:"费率页面",description:d.default.t("seo.rate"),allAuthority:["all"],keywords:{en:"Mining Pool,Rate,Mining fee rate,Profit calculation",zh:"M2Pool 矿池,费率页面,挖矿费率,收益计算"}}},{path:"allocationExplanation",name:"AllocationExplanation",component:()=>Promise.resolve().then((()=>(0,r.default)(o(23389)))),meta:{title:"分配说明页面",description:d.default.t("seo.rate"),allAuthority:["all"],keywords:{en:"Allocation,Transfer,Mining Pool,Pool allocation,Transfer instructions",zh:"分配、转账说明,矿池分配,转账说明"}}},{path:"apiFile",name:"ApiFile",component:()=>Promise.resolve().then((()=>(0,r.default)(o(48818)))),meta:{title:"API文档页面",description:d.default.t("seo.apiFile"),allAuthority:["all"],keywords:{en:"API file,authentication token,Interface call",zh:"M2Pool 矿池,API 文档,认证 token,接口调用"}}},{path:"customerService",name:"CustomerService",component:()=>Promise.resolve().then((()=>(0,r.default)(o(79354)))),meta:{title:"在线客服",description:d.default.t("seo.apiFile"),allAuthority:["all"],keywords:{en:"API file,authentication token,Interface call",zh:"M2Pool 矿池,API 文档,认证 token,接口调用"}}},{path:"/:lang/AccessMiningPool",name:"AccessMiningPool",component:()=>Promise.resolve().then((()=>(0,r.default)(o(18079)))),meta:{title:"接入矿池页面",description:d.default.t("seo.allocationExplanation"),allAuthority:["all"],keywords:{en:"Access to Mining Pools,Coin Access,Mining Guide",zh:"M2Pool 矿池,接入矿池,币种接入,挖矿指南"}},children:[{path:"nexaAccess",name:"NexaAccess",component:()=>Promise.resolve().then((()=>(0,r.default)(o(27048)))),meta:{title:"nexa 挖矿页面",description:d.default.t("seo.nexaAccess"),allAuthority:["all"],keepAlive:!0,requiresAuth:!1,keywords:{en:"Nexa Access,Mining Tutorial",zh:"nexa,挖矿教程,Nexa接入,Nexa Access,Mining Tutorial"}}},{path:"rxdAccess",name:"RxdAccess",component:()=>Promise.resolve().then((()=>(0,r.default)(o(11874)))),meta:{title:"rxd 挖矿页面",description:d.default.t("seo.rxdAccess"),allAuthority:["all"],keywords:{en:"rxd Access,Radiant Access,Mining Tutorial,radiant",zh:"rxd,矿池挖矿教程,Radiant接入,"}}},{path:"monaAccess",name:"MonaAccess",component:()=>Promise.resolve().then((()=>(0,r.default)(o(76177)))),meta:{title:"mona 挖矿页面",description:d.default.t("seo.monaAccess"),allAuthority:["all"],keywords:{en:"Mona Access,MONA Access,Mining Tutorial",zh:"mona,挖矿教程,mona接入,"}}},{path:"grsAccess",name:"GrsAccess",component:()=>Promise.resolve().then((()=>(0,r.default)(o(61034)))),meta:{title:"grs 挖矿页面",description:d.default.t("seo.grsAccess"),allAuthority:["all"],keywords:{en:"GRS Access,grs Access,Mining Tutorial",zh:"GRS,Grs接入,GRS挖矿教程"}}},{path:"dgbqAccess",name:"DgbqAccess",component:()=>Promise.resolve().then((()=>(0,r.default)(o(85278)))),meta:{title:"Dgbq 挖矿页面",description:d.default.t("seo.dgbAccess"),allAuthority:["all"],keywords:{en:"Dgb(qubit) Access,DGB(qubit) Access,Mining Tutorial,DGB",zh:"Dgbq,dgb(qubit)接入,dgb(qubit)挖矿教程"}}},{path:"dgboAccess",name:"DgboAccess",component:()=>Promise.resolve().then((()=>(0,r.default)(o(31863)))),meta:{title:"Dgbo 挖矿页面",description:d.default.t("seo.dgbAccess"),allAuthority:["all"],keywords:{en:"Dgb(odocrypt) Access,DGB(odocrypt) Access,Mining Tutorial,DGB",zh:"dgbo,dgb(odocrypt)接入,dgb(odocrypt)挖矿教程"}}},{path:"dgbsAccess",name:"DgbsAccess",component:()=>Promise.resolve().then((()=>(0,r.default)(o(89350)))),meta:{title:"Dgbs 挖矿页面",description:d.default.t("seo.dgbAccess"),allAuthority:["all"],keywords:{en:"Dgb(skein) Access,DGB(skein) Access,Mining Tutorial,DGB",zh:"dgbs,dgb(skein)接入,dgb(skein)挖矿教程"}}},{path:"enxAccess",name:"EnxAccess",component:()=>Promise.resolve().then((()=>(0,r.default)(o(29808)))),meta:{title:" Entropyx(enx) 挖矿页面",description:d.default.t("seo.enxAccess"),allAuthority:["all"],keywords:{en:"Entropyx(Enx), enx,ENX,Mining Tutorial",zh:"Entropyx(enx)接入,Entropyx挖矿教程"}}},{path:"alphminingPool",name:"AlphminingPool",component:()=>Promise.resolve().then((()=>(0,r.default)(o(65035)))),meta:{title:" alephium 挖矿页面",description:d.default.t("seo.alphAccess"),allAuthority:["all"],keywords:{en:"alephium(alph), Alephium,Mining Tutorial",zh:"alephium(alph)接入,alephium挖矿教程"}}}]},{path:"ServiceTerms",name:"ServiceTerms",component:()=>Promise.resolve().then((()=>(0,r.default)(o(27609)))),meta:{title:"服务条款页面",description:d.default.t("seo.ServiceTerms"),allAuthority:["all"],keywords:{en:"Terms of Service, User Rights, Rights and Obligations",zh:"M2Pool 矿池,服务条款,用户权益,权利义务"}}},{path:"submitWorkOrder",name:"SubmitWorkOrder",component:()=>Promise.resolve().then((()=>(0,r.default)(o(16428)))),meta:{title:"提交工单页面",description:d.default.t("seo.submitWorkOrder"),allAuthority:["admin","registered"],keywords:{en:"Mining Pool,Work Order Submission, Technical Support, Troubleshooting",zh:"M2Pool 矿池,提交工单,技术支持,问题处理"}}},{path:"workOrderRecords",name:"WorkOrderRecords",component:()=>Promise.resolve().then((()=>(0,r.default)(o(18311)))),meta:{title:"工单记录页面(用户)",description:d.default.t("seo.workOrderRecords"),allAuthority:["admin","registered"],keywords:{en:"User Work Order Records, Processing Status, Issue Progress",zh:"M2Pool 矿池,用户工单记录,处理状态,问题进度"}}},{path:"userWorkDetails",name:"UserWorkDetails",component:()=>Promise.resolve().then((()=>(0,r.default)(o(71995)))),meta:{title:"工单详情页面(用户)",description:d.default.t("seo.userWorkDetails"),allAuthority:["admin","registered"],keywords:{en:"User Work Order Details, Problem Description, Additional Submissions",zh:"M2Pool 矿池,用户工单详情,问题描述,补充提交"}}},{path:"workOrderBackend",name:"WorkOrderBackend",component:()=>Promise.resolve().then((()=>(0,r.default)(o(26497)))),meta:{title:"工单管理页面(后台)",description:"M2Pool 矿池后台工单管理页面,供 M2Pool 管理员查看和管理用户提交的工单记录,确保问题及时处理,提升用户体验。",allAuthority:["admin"],keywords:{en:"Back-office work order management, user work orders, timely processing",zh:"M2Pool 矿池,后台工单管理,用户工单,及时处理"}}},{path:"BKWorkDetails",name:"BKWorkDetails",component:()=>Promise.resolve().then((()=>(0,r.default)(o(18244)))),meta:{title:"工单详情页面(后台)",description:"M2Pool 矿池后台工单详情页面,管理员可在此查看提交工单的详细情况,包括提交时间、详细问题描述以及处理过程,并通过本页面对该工单进行回复处理。",allAuthority:["admin"],keywords:{en:"Backend Work Order Details, Problem Handling, Responding to Work Orders",zh:"M2Pool 矿池,后台工单详情,问题处理,回复工单"}}},{path:"dataDisplay",name:"DataDisplay",component:()=>Promise.resolve().then((()=>(0,r.default)(o(81475)))),meta:{title:"数据展示页面",description:"M2Pool 矿池数据展示页面",allAuthority:["all"],keywords:{en:"Mining Pool,Data Display",zh:"M2Pool 矿池,数据展示"}}},{path:"alerts",name:"Alerts",component:()=>Promise.resolve().then((()=>(0,r.default)(o(63683)))),meta:{title:"警报通知",description:d.default.t("seo.alerts"),allAuthority:["admin","registered"],keywords:{en:"Mining Pool,Offline Alarm Setting,Mining Machine Offline",zh:"M2Pool 矿池,离线告警设置,矿机离线"}}},{path:"personalCenter",name:"PersonalCenter",component:()=>Promise.resolve().then((()=>(0,r.default)(o(66683)))),meta:{title:"个人中心页面",description:d.default.t("seo.personalCenter"),allAuthority:["admin","registered"],keywords:{en:"Personal Center,Mining Account,Read-Only Page Setup,Security Settings,API Key Generation",zh:"M2Pool 矿池,个人中心,挖矿账户,只读页面设置,安全设置,API密钥生成"}},children:[{path:"personalMining",name:"PersonalMining",component:()=>Promise.resolve().then((()=>(0,r.default)(o(4572)))),meta:{title:"挖矿账户设置页面",description:d.default.t("seo.personalMining"),allAuthority:["admin","registered"],keywords:{en:"Personal Center,Mining Account Settings,Coin Accounts",zh:"M2Pool 矿池,个人中心,挖矿账户设置,币种账户"}}},{path:"readOnly",name:"ReadOnly",component:()=>Promise.resolve().then((()=>(0,r.default)(o(7267)))),meta:{title:"只读页面设置",description:d.default.t("seo.readOnly"),allAuthority:["admin","registered"],keywords:{en:"Personal Center,Read-Only Page Setting,Mining Pool Sharing",zh:"M2Pool 矿池,个人中心,只读页面设置,矿池分享"}}},{path:"securitySetting",name:"SecuritySetting",component:()=>Promise.resolve().then((()=>(0,r.default)(o(51625)))),meta:{title:"安全设置页面",description:d.default.t("seo.securitySetting"),allAuthority:["admin","registered"],keywords:{en:"Security settings, password change",zh:"M2Pool 矿池,安全设置,密码修改"}}},{path:"personal",name:"personal",component:()=>Promise.resolve().then((()=>(0,r.default)(o(36155)))),meta:{title:"个人信息页面",description:d.default.t("seo.personal"),allAuthority:["admin","registered"],keywords:{en:"Personal Information, Login History",zh:"M2Pool 矿池,个人信息,登录历史"}}},{path:"miningReport",name:"MiningReport",component:()=>Promise.resolve().then((()=>(0,r.default)(o(65784)))),meta:{title:"挖矿报告页面",description:d.default.t("seo.miningReport"),allAuthority:["admin","registered"],keywords:{en:"Mining Report, Subscription Service",zh:"M2Pool 矿池,个人中心,挖矿报告,订阅服务"}}},{path:"personalAPI",name:"PersonalAPI",component:()=>Promise.resolve().then((()=>(0,r.default)(o(89175)))),meta:{title:"API页面",description:d.default.t("seo.personalAPI"),allAuthority:["admin","registered"],keywords:{en:"API Page,API Key Generation",zh:"M2Pool 矿池,个人中心,API 页面,API密钥生成"}}}]}],u=[{path:"/:lang/login",name:"Login",component:()=>Promise.resolve().then((()=>(0,r.default)(o(47547)))),meta:{title:"登录页面",description:"M2Pool 矿池登录页面",allAuthority:["all"],keywords:{en:"M2Pool Mining Pool,login page,account password",zh:"M2Pool 矿池,登录页面,账号密码,安全登录"}}},{path:"/:lang/register",name:"Register",component:()=>Promise.resolve().then((()=>(0,r.default)(o(36167)))),meta:{title:"注册页面",description:"M2Pool 矿池注册页面,新用户可在此便捷注册账号,加入 M2Pool 矿池大家庭。",allAuthority:["all"],keywords:{en:"M2Pool Mining Pool,register page,new user registration,account creation",zh:"M2Pool 矿池,注册页面,新用户注册,账号创建"}}},{path:"/:lang/simulation",name:"simulation",component:()=>Promise.resolve().then((()=>(0,r.default)(o(35936)))),meta:{title:"测试页面",description:"M2Pool 矿池测试页面,用于进行系统功能的模拟和测试,确保矿池稳定运行",allAuthority:["all"],keywords:{en:"M2Pool Mining Pool,test page,system test,stable operation",zh:"M2Pool 矿池,测试页面,系统测试,稳定运行"}}},{path:"/:lang/resetPassword",name:"ResetPassword",component:()=>Promise.resolve().then((()=>(0,r.default)(o(15510)))),meta:{title:"重置密码页面",description:"M2Pool 矿池重置密码页面,用户可在此修改矿池网站账号密码,保障账户安全。",allAuthority:["all"],keywords:{en:"M2Pool Mining Pool,reset password,modify password,account security",zh:"M2Pool 矿池,重置密码,修改密码,账户安全"}}},{path:"/:lang/404",component:()=>Promise.resolve().then((()=>(0,r.default)(o(91064)))),meta:{title:"404页面",description:"M2Pool 矿池 404 页面,当 URL 错误时将跳转至此页面,提示用户页面不存在。",allAuthority:["all"],keywords:{en:"M2Pool Mining Pool,404 page,page not found,error redirect",zh:"M2Pool 矿池,404 页面,页面不存在,错误跳转"}}}],m=[{path:"/:lang",component:s.default,beforeEnter:(e,t,o)=>{const n=e.params.lang,r=["zh","en"];return r.includes(n)?(d.default.locale!==n&&(d.default.locale=n,localStorage.setItem("lang",n)),o()):o(`/en${e.path}`)},children:c},{path:"/",redirect:()=>{const e=localStorage.getItem("lang")||"en";return`/${e}`}},...u,{path:"*",redirect:e=>{const t=localStorage.getItem("lang")||"en";return`/${t}/404`}}],p=new i.default({mode:"history",base:"/",routes:m,strict:!0});p.beforeEach(((e,t,o)=>{const n=e.params.lang;if(e.path.endsWith("/")&&e.path.length>1){const t=e.path.slice(0,-1);return o({path:t,query:e.query,hash:e.hash,params:e.params})}if(!n&&"/"!==e.path){const t=localStorage.getItem("lang")||"en";return o(`/${t}${e.path}`)}let r=localStorage.getItem("jurisdiction"),a=JSON.parse(r);localStorage.setItem("superReportError","");let i,s=document.getElementsByClassName("el-main")[0];s&&(s.scrollTop=0);try{i=JSON.parse(localStorage.getItem("token"))}catch(c){console.log(c)}if(i)e.path===`/${n}/login`||e.path===`/${n}/register`?o({path:`/${n}`}):e.meta.allAuthority&&"all"==e.meta.allAuthority[0]||a.roleKey&&e.meta.allAuthority&&e.meta.allAuthority.some((e=>e==a.roleKey))?o():(console.log(e.meta.allAuthority,e.path,"权限"),(0,l.Message)({showClose:!0,message:d.default.t("mining.jurisdiction"),type:"error"}));else{let t=[`/${n}/miningAccount`,`/${n}/workOrderRecords`,`/${n}/userWorkDetails`,`/${n}/submitWorkOrder`,`/${n}/workOrderBackend`,`/${n}/BKWorkDetails`];t.includes(e.path)||e.path.includes("personalCenter")?((0,l.Message)({showClose:!0,message:d.default.t("mining.logInFirst"),type:"error"}),o({path:`/${n}/login`})):o()}}));const h=i.default.prototype.push;i.default.prototype.push=function(e){return h.call(this,e).catch((e=>e))};t["default"]=p},49704:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.encryption=void 0;var r=n(o(47522));const a="MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQCwHkUfT2GAupZAL5DMnwETSywuPLIKUAR3hjhKvOls2u0YtIHlcfjhqGBfg0NEPi6Ig2GmK5KnjcdIppfNfBpSiJBEtMwM2E7WJbXBsYU0B4wB86XGW9fFQi0e8pGYvVbKvwP9MQeLnUC4xf2L+6Nw3xQZ9GAsE6GUJ4tUOSKK/QIDAQAB",i=e=>{const t=new r.default;t.setPublicKey(a);let o=t.encrypt(e);return o};t.encryption=i},54211:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,o(18111),o(7588);var r=n(o(84994));t["default"]={data(){return{componentId:this.$options.name||"unnamed-component"}},methods:{setLoading(e,t){this[e]=t,r.default.setLoading(this.componentId,e,t)},getLoading(e){return r.default.getLoading(this.componentId,e)}},mounted(){this._resetHandler=e=>{const{componentsToUpdate:t}=e.detail;t.forEach((e=>{e.componentId===this.componentId&&(this[e.stateKey]=!1)}))},window.addEventListener("reset-loading-states",this._resetHandler)},beforeDestroy(){window.removeEventListener("reset-loading-states",this._resetHandler);const e=r.default.resetComponentLoadingStates(this.componentId);e.forEach((e=>{this[e.stateKey]=!1}))}}},55129:function(e,t,o){var n=o(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var r=n(o(66848)),a=n(o(93518));r.default.use(a.default);t["default"]=new a.default.Store({state:{},getters:{},mutations:{},actions:{},modules:{}})},82908:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.$addStorageEvent=void 0,t.Debounce=n,t.getImageUrl=void 0,t.throttle=r;const o=function(e,t,o){if(1===e){var n=document.createEvent("StorageEvent");const e={setItem:function(e,t){localStorage.setItem(e,t),n.initStorageEvent("setItem",!1,!1,e,null,t,null,null),window.dispatchEvent(n)}};return e.setItem(t,o)}{n=document.createEvent("StorageEvent");const e={setItem:function(e,t){sessionStorage.setItem(e,t),n.initStorageEvent("setItem",!1,!1,e,null,t,null,null),window.dispatchEvent(n)}};return e.setItem(t,o)}};function n(e,t){let o=null;return function(){let n=this,r=arguments;clearTimeout(o),o=setTimeout((function(){e.apply(n,r)}),t)}}function r(e,t){let o,n,r;return function(){const a=this,i=arguments;o?(clearTimeout(n),n=setTimeout((function(){Date.now()-r>=t&&(e.apply(a,i),r=Date.now())}),Math.max(t-(Date.now()-r),0))):(e.apply(a,i),r=Date.now(),o=!0)}}t.$addStorageEvent=o;const a=e=>{const t="https://test.m2pool.com/";return e?e.startsWith("http")?e.replace("https://test.m2pool.com",t):`${t}${e.startsWith("/")?"":"/"}${e}`:""};t.getImageUrl=a},84403:function(e,t,o){Object.defineProperty(t,"__esModule",{value:!0}),t.line=t.bar=void 0;o(3574);t.line={legend:{right:100,formatter:function(e){return e}},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:["Mon","Tue","Wed","Thu","Fri","Sat","Sun"]},yAxis:[{position:"left",type:"value"},{position:"right",splitNumber:"5",show:!0},{position:"right",splitNumber:"5",show:!1},{position:"right",splitNumber:"5",show:!1}],dataZoom:[{type:"inside",start:10,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:10,end:100}],series:[{name:"line",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},data:[150,230,224,218,135,147,260]}]},t.bar={tooltip:{trigger:"axis",axisPointer:{type:"shadow"}},grid:{left:"3%",right:"4%",bottom:"3%",containLabel:!0},xAxis:[{type:"category",data:["Mon","Tue","Wed","Thu","Fri","Sat","Sun"],axisTick:{alignWithLabel:!0}}],yAxis:[{type:"value",show:!0}],series:[{name:"Direct",type:"bar",barWidth:"60%",data:[10,52,200,334,390,330,220],itemStyle:{borderRadius:[100,100,0,0],color:"#7645EE"}}]}},84994:function(e,t,o){Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,o(44114),o(18111),o(7588);class n{constructor(){this.loadingStates=new Map,this.setupListeners()}setupListeners(){window.addEventListener("network-retry-complete",(()=>{this.resetAllLoadingStates()}))}setLoading(e,t,o){const n=`${e}:${t}`;this.loadingStates.set(n,{value:o,timestamp:Date.now()})}getLoading(e,t){const o=`${e}:${t}`,n=this.loadingStates.get(o);return!!n&&n.value}resetAllLoadingStates(){const e=[];this.loadingStates.forEach(((t,o)=>{if(!0===t.value){const[t,n]=o.split(":");e.push({componentId:t,stateKey:n}),this.loadingStates.set(o,{value:!1,timestamp:Date.now()})}})),window.dispatchEvent(new CustomEvent("reset-loading-states",{detail:{componentsToUpdate:e}}))}resetComponentLoadingStates(e){const t=[];return this.loadingStates.forEach(((o,n)=>{if(n.startsWith(`${e}:`)&&!0===o.value){const o=n.split(":")[1];t.push({componentId:e,stateKey:o}),this.loadingStates.set(n,{value:!1,timestamp:Date.now()})}})),t}}const r=new n;t["default"]=r},98986:function(e,t,o){Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,o(44114),o(18111),o(7588);t["default"]={data(){return{recoveryMethods:[],methodParams:{}}},methods:{registerRecoveryMethod(e,t){"function"!==typeof this[e]||this.recoveryMethods.includes(e)||(this.recoveryMethods.push(e),this.methodParams[e]=t,console.log(`[NetworkRecovery] 注册方法: ${e}`))},updateMethodParams(e,t){this.recoveryMethods.includes(e)&&(this.methodParams[e]=t)},handleNetworkRecovery(){console.log("[NetworkRecovery] 网络已恢复,正在刷新数据..."),this.recoveryMethods.forEach((e=>{if("function"===typeof this[e]){const t=this.methodParams[e];console.log(`[NetworkRecovery] 重新调用方法: ${e}`),this[e](t)}}))}},mounted(){window.addEventListener("network-retry-complete",this.handleNetworkRecovery)},beforeDestroy(){window.removeEventListener("network-retry-complete",this.handleNetworkRecovery)}}}}]); \ No newline at end of file diff --git a/mining-pool/test/js/app-5c551db8.2b99b68c.js.gz b/mining-pool/test/js/app-5c551db8.2b99b68c.js.gz new file mode 100644 index 0000000..3514263 Binary files /dev/null and b/mining-pool/test/js/app-5c551db8.2b99b68c.js.gz differ diff --git a/mining-pool/test/js/app-72600b29.6b68c3d1.js b/mining-pool/test/js/app-72600b29.6b68c3d1.js new file mode 100644 index 0000000..6f7f6e4 --- /dev/null +++ b/mining-pool/test/js/app-72600b29.6b68c3d1.js @@ -0,0 +1 @@ +"use strict";(self["webpackChunkmining_pool"]=self["webpackChunkmining_pool"]||[]).push([[545],{7330:function(t,i,e){var a=e(91774)["default"];Object.defineProperty(i,"__esModule",{value:!0}),i["default"]=void 0,e(44114),e(18111),e(22489),e(20116),e(7588);var s=a(e(3574)),n=e(22327),o=e(82908);i["default"]={data(){return{activeName:"power",option:{legend:{right:100,show:!0,formatter:function(t){return t}},grid:{},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,formatter:function(t){var i;i=t[0].axisValueLabel;for(let e=0;e<=t.length-1;e++)"Rejection rate"==t[e].seriesName||"拒绝率"==t[e].seriesName?i+=`
    ${t[e].marker} ${t[e].seriesName}      ${t[e].value}%`:i+=`
    ${t[e].marker} ${t[e].seriesName}      ${t[e].value}`;return i},axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:[]},yAxis:[{position:"left",type:"value",name:"GH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",splitNumber:"5",show:!0,min:0,max:100,splitLine:{show:!1}}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2},{type:"inside",start:0,end:100}],series:[{name:"总算力",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[],yAxisIndex:1}]},barOption:{tooltip:{trigger:"axis",axisPointer:{type:"shadow"}},grid:{left:"3%",right:"8%",bottom:"3%",containLabel:!0},xAxis:[{name:"MH/s",type:"category",data:[],axisTick:{alignWithLabel:!0}}],yAxis:[{type:"value",show:!0,name:"Pcs",nameTextStyle:{padding:[0,0,0,-25]}}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"count",type:"bar",barWidth:"60%",data:[],itemStyle:{borderRadius:[100,100,0,0],color:"#7645EE"}}]},miniOption:{legend:{right:100,show:!1,formatter:function(t){return t}},grid:{left:"5%",containLabel:!0},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,formatter:function(t){var i;i=t[0].axisValueLabel;for(let e=0;e<=t.length-1;e++)"Rejection rate"==t[e].seriesName||"拒绝率"==t[e].seriesName?i+=`
    ${t[e].marker} ${t[e].seriesName}      ${t[e].value}%`:i+=`
    ${t[e].marker} ${t[e].seriesName}      ${t[e].value}`;return i},axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},axisLabel:{},data:["07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1"]},yAxis:[{position:"left",type:"value",name:"MH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",splitNumber:"5",show:!0,splitLine:{show:!1}},{position:"right",splitNumber:"5",show:!1},{position:"right",splitNumber:"5",show:!1}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"Computational power",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63],yAxisIndex:1}]},onLineOption:{legend:{right:100,show:!1,formatter:function(t){return t}},grid:{left:"5%",containLabel:!0},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,formatter:function(t){var i;return i=t[0].axisValueLabel,i+=`
    ${t[0].marker} ${t[0].seriesName}     ${t[0].value}\n
    ${t[1].marker} ${t[1].seriesName}     ${t[1].value}% \n `,i},axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:["07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1"]},yAxis:[{position:"left",type:"value",name:"MH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",splitNumber:"5",show:!0},{position:"right",splitNumber:"5",show:!1},{position:"right",splitNumber:"5",show:!1}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"Computational power",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63],yAxisIndex:1}]},OffLineOption:{legend:{right:100,show:!1,formatter:function(t){return t}},grid:{left:"5%",containLabel:!0},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,formatter:function(t){var i;return i=t[0].axisValueLabel,i+=`
    ${t[0].marker} ${t[0].seriesName}     ${t[0].value}\n
    ${t[1].marker} ${t[1].seriesName}     ${t[1].value}% \n `,i},axisPointer:{animation:!1,snap:!0,label:{precision:2},type:"cross",crossStyle:{width:.5},lineStyle:{}}},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:["07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1","07-1"]},yAxis:[{position:"left",type:"value",name:"MH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",splitNumber:"5",show:!0,splitLine:{show:!1}}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"Computational power",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new s.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[12,15,8,3,6,9,78,12,63],yAxisIndex:1}]},sunTabActiveName:"all",Accordion:"",currentPage:1,params:{account:"lx888",coin:"grs"},PowerParams:{account:"lx888",coin:"grs",interval:"rt"},PowerDistribution:{account:"lx888",coin:"grs",interval:"rt"},MinerListParams:{account:"lx888",coin:"grs",type:"0",filter:"",limit:50,page:1,sort:"30m",collation:"asc"},activeName2:"power",IncomeParams:{account:"lx888",coin:"grs",limit:10,page:1},OutcomeParams:{account:"lx888",coin:"grs",limit:10,page:1},MinerAccountData:{},MinerListData:{},intervalList:[{value:"rt",label:"home.realTime"},{value:"1d",label:"home.day"}],HistoryIncomeData:[],HistoryOutcomeData:[],currentPageIncome:1,MinerListTableData:[],AccountPowerDistributionintervalList:[{value:"rt",label:"home.realTime"},{value:"1d",label:"home.day"}],miniLoading:!1,search:"",input2:"",timeActive:"rt",barActive:"rt",powerChartLoading:!1,barChartLoading:!1,miniChartParams:{miner:"",coin:"grs"},ids:"smallChart107fx61",activeMiner:"",miniId:"",MinerListLoading:!1,miner:"miner",accountId:"",currentPageMiner:1,minerTotal:0,accountItem:{},HistoryIncomeTotal:0,HistoryOutcomeTotal:0,stateList:[{value:"1",label:"mining.onLine"},{value:"2",label:"mining.offLine"}],Sort30:"asc",Sort1h:"asc",paymentStatusList:[{value:0,label:"mining.paymentInProgress"},{value:1,label:"mining.paymentCompleted"}],lang:"zh"}},computed:{sortedMinerListTableData(){return this.MinerListTableData?[...this.MinerListTableData].sort(((t,i)=>{const e=String(t.status),a=String(i.status);return"2"===e&&"2"!==a?-1:"2"!==e&&"2"===a?1:0})):[]}},watch:{$route(t,i){this.accountItem=JSON.parse(localStorage.getItem("accountItem")),this.accountId=this.accountItem.id,this.params.account=this.accountItem.ma,this.params.coin=this.accountItem.coin,this.PowerParams.account=this.accountItem.ma,this.PowerParams.coin=this.accountItem.coin,this.PowerDistribution.account=this.accountItem.ma,this.PowerDistribution.coin=this.accountItem.coin,this.MinerListParams.account=this.accountItem.ma,this.MinerListParams.coin=this.accountItem.coin,this.OutcomeParams.account=this.accountItem.ma,this.OutcomeParams.coin=this.accountItem.coin,this.IncomeParams.account=this.accountItem.ma,this.IncomeParams.coin=this.accountItem.coin,this.getMinerAccountInfoData(this.params),this.getMinerAccountPowerData(this.PowerParams),this.getAccountPowerDistributionData(this.PowerDistribution),this.getMinerListData(this.MinerListParams),this.getHistoryIncomeData(this.IncomeParams),this.getHistoryOutcomeData(this.OutcomeParams)},"$i18n.locale":{handler(t){location.reload()}}},mounted(){this.lang=this.$i18n.locale,this.accountItem=JSON.parse(localStorage.getItem("accountItem")),this.accountId=this.accountItem.id,this.params.account=this.accountItem.ma,this.params.coin=this.accountItem.coin,this.PowerParams.account=this.accountItem.ma,this.PowerParams.coin=this.accountItem.coin,this.PowerDistribution.account=this.accountItem.ma,this.PowerDistribution.coin=this.accountItem.coin,this.MinerListParams.account=this.accountItem.ma,this.MinerListParams.coin=this.accountItem.coin,this.OutcomeParams.account=this.accountItem.ma,this.OutcomeParams.coin=this.accountItem.coin,this.IncomeParams.account=this.accountItem.ma,this.IncomeParams.coin=this.accountItem.coin,this.$isMobile&&(this.option.yAxis[1].show=!1,this.option.grid.left="16%",this.option.grid.right="5%",this.option.grid.top="10%",this.option.grid.bottom="45%",this.option.legend.bottom=18,this.option.legend.right="30%",this.option.xAxis.axisLabel={interval:8,rotate:70},this.barOption.grid.right="16%",this.miniOption.yAxis[1].show=!1),this.getMinerAccountInfoData(this.params),this.getMinerAccountPowerData(this.PowerParams),this.getAccountPowerDistributionData(this.PowerDistribution),this.getMinerListData(this.MinerListParams),this.getHistoryIncomeData(this.IncomeParams),this.getHistoryOutcomeData(this.OutcomeParams),this.registerRecoveryMethod("getMinerAccountInfoData",this.params),this.registerRecoveryMethod("getMinerAccountPowerData",this.PowerParams),this.registerRecoveryMethod("getAccountPowerDistributionData",this.PowerDistribution),this.registerRecoveryMethod("getMinerListData",this.MinerListParams),this.registerRecoveryMethod("getHistoryIncomeData",this.IncomeParams),this.registerRecoveryMethod("getHistoryOutcomeData",this.OutcomeParams)},methods:{inCharts(){this.myChart=s.init(document.getElementById("powerChart")),this.option.series[0].name=this.$t("home.finallyPower"),this.option.series[1].name=this.$t("home.rejectionRate"),this.myChart.setOption(this.option),window.addEventListener("resize",(0,o.throttle)((()=>{this.myChart&&this.myChart.resize()}),200))},smallInCharts(t){this.$isMobile&&(this.miniOption.yAxis[1].show=!1),t.series[0].name=this.$t("home.minerSComputingPower"),t.series[1].name=this.$t("home.rejectionRate"),this.miniChart.setOption(t,!0),window.addEventListener("resize",(0,o.throttle)((()=>{this.miniChart&&this.miniChart.resize()}),200))},barInCharts(){null==this.barChart&&(this.barChart=s.init(document.getElementById("barChart"))),this.barOption.series[0].name=this.$t("home.numberOfMiningMachines"),this.barChart.setOption(this.barOption),window.addEventListener("resize",(0,o.throttle)((()=>{this.barChart&&this.barChart.resize()}),200))},async getMinerAccountInfoData(t){const i=await(0,n.getMinerAccountInfo)(t);this.MinerAccountData=i.data},async getMinerAccountPowerData(t){this.setLoading("powerChartLoading",!0);const i=await(0,n.getMinerAccountPower)(t);if(!i)return this.setLoading("powerChartLoading",!1),void(this.myChart&&this.myChart.dispose());let e=i.data,a=[],s=[],o=[];e.forEach((i=>{i.date.includes("T")&&"rt"==t.interval?i.date=`${i.date.split("T")[0]} ${i.date.split("T")[1].split(".")[0]}`:i.date.includes("T")&&"1d"==t.interval&&(i.date=i.date.split("T")[0]),a.push(i.date),s.push(i.pv.toFixed(2)),o.push((100*i.rejectRate).toFixed(4))}));let r=Math.max(...o);r=Math.round(3*r),r>0&&(this.option.yAxis[1].max=r),this.option.xAxis.data=a,this.option.series[0].data=s,this.option.series[1].data=o,this.inCharts(),this.setLoading("powerChartLoading",!1)},async getAccountPowerDistributionData(t){this.setLoading("barChartLoading",!0);const i=await(0,n.getAccountPowerDistribution)(t);let e=i.data,a=[],s=[];e.forEach((t=>{a.push(`${t.low}-${t.high}`),s.push(t.count)})),this.barOption.xAxis[0].data=a,this.barOption.series[0].data=s,this.barInCharts(),this.setLoading("barChartLoading",!1)},formatNumber(t){const i=Math.floor(t),e=Math.floor(100*(t-i));return`${i}.${String(e).padStart(2,"0")}`},async getMinerListData(t){this.setLoading("MinerListLoading",!0);const i=await(0,n.getMinerList)(t);i&&200==i.code&&(this.MinerListData=i.data,this.MinerListData.submit&&this.MinerListData.submit.includes("T")&&(this.MinerListData.submit=`${this.MinerListData.submit.split("T")[0]} ${this.MinerListData.submit.split("T")[1].split(".")[0]}`),this.MinerListTableData=i.data.rows,this.MinerListData.rate=this.formatNumber(this.MinerListData.rate),this.MinerListData.dailyRate=this.formatNumber(this.MinerListData.dailyRate),this.MinerListTableData.forEach((t=>{t.submit.includes("T")&&(t.submit=`${t.submit.split("T")[0]} ${t.submit.split("T")[1].split(".")[0]}`),t.rate=this.formatNumber(t.rate),t.dailyRate=this.formatNumber(t.dailyRate)})),this.minerTotal=i.data.total),this.setLoading("MinerListLoading",!1)},getMinerPowerData:(0,o.Debounce)((async function(t){this.setLoading("miniLoading",!0);const i=await(0,n.getMinerPower)(t);if(!i)return void this.setLoading("miniLoading",!1);let e=i.data,a=[],o=[],r=[];e.forEach((i=>{i.date.includes("T")&&"1h"==t.interval?i.date=`${i.date.split("T")[0]} ${i.date.split("T")[1].split(".")[0]}`:i.date.includes("T")&&"1d"==t.interval&&(i.date=i.date.split("T")[0]),i.date=`${i.date.split("T")[0]} ${i.date.split("T")[1].split(".")[0]}`,a.push(i.date),o.push(i.pv.toFixed(2)),r.push((100*i.rejectRate).toFixed(4))})),this.miniOption.xAxis.data=a,this.miniOption.series[0].data=o,this.miniOption.series[1].data=r,this.miniOption.series[0].name=this.$t("home.finallyPower"),this.miniOption.series[1].name=this.$t("home.rejectionRate"),this.ids=`SmallChart${this.miniId}`,this.miniChart=s.init(document.getElementById(this.ids));let l=Math.max(...r);l=Math.round(3*l),l>0&&(this.miniOption.yAxis[1].max=l),this.$nextTick((()=>{this.smallInCharts(this.miniOption)})),console.log(this.miniOption,5656565),this.setLoading("miniLoading",!1)}),200),getMinerPowerOnLine:(0,o.Debounce)((async function(t){this.setLoading("miniLoading",!0);const i=await(0,n.getMinerPower)(t);if(!i)return void this.setLoading("miniLoading",!1);let e=i.data,a=[],r=[],l=[];e.forEach((t=>{t.date.includes("T")?a.push(`${t.date.split("T")[0]} ${t.date.split("T")[1].split(".")[0]}`):a.push(t.date),r.push(t.pv.toFixed(2)),l.push((100*t.rejectRate).toFixed(4))})),this.onLineOption.xAxis.data=a,this.onLineOption.series[0].data=r,this.onLineOption.series[1].data=l,this.onLineOption.series[0].name=this.$t("home.finallyPower"),this.onLineOption.series[1].name=this.$t("home.rejectionRate"),this.ids=`Small${this.miniId}`,this.miniChartOnLine=s.init(document.getElementById(this.ids)),this.$nextTick((()=>{this.miniChartOnLine.setOption(this.onLineOption,!0),window.addEventListener("resize",(0,o.throttle)((()=>{this.miniChartOnLine&&this.miniChartOnLine.resize()}),200))})),this.setLoading("miniLoading",!1)}),200),getMinerPowerOffLine:(0,o.Debounce)((async function(t){this.setLoading("miniLoading",!0);const i=await(0,n.getMinerPower)(t);if(!i)return void this.setLoading("miniLoading",!1);let e=i.data,a=[],r=[],l=[];e.forEach((t=>{t.date.includes("T")?a.push(`${t.date.split("T")[0]} ${t.date.split("T")[1].split(".")[0]}`):a.push(t.date),r.push(t.pv.toFixed(2)),l.push((100*t.rejectRate).toFixed(4))})),this.OffLineOption.xAxis.data=a,this.OffLineOption.series[0].data=r,this.OffLineOption.series[1].data=l,this.OffLineOption.series[0].name=this.$t("home.finallyPower"),this.OffLineOption.series[1].name=this.$t("home.rejectionRate"),this.ids=`SmallOff${this.miniId}`,this.miniChartOff=s.init(document.getElementById(this.ids)),this.$nextTick((()=>{this.miniChartOff.setOption(this.OffLineOption,!0),window.addEventListener("resize",(0,o.throttle)((()=>{this.miniChartOff&&this.miniChartOff.resize()}),200))})),this.setLoading("miniLoading",!1)}),200),async getHistoryIncomeData(t){const i=await(0,n.getHistoryIncome)(t);i&&200==i.code&&(this.HistoryIncomeData=i.rows,this.HistoryIncomeTotal=i.total,this.HistoryIncomeData.forEach((t=>{t.date.includes("T")&&(t.date=t.date.split("T")[0])})))},async getHistoryOutcomeData(t){const i=await(0,n.getHistoryOutcome)(t);i&&200==i.code&&(this.HistoryOutcomeData=i.rows,this.HistoryOutcomeTotal=i.total,this.HistoryOutcomeData.forEach((t=>{t.date.includes("T")&&(t.date=`${t.date.split("T")[0]} `)})))},handelMiniChart:(0,o.throttle)((function(t,i){this.Accordion&&(this.miniId=t,this.miner=i,this.$nextTick((()=>{this.getMinerPowerData({miner:i,coin:this.params.coin,account:this.params.account})})))}),1e3),handelOnLineMiniChart:(0,o.throttle)((function(t,i){this.Accordion&&(this.miniId=t,this.$nextTick((()=>{this.getMinerPowerOnLine({miner:i,coin:this.params.coin,account:this.params.account})})))}),1e3),handelMiniOffLine:(0,o.throttle)((function(t,i){this.Accordion&&(this.miniId=t,this.$nextTick((()=>{this.getMinerPowerOffLine({miner:i,coin:this.params.coin,account:this.params.account})})))}),1e3),handleClick(){switch(this.activeName){case"power":this.inCharts();break;case"miningMachineDistribution":this.distributionInCharts();break;default:break}},handleClick2(t){switch(this.activeName2=t,this.search="",this.MinerListParams.filter="",this.Accordion="",this.IncomeParams.limit=10,this.MinerListParams.limit=50,this.OutcomeParams.limit=10,this.activeName2){case"power":this.getMinerListData(this.MinerListParams);break;case"miningMachine":this.getHistoryIncomeData(this.IncomeParams);break;case"payment":this.getHistoryOutcomeData(this.OutcomeParams);break;default:break}},onlineStatus(t){switch(this.Accordion="",this.search="",this.MinerListParams.filter="",this.sunTabActiveName=t,this.sunTabActiveName){case"all":this.MinerListParams.type=0;break;case"onLine":this.MinerListParams.type=1;break;case"off-line":this.MinerListParams.type=2;break;default:break}this.getMinerListData(this.MinerListParams)},handleInterval(t){this.PowerParams.interval=t,this.timeActive=t,this.getMinerAccountPowerData(this.PowerParams)},distributionInterval(t){this.PowerDistribution.interval=t,this.barActive=t,this.getAccountPowerDistributionData(this.PowerDistribution)},handelSearch(){this.MinerListParams.filter=this.search,this.getMinerListData(this.MinerListParams)},handleSizeChange(t){console.log(`每页 ${t} 条`),this.OutcomeParams.limit=t,this.OutcomeParams.page=1,this.getHistoryOutcomeData(this.OutcomeParams),this.currentPage=1},handleCurrentChange(t){console.log(`当前页: ${t}`),this.OutcomeParams.page=t,this.getHistoryOutcomeData(this.OutcomeParams)},handleSizeChangeIncome(t){console.log(`每页 ${t} 条`),this.IncomeParams.limit=t,this.IncomeParams.page=1,this.getHistoryIncomeData(this.IncomeParams),this.currentPageIncome=1},handleCurrentChangeIncome(t){console.log(`当前页: ${t}`),this.IncomeParams.page=t,this.getHistoryIncomeData(this.IncomeParams)},handleSizeMiner(t){console.log(`每页 ${t} 条`),this.MinerListParams.limit=t,this.MinerListParams.page=1,this.getMinerListData(this.MinerListParams),this.currentPageMiner=1},handleCurrentMiner(t){console.log(`当前页: ${t}`),this.MinerListParams.page=t,this.getMinerListData(this.MinerListParams)},handelStateList(t){return this.stateList.find((i=>i.value==t)).label||""},handleSort(t){this.MinerListParams.sort=t,"asc"==this.MinerListParams.collation?this.MinerListParams.collation="desc":this.MinerListParams.collation="asc",this.getMinerListData(this.MinerListParams)},handleSort30(){"asc"==this.MinerListParams.collation[0]?this.MinerListParams.collation[0]="desc":this.MinerListParams.collation[0]="asc",this.getMinerListData(this.MinerListParams)},handleSort1h(){"asc"==this.MinerListParams.collation[1]?this.MinerListParams.collation[1]="desc":this.MinerListParams.collation[1]="asc",this.getMinerListData(this.MinerListParams)},handelTimeInterval(t){if(t){var i=60*t,e=Math.floor(i/86400),a=Math.floor(i%86400/3600),s=Math.floor(i%3600/60);if(e)return`(${e}${this.$t("personal.day")} ${a}${this.$t("personal.hour")} ${s}${this.$t("personal.minute")} ${this.$t("personal.front")})`;if(a)return`(${a}${this.$t("personal.hour")} ${s}${this.$t("personal.minute")} ${this.$t("personal.front")})`;if(s)return`( ${s}${this.$t("personal.minute")} ${this.$t("personal.front")})`}},jumpPage(){this.$router.push({path:`/${this.lang}/personalCenter/personalMining`,query:{id:this.accountId,coin:this.params.coin,ma:this.params.account}})},async copyTxid(t){let i=`id${t}`,e=document.getElementById(i);try{await navigator.clipboard.writeText(e.textContent),this.$message({showClose:!0,message:this.$t("personal.copySuccessful"),type:"success"})}catch(a){console.log(a),this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"error"})}},handelPayment(t){if(t||0==t){let i=this.paymentStatusList.find((i=>i.value==t));return i.label}return""},clickCopyAddress(t){var i=document.createElement("input");i.value=t.address,document.body.appendChild(i);try{i.select();const t=document.execCommand("copy");t?this.$message({showClose:!0,message:this.$t("personal.copySuccessful"),type:"success"}):this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"success"})}catch(error){this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"success"})}finally{document.body.contains(i)?document.body.removeChild(i):console.log("临时输入框不是 body 的子节点,无法移除。")}},clickCopyTxid(t){var i=document.createElement("input");i.value=t.txid,document.body.appendChild(i);try{i.select();const t=document.execCommand("copy");t?this.$message({showClose:!0,message:this.$t("personal.copySuccessful"),type:"success"}):this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"success"})}catch(error){this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"success"})}finally{document.body.contains(i)?document.body.removeChild(i):console.log("临时输入框不是 body 的子节点,无法移除。")}},handelTxid(t){if(this.accountItem.coin.includes("dgb"))window.open(`https://chainz.cryptoid.info/dgb/tx.dws?${t}.htm`);else switch(this.accountItem.coin){case"nexa":window.open(`https://explorer.nexa.org/tx/${t}`);break;case"mona":window.open(`https://mona.insight.monaco-ex.org/insight/tx/${t}`);break;case"grs":window.open(`https://chainz.cryptoid.info/grs/tx.dws?${t}.htm`);break;case"rxd":window.open(`https://explorer.radiantblockchain.org/tx/${t}`);break;case"enx":window.open(`https://explorer.entropyx.org/txs/${t}`);break;case"alph":window.open(`https://explorer.alephium.org/transactions/${t}`);break;default:break}}}}},13147:function(t,i,e){e.r(i),e.d(i,{__esModule:function(){return s.B},default:function(){return l}});var a=e(81349),s=e(93852),n=s.A,o=e(81656),r=(0,o.A)(n,a.XX,a.Yp,!1,null,"be8442b4",null),l=r.exports},18163:function(t,i,e){Object.defineProperty(i,"B",{value:!0}),i.A=void 0,e(44114);var a=e(47149),s=e(49704),n=e(6803);i.A={data(){return{loginForm:{userName:"",password:"",code:""},loginRules:{userName:[{required:!0,trigger:"blur",message:this.$t("user.inputEmail")}],password:[{required:!0,trigger:"blur",message:this.$t("user.inputPassword")}],code:[{required:!0,trigger:"change",message:this.$t("user.inputCode")}]},radio:"en",btnDisabled:!1,bthText:"user.obtainVerificationCode",time:"",loginLoading:!1,accountList:[],loginCodeTime:"",countDownTime:60,timer:null,lang:"en"}},computed:{countDown(){Math.floor(this.countDownTime/60);const t=this.countDownTime%60,i=t<10?"0"+t:t;return`${i}`}},watch:{"$i18n.locale":function(){this.translate()}},created(){window.sessionStorage.getItem("exam_time")&&(this.countDownTime=Number(window.sessionStorage.getItem("exam_time")),this.startCountDown(),this.btnDisabled=!0,this.bthText="user.again")},mounted(){this.lang=this.$i18n.locale,this.radio=localStorage.getItem("lang")?localStorage.getItem("lang"):"en"},methods:{translate(){this.loginRules={userName:[{required:!0,trigger:"blur",message:this.$t("user.inputEmail")}],password:[{required:!0,trigger:"blur",message:this.$t("user.inputPassword")}],code:[{required:!0,trigger:"change",message:this.$t("user.inputCode")}]}},async fetchJurisdiction(){const t=await(0,a.getUserProfile)();this.$addStorageEvent(1,"jurisdiction",JSON.stringify(t.data.role)),this.$addStorageEvent(1,"userEmail",JSON.stringify(t.data.email)),t&&200==t.code&&(this.$message({message:this.$t("user.loginSuccess"),type:"success",showClose:!0}),this.$router.push(`/${this.lang}`))},async fetchAccountGradeList(){const t=await(0,a.getAccountGradeList)();t&&200==t.code&&this.$addStorageEvent(1,"miningAccountList",JSON.stringify(t.data))},async fetchAccountList(t){const i=await(0,n.getAccountList)(t);i&&200==i.code&&(this.accountList=i.data,this.$addStorageEvent(1,"accountList",JSON.stringify(this.accountList)))},async fetchLogin(t){this.loginLoading=!0;const i=await(0,a.getLogin)(t);i&&200===i.code&&(this.$addStorageEvent(1,"userName",i.data.userName),this.$addStorageEvent(1,"token",JSON.stringify(i.data.access_token)),this.fetchAccountList(),this.fetchAccountGradeList(),this.fetchJurisdiction()),this.loginLoading=!1},async fetchCOde(t){const i=await(0,a.getLoginCode)(t);i&&200==i.code&&this.$message({message:this.$t("user.codeSuccess"),type:"success",showClose:!0})},handelCode(){if(!this.loginForm.userName)return void this.$message({message:this.$t("user.inputAccount"),type:"error",customClass:"messageClass",showClose:!0});const t=/^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+.[a-zA-Z]{2,}$/;let i=t.test(this.loginForm.userName);this.loginForm.userName&&i?(this.fetchCOde({account:this.loginForm.userName}),null==window.sessionStorage.getItem("exam_time")||(this.countDownTime=Number(window.sessionStorage.getItem("exam_time"))),this.startCountDown()):this.$message({message:this.$t("user.emailVerification"),type:"error",showClose:!0})},startCountDown(){this.timer=setInterval((()=>{this.countDownTime<=1?(clearInterval(this.timer),sessionStorage.removeItem("exam_time"),this.countDownTime=60,this.btnDisabled=!1,this.bthText="user.obtainVerificationCode"):this.countDownTime>0&&(this.countDownTime--,this.btnDisabled=!0,this.bthText="user.again",window.sessionStorage.setItem("exam_time",this.countDownTime))}),1e3)},handelJump(t){const i=t.startsWith("/")?t.slice(1):t;this.$router.push(`/${this.lang}/${i}`)},handelRadio(t){const i=this.lang;this.lang=t,this.$i18n.locale=t,localStorage.setItem("lang",t);const e=this.$route.path,a=e.replace(`/${i}`,`/${t}`);this.$router.push({path:a,query:this.$route.query}).catch((t=>{"NavigationDuplicated"!==t.name&&console.error("Navigation failed:",t)}))},submitForm(){this.$refs.ruleForm.validate((t=>{if(t){this.loginForm.userName=this.loginForm.userName.trim(),this.loginForm.password=this.loginForm.password.trim();const t=/^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+.[a-zA-Z]{2,}$/;let i=t.test(this.loginForm.userName);if(!i)return void this.$message({message:this.$t("user.emailVerification"),type:"error",customClass:"messageClass",showClose:!0});const e=/^(?!.*[\u4e00-\u9fa5])(?![a-zA-Z]+$)(?![A-Z0-9]+$)(?![A-Z\W_]+$)(?![a-z0-9]+$)(?![a-z\W_]+$)(?![0-9\W_]+$)[a-zA-Z0-9\W_]{8,32}$/,a=e.test(this.loginForm.password);if(!a)return void this.$message({message:this.$t("user.PasswordReminder"),type:"error",showClose:!0});const n={...this.loginForm};n.password=(0,s.encryption)(this.loginForm.password),this.fetchLogin(n)}}))},handleClick(){this.$router.push(`/${this.lang}`)}}}},28702:function(t,i,e){var a=e(3999)["default"];Object.defineProperty(i,"B",{value:!0}),i.A=void 0;var s=a(e(7330)),n=a(e(45438));i.A={components:{Tooltip:n.default},mixins:[s.default]}},30751:function(t,i,e){e.r(i),e.d(i,{__esModule:function(){return s.B},default:function(){return l}});var a=e(47105),s=e(28702),n=s.A,o=e(81656),r=(0,o.A)(n,a.XX,a.Yp,!1,null,"0a0e912e",null),l=r.exports},37320:function(t,i,e){var a=e(91774)["default"];Object.defineProperty(i,"__esModule",{value:!0}),i["default"]=void 0,e(44114),e(18111),e(20116),e(7588);e(66848);var s=e(27409),n=e(84403),o=a(e(3574)),r=e(82908);i["default"]={data(){return{activeName:"second",option:{tooltip:{trigger:"axis",confine:!0,formatter:function(t){var i;i=t[0].axisValueLabel;for(let e=0;e<=t.length-1;e++)"Currency Price"==t[e].seriesName||"币价"==t[e].seriesName?i+=`
    ${t[e].marker} ${t[e].seriesName}      ${t[e].value} USD`:i+=`
    ${t[e].marker} ${t[e].seriesName}      ${t[e].value}`;return i}},legend:{right:"30"},grid:{left:"10%",right:"15%",top:"20%",bottom:"12%"},xAxis:{boundaryGap:!1,data:[]},yAxis:[{type:"value",name:"GH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",show:!0,splitLine:{show:!1},name:"USD",nameTextStyle:{padding:[0,0,0,40]}}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"Computational power",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{color:new o.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},zlevel:1,z:1,data:[]},{name:"Refusal rate",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new o.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[],yAxisIndex:1,zlevel:2,z:2}]},minerOption:{legend:{right:"50",formatter:function(t){return t}},tooltip:{trigger:"axis",textStyle:{align:"left"},animation:!1,confine:!0,formatter:function(t){var i=t[0].axisValueLabel;for(let e=0;e<=t.length-1;e++)"Currency Price"==t[e].seriesName||"币价"==t[e].seriesName?i+=`
    ${t[e].marker} ${t[e].seriesName}      ${t[e].value} USD`:i+=`
    ${t[e].marker} ${t[e].seriesName}      ${t[e].value}`;return i}},grid:{left:"10%",right:"15%",top:"20%",bottom:"12%"},xAxis:{boundaryGap:!1,axisTick:{show:!1},axisLine:{show:!1},data:[]},yAxis:[{position:"left",type:"value",name:"GH/s",nameTextStyle:{padding:[0,0,0,-40]}},{position:"right",show:!0,splitLine:{show:!1},name:"USD",nameTextStyle:{padding:[0,0,0,40]}}],dataZoom:[{type:"inside",start:0,end:100,maxSpan:100,minSpan:2,animation:!1},{type:"inside",start:0,end:100}],series:[{name:"全网算力",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#5721E4",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#5721E4",width:"2"},areaStyle:{origin:"start",color:new o.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(210,195,234)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[]},{name:"币价",type:"line",smooth:!1,symbol:"circle",symbolSize:5,showSymbol:!1,itemStyle:{color:"#FE2E74",borderColor:"rgba(221,220,107,0.1)",borderWidth:12},lineStyle:{color:"#FE2E74",width:"2"},areaStyle:{origin:"start",color:new o.graphic.LinearGradient(0,0,0,1,[{offset:0,color:"rgb(252,220,233)"},{offset:1,color:"rgb(255, 255, 255)"}])},data:[],yAxisIndex:1,zlevel:2,z:2}]},CountOption:{...n.line},powerDialogVisible:!1,minerDialogVisible:!1,currentPage:1,currency:"nexa",currencyPath:`${this.$baseApi}img/nexa.png`,currencyList:[{path:"nexaAccess",value:"nexa",label:"nexa",img:e(95194),imgUrl:`${this.$baseApi}img/nexa.png`,name:"course.NEXAcourse",show:!0,amount:1e4},{path:"grsAccess",value:"grs",label:"grs",img:e(78628),imgUrl:`${this.$baseApi}img/grs.svg`,name:"course.GRScourse",show:!0,amount:1},{path:"monaAccess",value:"mona",label:"mona",img:e(85857),imgUrl:`${this.$baseApi}img/mona.svg`,name:"course.MONAcourse",show:!0,amount:1},{path:"dgbsAccess",value:"dgbs",label:"dgb(skein)",img:e(94045),imgUrl:`${this.$baseApi}img/dgb.svg`,name:"course.dgbsCourse",show:!0,amount:1},{path:"dgbqAccess",value:"dgbq",label:"dgb(qubit)",img:e(94045),imgUrl:`${this.$baseApi}img/dgb.svg`,name:"course.dgbqCourse",show:!0,amount:1},{path:"dgboAccess",value:"dgbo",label:"dgb(odocrypt)",img:e(94045),imgUrl:`${this.$baseApi}img/dgb.svg`,name:"course.dgboCourse",show:!0,amount:1},{path:"rxdAccess",value:"rxd",label:"radiant(rxd)",img:e(94158),imgUrl:`${this.$baseApi}img/rxd.png`,name:"course.RXDcourse",show:!0,amount:100},{path:"enxAccess",value:"enx",label:"Entropyx(enx)",img:e(78945),imgUrl:`${this.$baseApi}img/enx.svg`,name:"course.ENXcourse",show:!0,amount:5e3},{path:"alphminingPool",value:"alph",label:"alephium",img:e(31413),imgUrl:`${this.$baseApi}img/alph.svg`,name:"course.alphCourse",show:!0,amount:1}],params:{coin:"nexa",interval:"rt"},PowerParams:{coin:"nexa",interval:"rt"},BlockInfoParams:{coin:"nexa",limit:10,page:1},CoinData:{algorithm:"",height:"",totalDifficulty:"",totalPower:"",price:"",poolPower:"",poolMc:""},luckData:{luck3d:"96.26 %",luck7d:"96.26 %",luck30d:"96.26 %",luck90d:"96.26 %"},BlockInfoData:[],intervalList:[{value:"rt",label:"home.realTime"},{value:"1d",label:"home.day"}],offset:0,itemWidth:30,listWidth:1e3,itemActive:"nexa",timeActive:"rt",powerActive:!0,minerChartLoading:!1,newBlockInfoData:[],reportBlockLoading:!1,BlockShow:!0,showCalculator:!1,value:"nexa",input3:"",select:"GH/s",selectTime:[{value:"day",label:"home.everyDay"},{value:"week",label:"home.weekly"},{value:"month",label:"home.monthly"},{value:"year",label:"home.annually"}],time:"day",input:"",inputPower:1,profit:"",factor:"",CalculatorData:{hpb:"10",reward:"20",price:"30",costTime:"600",poolFee:"0.15"},transactionFeeList:[{label:"grs",coin:"grs",feeShow:!1},{label:"mona",coin:"mona",feeShow:!1},{label:"radiant",coin:"rxd",feeShow:!1}],FeeShow:!0,lang:"en",activeItemCoin:{value:"nexa",label:"nexa",img:e(95194),imgUrl:`${this.$baseApi}img/nexa.png`},isInternalChange:!1}},watch:{"$i18n.locale":t=>{location.reload()},activeItemCoin:{handler(t){this.isInternalChange||this.handleActiveItemChange(t)},deep:!0}},mounted(){this.lang=this.$i18n.locale,this.$addStorageEvent(1,"activeItemCoin",JSON.stringify(this.currencyList[0])),this.minerChartLoading=!0,this.$isMobile&&(this.option.yAxis[1].show=!1,this.option.grid.left="16%",this.option.grid.right="5%",this.option.grid.top="10%",this.option.grid.bottom="45%",this.option.legend.bottom=5,this.option.legend.right="30%",this.option.xAxis.axisLabel={interval:8,rotate:70},this.minerOption.yAxis[1].show=!1,this.minerOption.grid.left="16%",this.minerOption.grid.right="5%",this.minerOption.grid.top="10%",this.minerOption.grid.bottom="45%",this.minerOption.legend.bottom=5,this.minerOption.legend.right="30%",this.minerOption.xAxis.axisLabel={interval:8,rotate:70}),this.getBlockInfoData(this.BlockInfoParams),this.getCoinInfoData(this.params),this.getPoolPowerData(this.PowerParams),this.registerRecoveryMethod("getCoinInfoData",this.params),this.registerRecoveryMethod("getPoolPowerData",this.PowerParams),this.registerRecoveryMethod("getBlockInfoData",this.BlockInfoParams),this.$addStorageEvent(1,"currencyList",JSON.stringify(this.currencyList)),this.$refs.select&&this.$refs.select.$el.children[0].children[0].setAttribute("style","background:url(https://test.m2pool.com/img/nexa.png) no-repeat 10PX;background-size: 20PX 20PX;color:#333;padding-left: 30PX;"),this.fetchParam({coin:this.params.coin}),this.minerChartLoading=!1,window.addEventListener("setItem",(()=>{let t=localStorage.getItem("activeItemCoin");this.activeItemCoin=JSON.parse(t)}))},methods:{slideLeft(){const t=120*this.currencyList.length,i=document.getElementById("list-box").clientWidth;if(t{this.minerChartLoading=!1})),window.addEventListener("resize",(0,r.throttle)((()=>{this.myChart&&this.myChart.resize()}),200))},inChartsMiner(){null==this.MinerChart&&(this.MinerChart=o.init(document.getElementById("minerChart"))),this.minerOption.series[0].name=this.$t("home.networkPower"),this.minerOption.series[1].name=this.$t("home.currencyPrice"),this.MinerChart.setOption(this.minerOption),this.MinerChart.on("finished",(()=>{this.minerChartLoading=!1})),window.addEventListener("resize",(0,r.throttle)((()=>{this.MinerChart&&this.MinerChart.resize()}),200))},countInCharts(){this.countChart=o.init(document.getElementById("minerChart")),this.countChart.setOption(this.CountOption)},async fetchParam(t){try{const i=await(0,s.getParam)(t);if(i&&200==i.code)this.CalculatorData=i.data;else for(const t in this.CalculatorData)this.CalculatorData[t]=0;this.calculateIncome(this.CalculatorData)}catch(error){console.log(error,"error")}},getCoinInfoData:(0,r.Debounce)((async function(t){const i=await(0,s.getCoinInfo)(t);i&&200==i.code?this.CoinData=i.data:this.CoinData={}}),200),getPoolPowerData:(0,r.Debounce)((async function(t){this.setLoading("minerChartLoading",!0);try{const i=await(0,s.getPoolPower)(t);if(!i)return this.setLoading("minerChartLoading",!1),void(this.myChart&&this.myChart.dispose());let e=i.data,a=[],n=[],o=[];e.forEach((i=>{i.date.includes("T")&&"rt"==t.interval?i.date=`${i.date.split("T")[0]} ${i.date.split("T")[1].split(".")[0]}`:i.date.includes("T")&&"1d"==t.interval&&(i.date=i.date.split("T")[0]),a.push(i.date),n.push(Number(i.pv).toFixed(2)),0==i.price?o.push(i.price):i.price<1?o.push(Number(i.price).toFixed(8)):o.push(Number(i.price).toFixed(2))})),this.option.xAxis.data=a,this.option.series[0].data=n,this.option.series[1].data=o,this.$nextTick((()=>{this.inCharts()}))}catch{console.error("获取数据失败:",error)}finally{this.setLoading("minerChartLoading",!1)}}),200),async fetchNetPower(t){this.setLoading("minerChartLoading",!0);const i=await(0,s.getNetPower)(t);if(!i)return this.minerChartLoading=!1,void(this.MinerChart&&this.MinerChart.dispose());let e=i.data,a=[],n=[],o=[];e.forEach((i=>{i.date.includes("T")&&"rt"==t.interval?i.date=`${i.date.split("T")[0]} ${i.date.split("T")[1].split(".")[0]}`:i.date.includes("T")&&"1d"==t.interval&&(i.date=i.date.split("T")[0]),a.push(i.date),n.push(Number(i.pv).toFixed(2)),0==i.price?o.push(i.price):i.price<1?o.push(Number(i.price).toFixed(8)):o.push(Number(i.price).toFixed(2))})),this.minerOption.xAxis.data=a,this.minerOption.series[0].data=n,this.minerOption.series[1].data=o,this.$nextTick((()=>{this.inChartsMiner()})),this.setLoading("minerChartLoading",!1)},getMinerCountData:(0,r.Debounce)((async function(t){this.setLoading("minerChartLoading",!0);const i=await(0,s.getMinerCount)(t);if(!i)return this.minerChartLoading=!1,void(this.MinerChart&&this.MinerChart.dispose());let e=i.data,a=[],n=[];e.forEach((t=>{t.date.includes("T")?a.push(`${t.date.split("T")[0]} ${t.date.split("T")[1].split(".")[0]}`):a.push(t.date),n.push(t.value)})),this.minerOption.xAxis.data=a,this.minerOption.series[0].data=n,this.$nextTick((()=>{this.inChartsMiner()})),this.setLoading("minerChartLoading",!1)}),200),getBlockInfoData:(0,r.Debounce)((async function(t){try{this.setLoading("reportBlockLoading",!0);const i=await(0,s.getBlockInfo)(t);if(i&&200==i.code){if(this.BlockShow=!0,this.newBlockInfoData=[],this.BlockInfoData=i.rows,!this.BlockInfoData[0])return void this.setLoading("reportBlockLoading",!1);this.BlockInfoData.forEach(((t,i)=>{t.date=`${t.date.split("T")[0]} ${t.date.split("T")[1].split(".")[0]}`,i<8&&this.newBlockInfoData.push(t)}))}else this.BlockShow=!1;this.setLoading("reportBlockLoading",!1)}catch(error){console.error("获取区块信息失败:",error),this.BlockShow=!1}finally{this.setLoading("reportBlockLoading",!1)}}),200),calculateIncome(t){for(const l in this.CalculatorData)if(!this.CalculatorData[l])return void(this.profit=0);let i;switch(this.select){case"GH/s":i=this.inputPower*Math.pow(10,9);break;case"MH/s":i=this.inputPower*Math.pow(10,6);break;case"TH/s":i=this.inputPower*Math.pow(10,12);break;default:break}const e=this.CalculatorData.netHashrate,a=this.CalculatorData.reward,s=i/e,n=a*(1-this.CalculatorData.poolFee)*this.CalculatorData.count,o=s*n;switch(this.time){case"day":this.profit=o.toFixed(8);break;case"week":this.profit=(7*o).toFixed(8);break;case"month":this.profit=(30*o).toFixed(8);break;case"year":this.profit=(365*o).toFixed(8);break;default:break}const r=new Intl.NumberFormat("en-US",{minimumFractionDigits:2,maximumFractionDigits:2,useGrouping:!0});if("nexa"==this.value)this.profit=r.format(this.profit);else{const t=new Intl.NumberFormat("en-US",{minimumFractionDigits:8,useGrouping:!0});this.profit=t.format(this.profit)}},toFixedNoRound(t,i=10){const e=10**i;return(t<0?Math.ceil(t*e):Math.floor(t*e))/e},ProfitCalculator(t,i){const e=5646.62,a=1e7,s=t/e,n=a*(1-i)*720,o=s*n;return o},disableElement(t){t.setAttribute("data-disabled",!0),t.style.pointerEvents="none",t.style.opacity="0.5"},handelProfitCalculation(){for(const t in this.CalculatorData)if(!this.CalculatorData[t])return this.profit=0,void this.fetchParam({coin:this.params.coin});this.showCalculator=!0},handelClose(){this.showCalculator=!1},changeSelection(t){let i=t;for(let e in this.currencyList){let t=this.currencyList[e],a=t.value;i===a&&this.$refs.select.$el.children[0].children[0].setAttribute("style","background:url("+t.imgUrl+") no-repeat 10PX;background-size: 20PX 20PX;color:#333;padding-left: 35PX;")}this.fetchParam({coin:this.value})},handelJump(t){if("/AccessMiningPool"===t){const t=this.currencyList.find((t=>t.value===this.params.coin));if(!t)return;let i=t.path.charAt(0).toUpperCase()+t.path.slice(1);this.$router.push({name:i,params:{lang:this.lang,coin:this.params.coin,imgUrl:this.currencyPath},replace:!1})}else{const i=t.startsWith("/")?t.slice(1):t;this.$router.push(`/${this.lang}/${i}`)}},handelCalculation(){this.calculateIncome()},scrollLeft(){const t=120*this.currencyList.length,i=document.getElementById("list-box").clientWidth;if(tt?"-"+(t-i)+"PX":"-"+(a+360)+"PX"},handleActiveItemChange(t){t&&(this.currency=t.label,this.currencyPath=t.imgUrl,this.params.coin=t.value,console.log(this.params.coin,"item"),this.BlockInfoParams.coin=t.value,this.itemActive=t.value,this.PowerParams.coin=t.value,this.getCoinInfoData(this.params),this.getBlockInfoData(this.BlockInfoParams),this.powerActive?this.handelPower():this.handelMiner(),this.handelCoinLabel(t.value))},clickCurrency(t){t&&(this.isInternalChange=!0,this.activeItemCoin=t,this.$addStorageEvent(1,"activeItemCoin",JSON.stringify(t)),this.$nextTick((()=>{this.isInternalChange=!1})),this.handleActiveItemChange(t))},clickReportBlock(){this.$router.push({path:`/${this.lang}/reportBlock`,query:{coin:this.params.coin,imgUrl:this.currencyPath}})},handleClick(t,i){},handelPower(){this.MinerChart&&(this.MinerChart.dispose(),this.MinerChart=null),this.option.xAxis.data=[],this.option.series[0].data=[],this.option.series[1].data=[],this.powerActive=!0,this.PowerParams.coin=this.params.coin,this.getPoolPowerData(this.PowerParams)},intervalChange(t){this.PowerParams.interval=t,this.params.interval=t,this.timeActive=t,this.powerActive?this.getPoolPowerData(this.PowerParams):this.powerActive||this.fetchNetPower(this.params)},handelMiner(){this.myChart&&(this.myChart.dispose(),this.myChart=null),this.minerOption.xAxis.data=[],this.minerOption.series[0].data=[],this.powerActive=!1,this.fetchNetPower(this.params)},handelLabel(t){let i=this.currencyList.find((i=>i.value==t));return i?i.label:""},handelLabel2(t){return t.includes("dgb")?"dgb":t},handelCoinLabel(t){let i={coin:""};t&&(i=this.transactionFeeList.find((i=>i.coin==t)),this.FeeShow=!1),i||(this.FeeShow=!0)}}}},47105:function(t,i,e){i.Yp=i.XX=void 0;i.XX=function(){var t=this,i=t._self._c;return i("div",{staticClass:"miningAccountMain"},[t.$isMobile?i("section",[i("div",{staticClass:"accountInformation"},[i("img",{attrs:{src:t.accountItem.img,alt:"coin"}}),i("span",{staticClass:"coin"},[t._v(t._s(t.accountItem.coin)+" ")]),i("i",{staticClass:"iconfont icon-youjiantou"}),i("span",{staticClass:"ma"},[t._v(" "+t._s(t.accountItem.ma))])]),i("div",{staticClass:"profitTop"},[i("div",{staticClass:"box"},[i("span",[t._v(t._s(t.$t("mining.totalRevenue"))+" "),i("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.totalRevenueTips")}},[i("img",{attrs:{src:e(3832),alt:"profit",loading:"lazy"}})])]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.totalProfit))])]),i("div",{staticClass:"box"},[i("span",[t._v(t._s(t.$t("mining.totalExpenditure"))+" "),i("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.totalExpenditureTips")}},[i("img",{attrs:{src:e(3832),alt:"profit",loading:"lazy"}})])]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.expend))])]),i("div",{staticClass:"box"},[i("span",[t._v(t._s(t.$t("mining.yesterdaySEarnings"))+" "),i("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.yesterdaySEarningsTips")}},[i("img",{attrs:{src:e(3832),alt:"profit",loading:"lazy"}})])]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.preProfit))])]),i("div",{staticClass:"box"},[i("span",[t._v(t._s(t.$t("mining.diggedToday"))+" "),i("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.diggedTodayTips")}},[i("img",{attrs:{src:e(3832),alt:"profit",loading:"lazy"}})])]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.todayPorfit))])]),i("div",{staticClass:"accountBalance"},[i("div",{staticClass:"box2"},[i("span",{staticClass:"paymentSettings"},[t._v(t._s(t.$t("mining.accountBalance"))+" "),i("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.balanceReminder")}},[i("img",{attrs:{src:e(3832),alt:"profit",loading:"lazy"}})])]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.balance))])]),i("el-button",{on:{click:t.jumpPage}},[t._v(t._s(t.$t("mining.paymentSettings")))])],1)]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.powerChartLoading,expression:"powerChartLoading"}],staticClass:"profitBtm2"},[i("div",{staticClass:"right"},[i("div",{staticClass:"intervalBox"},[i("div",{staticClass:"title"},[t._v(t._s(t.$t("mining.algorithmicDiagram")))]),i("div",{staticClass:"times"},t._l(t.intervalList,(function(e){return i("span",{key:e.value,class:{timeActive:t.timeActive==e.value},on:{click:function(i){return t.handleInterval(e.value)}}},[t._v(t._s(t.$t(e.label)))])})),0)]),i("div",{staticStyle:{width:"100%",height:"100%",padding:"0"},attrs:{id:"powerChart"}})])]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.barChartLoading,expression:"barChartLoading"}],staticClass:"barBox"},[i("div",{staticClass:"lineBOX"},[i("div",{staticClass:"intervalBox"},[i("div",{staticClass:"title"},[t._v(t._s(t.$t("mining.computingPower")))]),i("div",{staticClass:"timesBox"},[i("div",{staticClass:"times2"},t._l(t.AccountPowerDistributionintervalList,(function(e){return i("span",{key:e.value,class:{timeActive:t.barActive==e.value},on:{click:function(i){return t.distributionInterval(e.value)}}},[t._v(t._s(t.$t(e.label)))])})),0)])]),i("div",{staticStyle:{width:"100%",height:"90%",padding:"0"},attrs:{id:"barChart"}})])]),i("div",{staticClass:"searchBox"},[i("input",{directives:[{name:"model",rawName:"v-model",value:t.search,expression:"search"}],staticClass:"inout",attrs:{type:"text",placeholder:t.$t("personal.pleaseEnter2")},domProps:{value:t.search},on:{input:function(i){i.target.composing||(t.search=i.target.value)}}}),i("i",{staticClass:"el-icon-search",on:{click:t.handelSearch}})]),i("div",{staticClass:"top3Box"},[i("section",{staticClass:"tabPageBox"},[i("div",{staticClass:"tabPageTitle"},[i("div",{staticClass:"TitleS minerTitle",on:{click:function(i){return t.handleClick2("power")}}},[i("span",{staticClass:"trapezoid",class:{activeHeadlines:"power"==t.activeName2}},[i("span",[t._v(t._s(t.$t("mining.miner")))])])]),i("div",{staticClass:"TitleS profitTitle",on:{click:function(i){return t.handleClick2("miningMachine")}}},[i("span",{staticClass:"trapezoid",class:{activeHeadlines:"miningMachine"==t.activeName2}},[i("span",[t._v(t._s(t.$t("mining.profit")))])])]),i("div",{staticClass:"TitleS paymentTitle",on:{click:function(i){return t.handleClick2("payment")}}},[i("span",{staticClass:"trapezoid",class:{activeHeadlines:"payment"==t.activeName2}},[i("span",[t._v(t._s(t.$t("mining.payment")))])])])]),"power"==t.activeName2?i("section",{directives:[{name:"loading",rawName:"v-loading",value:t.MinerListLoading,expression:"MinerListLoading"}],staticClass:"page"},[i("div",{staticClass:"minerTitleBox"},[i("div",{staticClass:"TitleOnLine"},[i("span",{on:{click:function(i){return t.onlineStatus("all")}}},[i("span",{staticClass:"circularDots3",class:{activeCircular:"all"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.all"))+" "+t._s(t.MinerListData.all))]),i("span",{on:{click:function(i){return t.onlineStatus("onLine")}}},[i("div",{staticClass:"circularDots2",class:{activeCircular:"onLine"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.onLine"))+" "+t._s(t.MinerListData.online))]),i("span",{on:{click:function(i){return t.onlineStatus("off-line")}}},[i("div",{staticClass:"circularDots2",class:{activeCircular:"off-line"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.offLine"))+" "+t._s(t.MinerListData.offline))])])]),"all"==t.sunTabActiveName?i("div",{staticClass:"publicBox all"},[i("div",{staticClass:"TitleAll",staticStyle:{"font-weight":"600"}},[i("span",[t._v(" "+t._s(t.$t("mining.miner")))]),i("span",[t._v(" "+t._s(t.$t("mining.Minutes"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("30m")}}})]),i("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("24h")}}})])]),i("div",{staticClass:"totalTitleAll"},[i("span",[i("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total")))]),i("span",[t._v(t._s(t.MinerListData.rate)+" ")]),i("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")])]),i("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(i){t.Accordion=i},expression:"Accordion"}},t._l(t.sortedMinerListTableData,(function(e,a){return i("div",{key:e.miner,class:"item-"+(a%2===0?"even":"odd")},[i("el-collapse-item",{attrs:{name:e.id},nativeOn:{click:function(i){return t.handelMiniOffLine(e.id,e.miner)}}},[i("template",{slot:"title"},[i("div",{staticClass:"accordionTitleAll"},[i("span",{class:{activeState:"2"==e.status}},["1"==e.status?i("div",{staticClass:"circularDotsOnLine"}):t._e(),"2"==e.status?i("div",{staticClass:"circularDotsOffLine"}):t._e(),t._v(" "+t._s(e.miner))]),i("span",[t._v(t._s(e.rate))]),i("span",[t._v(t._s(e.dailyRate))])])]),i("div",{staticClass:"table-item"},[i("div",[i("p",[t._v(t._s(t.$t("mining.submitTime")))]),i("p",[i("span",{staticClass:"offlineTime",class:{activeState:"2"==e.status},attrs:{title:e.submit}},[i("span",[t._v(t._s(e.submit)+" ")]),"2"==e.status?i("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(e.offline)}},[t._v(t._s(t.handelTimeInterval(e.offline)))]):t._e()])])]),i("div",[i("p",[t._v(t._s(t.$t("mining.state")))]),i("p",[i("span",{class:{activeState:"2"==e.status},attrs:{title:t.$t(t.handelStateList(e.status))}},[t._v(t._s(t.$t(t.handelStateList(e.status)))+" ")])])])]),i("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(e.miner)+"  "+t._s(t.$t("mining.power24H"))+" ")]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"SmallOff"+e.id}})],2)],1)})),0)],1):"onLine"==t.sunTabActiveName?i("div",{staticClass:"publicBox onLine"},[i("div",{staticClass:"TitleAll",staticStyle:{"font-weight":"600"}},[i("span",[t._v(" "+t._s(t.$t("mining.miner")))]),i("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("30m")}}})]),i("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("24h")}}})])]),i("div",{staticClass:"totalTitleAll"},[i("span",[i("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total"))+" ")]),i("span",[t._v(t._s(t.MinerListData.rate)+" ")]),i("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")])]),i("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(i){t.Accordion=i},expression:"Accordion"}},t._l(t.MinerListTableData,(function(e,a){return i("div",{key:t.sunTabActiveName+e.miner,class:"item-"+(a%2==0?"even":"odd")},[i("el-collapse-item",{attrs:{name:e.id},nativeOn:{click:function(i){return t.handelOnLineMiniChart(e.id,e.miner)}}},[i("template",{slot:"title"},[i("div",{staticClass:"accordionTitleAll"},[i("span",[i("div",{staticClass:"circularDotsOnLine"}),t._v(" "+t._s(e.miner))]),i("span",[t._v(t._s(e.rate))]),i("span",[t._v(t._s(e.dailyRate))])])]),i("div",{staticClass:"table-itemOn"},[i("div",[i("p",[t._v(t._s(t.$t("mining.submitTime")))]),i("p",[i("span",{staticClass:"offlineTime",class:{activeState:"2"==e.status},attrs:{title:e.submit}},[i("span",[t._v(t._s(e.submit)+" ")]),"2"==e.status?i("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(e.offline)}},[t._v(t._s(t.handelTimeInterval(e.offline)))]):t._e()])])])]),i("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(e.miner)+" "+t._s(t.$t("mining.power24H"))+" ")]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"Small"+e.id}})],2)],1)})),0)],1):"off-line"==t.sunTabActiveName?i("div",{staticClass:"publicBox off-line"},[i("div",{staticClass:"TitleAll",staticStyle:{"font-weight":"600"}},[i("span",[t._v(" "+t._s(t.$t("mining.miner")))]),i("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("30m")}}})]),i("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("24h")}}})])]),i("div",{staticClass:"totalTitleAll"},[i("span",[i("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total"))+" ")]),i("span",[t._v(t._s(t.MinerListData.rate)+" ")]),i("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")])]),i("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(i){t.Accordion=i},expression:"Accordion"}},t._l(t.MinerListTableData,(function(e,a){return i("div",{key:e.miner,class:"item-"+(a%2===0?"even":"odd")},[i("el-collapse-item",{attrs:{name:e.id},nativeOn:{click:function(i){return t.handelMiniOffLine(e.id,e.miner)}}},[i("template",{slot:"title"},[i("div",{staticClass:"accordionTitleAll"},[i("span",{class:{activeState:"2"==e.status}},[i("div",{staticClass:"circularDotsOffLine"}),t._v(" "+t._s(e.miner))]),i("span",[t._v(t._s(e.rate))]),i("span",[t._v(t._s(e.dailyRate))])])]),i("div",{staticClass:"table-itemOn"},[i("div",[i("p",[t._v(t._s(t.$t("mining.submitTime")))]),i("p",[i("span",{staticClass:"offlineTime",class:{activeState:"2"==e.status},attrs:{title:e.submit}},[i("span",[t._v(t._s(e.submit)+" ")]),"2"==e.status?i("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(e.offline)}},[t._v(t._s(t.handelTimeInterval(e.offline)))]):t._e()])])])]),i("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(e.miner)+" "+t._s(t.$t("mining.power24H"))+" ")]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"SmallOff"+e.id}})],2)],1)})),0)],1):t._e(),i("el-pagination",{staticStyle:{margin:"0 auto","margin-top":"10px","margin-bottom":"10px"},attrs:{"current-page":t.currentPageMiner,"page-sizes":[50,100,200,400],"page-size":t.MinerListParams.limit,layout:"sizes, prev, pager, next",total:t.minerTotal},on:{"size-change":t.handleSizeMiner,"current-change":t.handleCurrentMiner,"update:currentPage":function(i){t.currentPageMiner=i},"update:current-page":function(i){t.currentPageMiner=i}}})],1):t._e(),"miningMachine"==t.activeName2?i("section",{staticClass:"miningMachine"},[i("div",{staticClass:"belowTable"},[i("ul",[i("li",{staticClass:"table-title"},[i("span",{attrs:{title:t.$t("mining.settlementDate")}},[t._v(t._s(t.$t("mining.settlementDate")))]),i("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s")]),i("span",{attrs:{title:t.$t("mining.profit")}},[t._v(t._s(t.$t("mining.profit")))])]),t._l(t.HistoryIncomeData,(function(e,a){return i("li",{key:a,staticClass:"currency-list"},[i("span",{attrs:{title:e.date}},[t._v(t._s(e.date))]),i("span",{attrs:{title:e.mhs}},[t._v(t._s(e.mhs)+" ")]),i("span",{attrs:{title:e.amount}},[t._v(t._s(e.amount)+" "),i("span",{staticStyle:{color:"rgba(0, 0, 0, 0.5)","text-transform":"capitalize"}},[t._v(t._s(t.accountItem.coin.includes("dgb")?"dgb":t.accountItem.coin))])])])}))],2),i("el-pagination",{staticClass:"pageBox",attrs:{"current-page":t.currentPageIncome,"page-sizes":[10,50,100,400],"page-size":t.IncomeParams.limit,layout:"sizes, prev, pager, next",total:t.HistoryIncomeTotal},on:{"size-change":t.handleSizeChangeIncome,"current-change":t.handleCurrentChangeIncome,"update:currentPage":function(i){t.currentPageIncome=i},"update:current-page":function(i){t.currentPageIncome=i}}})],1)]):t._e(),"payment"==t.activeName2?i("section",{staticClass:"payment"},[i("div",{staticClass:"belowTable"},[i("div",{staticClass:"table-title"},[i("span",{attrs:{title:t.$t("mining.withdrawalTime")}},[t._v(t._s(t.$t("mining.withdrawalTime")))]),i("span",{attrs:{title:t.$t("mining.withdrawalAmount")}},[t._v(t._s(t.$t("mining.withdrawalAmount")))]),i("span",{attrs:{title:t.$t("mining.paymentStatus")}},[t._v(t._s(t.$t("mining.paymentStatus")))])]),i("el-collapse",{attrs:{accordion:""}},t._l(t.HistoryOutcomeData,(function(e,a){return i("el-collapse-item",{key:e.txid,staticClass:"collapseItem",attrs:{name:a}},[i("template",{slot:"title"},[i("div",{staticClass:"paymentCollapseTitle"},[i("span",[t._v(t._s(e.date))]),i("span",[t._v(t._s(e.amount))]),i("span",[t._v(t._s(t.$t(t.handelPayment(e.status))))])])]),i("div",{staticClass:"dropDownContent"},[e.address?i("div",[i("p",[t._v(t._s(t.$t("mining.withdrawalAddress")))]),i("p",[t._v(t._s(e.address)+" "),i("span",{staticClass:"copy",on:{click:function(i){return t.clickCopyAddress(e)}}},[t._v(t._s(t.$t("personal.copy")))])])]):t._e(),e.txid?i("div",[i("p",[t._v("Txid")]),i("p",[i("span",{staticStyle:{cursor:"pointer","text-decoration":"underline",color:"#433278"},on:{click:function(i){return t.handelTxid(e.txid)}}},[t._v(" "+t._s(e.txid)+" ")]),t._v(" "),i("span",{staticClass:"copy",on:{click:function(i){return t.clickCopyTxid(e)}}},[t._v(t._s(t.$t("personal.copy")))])])]):t._e()])],2)})),1),i("el-pagination",{staticStyle:{"margin-top":"10px","margin-bottom":"10px"},attrs:{"current-page":t.currentPage,"page-sizes":[10,50,100,400],"page-size":t.OutcomeParams.limit,layout:"sizes, prev, pager, next",total:t.HistoryOutcomeTotal},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(i){t.currentPage=i},"update:current-page":function(i){t.currentPage=i}}})],1)]):t._e()])])]):i("section",{staticClass:"miningAccount"},[i("div",{staticClass:"accountInformation"},[i("img",{attrs:{src:t.accountItem.img,alt:"coin"}}),i("span",{staticClass:"coin"},[t._v(t._s(t.accountItem.coin)+" ")]),i("i",{staticClass:"iconfont icon-youjiantou"}),i("span",{staticClass:"ma"},[t._v(" "+t._s(t.accountItem.ma))])]),i("div",{staticClass:"profitBox"},[i("div",{staticClass:"profitTop"},[i("div",{staticClass:"box"},[i("span",[t._v(t._s(t.$t("mining.totalRevenue"))+" ")]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.totalProfit))])]),i("div",{staticClass:"box"},[i("span",[t._v(t._s(t.$t("mining.totalExpenditure"))+" ")]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.expend))])]),i("div",{staticClass:"box"},[i("span",[t._v(t._s(t.$t("mining.yesterdaySEarnings"))+" ")]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.preProfit))])]),i("div",{staticClass:"box"},[i("span",[t._v(t._s(t.$t("mining.diggedToday"))+" "),i("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.diggedTodayTips")}},[i("img",{attrs:{src:e(3832),alt:"profit",loading:"lazy"}})])]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.todayPorfit))])]),i("div",{staticClass:"box"},[i("span",{staticClass:"paymentSettings"},[t._v(t._s(t.$t("mining.accountBalance"))+" "),i("div",{staticClass:"boxTitle",attrs:{"data-title":t.$t("mining.balanceReminder")}},[i("img",{attrs:{src:e(3832),alt:"profit",loading:"lazy"}})])]),i("span",{staticClass:"text"},[t._v(t._s(t.MinerAccountData.balance))])])]),i("div",{staticClass:"paymentSettingBth"},[i("el-button",{on:{click:t.jumpPage}},[t._v(t._s(t.$t("mining.paymentSettings")))])],1),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.powerChartLoading,expression:"powerChartLoading"}],staticClass:"profitBtm"},[i("div",{staticClass:"right"},[i("div",{staticClass:"intervalBox"},[i("div",{staticClass:"title"},[t._v(t._s(t.$t("mining.algorithmicDiagram")))]),i("div",{staticClass:"times"},t._l(t.intervalList,(function(e){return i("span",{key:e.value,class:{timeActive:t.timeActive==e.value},on:{click:function(i){return t.handleInterval(e.value)}}},[t._v(t._s(t.$t(e.label)))])})),0)]),i("div",{staticStyle:{width:"100%",height:"100%",padding:"0"},attrs:{id:"powerChart"}})])])]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.barChartLoading,expression:"barChartLoading"}],staticClass:"top2Box"},[i("div",{staticClass:"lineBOX"},[i("div",{staticClass:"intervalBox"},[i("div",{staticClass:"title"},[t._v(t._s(t.$t("mining.computingPower")))]),i("div",{staticClass:"times"},t._l(t.AccountPowerDistributionintervalList,(function(e){return i("span",{key:e.value,class:{timeActive:t.barActive==e.value},on:{click:function(i){return t.distributionInterval(e.value)}}},[t._v(t._s(t.$t(e.label)))])})),0)]),i("div",{staticStyle:{width:"100%",height:"90%",padding:"0"},attrs:{id:"barChart"}})])]),i("div",{staticClass:"top3Box"},[i("section",{staticClass:"tabPageBox"},[i("div",{staticClass:"tabPageTitle"},[i("div",{staticClass:"TitleS minerTitle",on:{click:function(i){return t.handleClick2("power")}}},[i("span",{staticClass:"trapezoid",class:{activeHeadlines:"power"==t.activeName2}},[i("span",[t._v(t._s(t.$t("mining.miner")))])])]),i("div",{staticClass:"TitleS profitTitle",on:{click:function(i){return t.handleClick2("miningMachine")}}},[i("span",{staticClass:"trapezoid",class:{activeHeadlines:"miningMachine"==t.activeName2}},[i("span",[t._v(t._s(t.$t("mining.profit")))])])]),i("div",{staticClass:"TitleS paymentTitle",on:{click:function(i){return t.handleClick2("payment")}}},[i("span",{staticClass:"trapezoid",class:{activeHeadlines:"payment"==t.activeName2}},[i("span",[t._v(t._s(t.$t("mining.payment")))])])])]),"power"==t.activeName2?i("section",{directives:[{name:"loading",rawName:"v-loading",value:t.MinerListLoading,expression:"MinerListLoading"}],staticClass:"page"},[i("div",{staticClass:"minerTitleBox"},[i("div",{staticClass:"TitleOnLine"},[i("span",{on:{click:function(i){return t.onlineStatus("all")}}},[i("span",{staticClass:"circularDots3",class:{activeCircular:"all"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.all"))+" "+t._s(t.MinerListData.all))]),i("span",{on:{click:function(i){return t.onlineStatus("onLine")}}},[i("div",{staticClass:"circularDots2",class:{activeCircular:"onLine"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.onLine"))+" "+t._s(t.MinerListData.online))]),i("span",{on:{click:function(i){return t.onlineStatus("off-line")}}},[i("div",{staticClass:"circularDots2",class:{activeCircular:"off-line"==t.sunTabActiveName}}),t._v(" "+t._s(t.$t("mining.offLine"))+" "+t._s(t.MinerListData.offline))])]),i("div",{staticClass:"searchBox"},[i("input",{directives:[{name:"model",rawName:"v-model",value:t.search,expression:"search"}],staticClass:"inout",attrs:{type:"text",placeholder:t.$t("personal.pleaseEnter2")},domProps:{value:t.search},on:{input:function(i){i.target.composing||(t.search=i.target.value)}}}),i("i",{staticClass:"el-icon-search",on:{click:t.handelSearch}})])]),"all"==t.sunTabActiveName?i("div",{staticClass:"publicBox all"},[i("div",{staticClass:"TitleAll",staticStyle:{"font-weight":"600"}},[i("span",[t._v(" "+t._s(t.$t("mining.miner")))]),i("span",[t._v(" "+t._s(t.$t("mining.Minutes"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("30m")}}})]),i("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("24h")}}})]),i("span",[t._v(t._s(t.$t("mining.submitTime")))]),i("span",[t._v(t._s(t.$t("mining.state")))])]),i("div",{staticClass:"totalTitleAll"},[i("span",[i("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total")))]),i("span",[t._v(t._s(t.MinerListData.rate)+" ")]),i("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")]),i("span",[t._v("   --- ")]),i("span")]),i("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(i){t.Accordion=i},expression:"Accordion"}},t._l(t.sortedMinerListTableData,(function(e,a){return i("div",{key:e.miner,class:"item-"+(a%2===0?"even":"odd")},[i("el-collapse-item",{attrs:{name:e.id},nativeOn:{click:function(i){return t.handelMiniOffLine(e.id,e.miner)}}},[i("template",{slot:"title"},[i("div",{staticClass:"accordionTitleAll"},[i("span",{class:{activeState:"2"==e.status}},["1"==e.status?i("div",{staticClass:"circularDotsOnLine"}):t._e(),"2"==e.status?i("div",{staticClass:"circularDotsOffLine"}):t._e(),t._v(" "+t._s(e.miner))]),i("span",[t._v(t._s(e.rate)+" ")]),i("span",[t._v(t._s(e.dailyRate))]),i("span",{staticClass:"offlineTime",class:{activeState:"2"==e.status},attrs:{title:e.submit}},[i("span",[t._v(t._s(e.submit)+" ")]),"2"==e.status?i("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(e.offline)}},[t._v(t._s(t.handelTimeInterval(e.offline)))]):t._e()]),i("span",{class:{activeState:"2"==e.status},attrs:{title:t.$t(t.handelStateList(e.status))}},[t._v(t._s(t.$t(t.handelStateList(e.status)))+" ")])])]),i("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(e.miner)+"  "+t._s(t.$t("mining.power24H"))+" ")]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"SmallOff"+e.id}})],2)],1)})),0)],1):"onLine"==t.sunTabActiveName?i("div",{staticClass:"publicBox onLine"},[i("div",{staticClass:"Title",staticStyle:{"font-weight":"600"}},[i("span",[t._v(" "+t._s(t.$t("mining.miner")))]),i("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("30m")}}})]),i("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("24h")}}})]),i("span",[t._v(t._s(t.$t("mining.submitTime")))])]),i("div",{staticClass:"totalTitle"},[i("span",[i("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total"))+" ")]),i("span",[t._v(t._s(t.MinerListData.rate)+" ")]),i("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")]),i("span",[t._v("   --- ")])]),i("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(i){t.Accordion=i},expression:"Accordion"}},t._l(t.MinerListTableData,(function(e,a){return i("div",{key:t.sunTabActiveName+e.miner,class:"item-"+(a%2==0?"even":"odd")},[i("el-collapse-item",{attrs:{name:e.id},nativeOn:{click:function(i){return t.handelOnLineMiniChart(e.id,e.miner)}}},[i("template",{slot:"title"},[i("div",{staticClass:"accordionTitle"},[i("span",[i("div",{staticClass:"circularDotsOnLine"}),t._v(" "+t._s(e.miner))]),i("span",[t._v(t._s(e.rate))]),i("span",[t._v(t._s(e.dailyRate))]),i("span",[t._v(t._s(e.submit))])])]),i("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(e.miner)+" "+t._s(t.$t("mining.power24H"))+" ")]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"Small"+e.id}})],2)],1)})),0)],1):"off-line"==t.sunTabActiveName?i("div",{staticClass:"publicBox off-line"},[i("div",{staticClass:"Title",staticStyle:{"font-weight":"600"}},[i("span",[t._v(" "+t._s(t.$t("mining.miner")))]),i("span",[t._v(t._s(t.$t("mining.Minutes"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("30m")}}})]),i("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s "),i("i",{staticClass:"iconfont icon-paixu sort",on:{click:function(i){return t.handleSort("24h")}}})]),i("span",[t._v(t._s(t.$t("mining.submitTime")))])]),i("div",{staticClass:"totalTitle"},[i("span",[i("div",{staticClass:"circularDots"}),t._v(" "+t._s(t.$t("mining.total"))+" ")]),i("span",[t._v(t._s(t.MinerListData.rate)+" ")]),i("span",[t._v(t._s(t.MinerListData.dailyRate)+" ")]),i("span",[t._v("   --- ")])]),i("el-collapse",{staticStyle:{"max-height":"800px",overflow:"auto"},attrs:{accordion:""},model:{value:t.Accordion,callback:function(i){t.Accordion=i},expression:"Accordion"}},t._l(t.MinerListTableData,(function(e,a){return i("div",{key:e.miner,class:"item-"+(a%2===0?"even":"odd")},[i("el-collapse-item",{attrs:{name:e.id},nativeOn:{click:function(i){return t.handelMiniOffLine(e.id,e.miner)}}},[i("template",{slot:"title"},[i("div",{staticClass:"accordionTitle"},[i("span",{class:{activeState:"2"==e.status}},[i("div",{staticClass:"circularDotsOffLine"}),t._v(" "+t._s(e.miner))]),i("span",[t._v(t._s(e.rate))]),i("span",[t._v(t._s(e.dailyRate))]),i("span",{staticClass:"offlineTime",class:{activeState:"2"==e.status},attrs:{title:e.submit}},[i("span",[t._v(t._s(e.submit)+" ")]),"2"==e.status?i("span",{staticClass:"timeTips",attrs:{title:t.handelTimeInterval(e.offline)}},[t._v(t._s(t.handelTimeInterval(e.offline)))]):t._e()])])]),i("p",{staticClass:"chartTitle"},[t._v(" "+t._s(t.$t("mining.miner"))+t._s(e.miner)+" "+t._s(t.$t("mining.power24H"))+" ")]),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.miniLoading,expression:"miniLoading"}],staticStyle:{width:"100%",height:"300px"},attrs:{id:"SmallOff"+e.id}})],2)],1)})),0)],1):t._e(),i("el-pagination",{staticClass:"minerPagination",attrs:{"current-page":t.currentPageMiner,"page-sizes":[50,100,200,400],"page-size":t.MinerListParams.limit,layout:"total, sizes, prev, pager, next, jumper",total:t.minerTotal},on:{"size-change":t.handleSizeMiner,"current-change":t.handleCurrentMiner,"update:currentPage":function(i){t.currentPageMiner=i},"update:current-page":function(i){t.currentPageMiner=i}}})],1):t._e(),"miningMachine"==t.activeName2?i("section",{staticClass:"miningMachine"},[i("div",{staticClass:"belowTable"},[i("ul",[i("li",{staticClass:"table-title"},[i("span",{attrs:{title:t.$t("mining.settlementDate")}},[t._v(t._s(t.$t("mining.settlementDate")))]),i("span",[t._v(t._s(t.$t("mining.dayPower"))+" MH/s")]),i("span",{attrs:{title:t.$t("mining.profit")}},[t._v(t._s(t.$t("mining.profit")))])]),t._l(t.HistoryIncomeData,(function(e,a){return i("li",{key:a,staticClass:"currency-list"},[i("span",{attrs:{title:e.date}},[t._v(t._s(e.date))]),i("span",{attrs:{title:e.mhs}},[t._v(t._s(e.mhs)+" ")]),i("span",{attrs:{title:e.amount}},[t._v(t._s(e.amount)+" "),i("span",{staticStyle:{color:"rgba(0, 0, 0, 0.5)","text-transform":"capitalize"}},[t._v(t._s(t.accountItem.coin.includes("dgb")?"dgb":t.accountItem.coin))])])])}))],2),i("el-pagination",{attrs:{"current-page":t.currentPageIncome,"page-sizes":[10,50,100,400],"page-size":t.IncomeParams.limit,layout:"total, sizes, prev, pager, next, jumper",total:t.HistoryIncomeTotal},on:{"size-change":t.handleSizeChangeIncome,"current-change":t.handleCurrentChangeIncome,"update:currentPage":function(i){t.currentPageIncome=i},"update:current-page":function(i){t.currentPageIncome=i}}})],1)]):t._e(),"payment"==t.activeName2?i("section",{staticClass:"payment"},[i("div",{staticClass:"belowTable"},[i("ul",[i("li",{staticClass:"table-title"},[i("span",{attrs:{title:t.$t("mining.withdrawalTime")}},[t._v(t._s(t.$t("mining.withdrawalTime")))]),i("span",{attrs:{title:t.$t("mining.withdrawalAddress")}},[t._v(t._s(t.$t("mining.withdrawalAddress")))]),i("span",{attrs:{title:t.$t("mining.withdrawalAmount")}},[t._v(t._s(t.$t("mining.withdrawalAmount")))]),i("span",{attrs:{title:t.$t("mining.paymentStatus")}},[t._v(t._s(t.$t("mining.paymentStatus")))])]),t._l(t.HistoryOutcomeData,(function(e){return i("li",{key:e.txid,staticClass:"currency-list"},[i("span",{attrs:{title:e.date}},[t._v(t._s(e.date))]),i("span",{staticStyle:{"text-align":"left"},attrs:{title:e.address}},[t._v(t._s(e.address))]),i("span",{attrs:{title:e.amount}},[t._v(t._s(e.amount)+" "),i("span",{staticStyle:{color:"rgba(0, 0, 0, 0.5)","text-transform":"capitalize"}},[t._v(t._s(t.accountItem.coin.includes("dgb")?"dgb":t.accountItem.coin))])]),i("span",{staticClass:"txidBox"},[i("span",{staticStyle:{"font-size":"0.8rem"}},[t._v(t._s(t.$t(t.handelPayment(e.status)))+" ")]),0!==e.status?i("span",{staticClass:"txid"},[i("el-popover",{attrs:{placement:"top",width:"300",trigger:"hover"}},[i("span",{ref:"txidRef",refInFor:!0,attrs:{id:`id${e.txid}`}},[t._v(t._s(e.txid)+" ")]),i("div",{staticStyle:{"text-align":"right",margin:"0"}},[i("el-button",{staticStyle:{"border-radius":"5px"},attrs:{size:"mini"},on:{click:function(i){return t.copyTxid(e.txid)}}},[t._v(t._s(t.$t("personal.copy"))+" ")])],1),i("div",{attrs:{slot:"reference"},on:{click:function(i){return t.handelTxid(e.txid)}},slot:"reference"},[t._v("Txid ")])])],1):t._e()])])}))],2),i("el-pagination",{attrs:{"current-page":t.currentPage,"page-sizes":[10,50,100,400],"page-size":t.OutcomeParams.limit,layout:"total, sizes, prev, pager, next, jumper",total:t.HistoryOutcomeTotal},on:{"size-change":t.handleSizeChange,"current-change":t.handleCurrentChange,"update:currentPage":function(i){t.currentPage=i},"update:current-page":function(i){t.currentPage=i}}})],1)]):t._e()])])])])},i.Yp=[]},47547:function(t,i,e){e.r(i),e.d(i,{__esModule:function(){return s.B},default:function(){return l}});var a=e(49260),s=e(18163),n=s.A,o=e(81656),r=(0,o.A)(n,a.XX,a.Yp,!1,null,"5cb22054",null),l=r.exports},49260:function(t,i,e){i.Yp=i.XX=void 0;i.XX=function(){var t=this,i=t._self._c;return i("div",{staticClass:"loginPage"},[t.$isMobile?i("section",{staticClass:"mobileMain"},[i("header",{staticClass:"headerBox"},[i("img",{attrs:{src:e(87596),alt:"logo",loading:"lazy"},on:{click:function(i){return t.handelJump("/")}}}),i("span",{staticClass:"title"},[t._v(t._s(t.$t("home.MLogin")))]),i("span")]),t._m(0),i("section",{staticClass:"formInput"},[i("el-form",{ref:"ruleForm",staticClass:"demo-ruleForm",attrs:{model:t.loginForm,"status-icon":"",rules:t.loginRules}},[i("el-form-item",{attrs:{prop:"userName"}},[i("el-input",{attrs:{"prefix-icon":"el-icon-user",autocomplete:"off",placeholder:t.$t("user.Account")},model:{value:t.loginForm.userName,callback:function(i){t.$set(t.loginForm,"userName",i)},expression:"loginForm.userName"}})],1),i("el-form-item",{attrs:{prop:"password"}},[i("el-input",{attrs:{type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",showPassword:"",placeholder:t.$t("user.password")},model:{value:t.loginForm.password,callback:function(i){t.$set(t.loginForm,"password",i)},expression:"loginForm.password"}})],1),i("el-form-item",{attrs:{prop:"code"}},[i("div",{staticClass:"verificationCode"},[i("el-input",{attrs:{type:"text","prefix-icon":"el-icon-chat-line-square",autocomplete:"off",placeholder:t.$t("user.verificationCode")},model:{value:t.loginForm.code,callback:function(i){t.$set(t.loginForm,"code",i)},expression:"loginForm.code"}}),i("el-button",{staticClass:"codeBtn",attrs:{disabled:t.btnDisabled},on:{click:t.handelCode}},[t.countDownTime<60&&t.countDownTime>0?i("span",[t._v(t._s(t.countDownTime))]):t._e(),t._v(" "+t._s(t.$t(t.bthText)))])],1)]),i("div",{staticClass:"registerBox"},[i("span",{staticClass:"noAccount"},[t._v(t._s(t.$t("user.noAccount")))]),i("span",{staticStyle:{color:"#661fff"},on:{click:function(i){return t.handelJump("register")}}},[t._v(t._s(t.$t("user.register")))]),i("span",{staticClass:"forget",staticStyle:{color:"#661fff"},on:{click:function(i){return t.handelJump("resetPassword")}}},[t._v(t._s(t.$t("user.forgotPassword")))])]),i("el-form-item",[i("el-button",{staticStyle:{width:"100%",background:"#661fff",color:"aliceblue","margin-top":"6%"},attrs:{loading:t.loginLoading},on:{click:function(i){return t.submitForm("ruleForm")}}},[t._v(t._s(t.$t("user.login")))]),i("div",{staticStyle:{"text-align":"left"}},[i("el-radio",{attrs:{label:"zh"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(i){t.radio=i},expression:"radio"}},[t._v("简体中文")]),i("el-radio",{attrs:{label:"en"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(i){t.radio=i},expression:"radio"}},[t._v("English")])],1)],1)],1)],1)]):i("section",{staticClass:"loginModular"},[i("div",{staticClass:"leftBox"},[i("img",{staticClass:"logo",attrs:{src:e(79613),alt:"logo"},on:{click:t.handleClick}}),i("img",{attrs:{src:e(58455),alt:"Login for mining"}})]),i("div",{staticClass:"loginBox"},[i("div",{staticClass:"closeBox",on:{click:t.handleClick}},[i("i",{staticClass:"iconfont icon-guanbi1 close"})]),i("el-form",{ref:"ruleForm",staticClass:"demo-ruleForm",attrs:{model:t.loginForm,"status-icon":"",rules:t.loginRules}},[i("el-form-item",[i("p",{staticClass:"loginTitle"},[t._v(t._s(t.$t("user.login")))])]),i("el-form-item",{attrs:{prop:"userName"}},[i("el-input",{attrs:{"prefix-icon":"el-icon-user",autocomplete:"off",placeholder:t.$t("user.Account"),type:"email"},model:{value:t.loginForm.userName,callback:function(i){t.$set(t.loginForm,"userName",i)},expression:"loginForm.userName"}})],1),i("el-form-item",{attrs:{prop:"password"}},[i("el-input",{attrs:{type:"password","prefix-icon":"el-icon-unlock",autocomplete:"off",showPassword:"",placeholder:t.$t("user.password")},model:{value:t.loginForm.password,callback:function(i){t.$set(t.loginForm,"password",i)},expression:"loginForm.password"}})],1),i("el-form-item",{attrs:{prop:"code"}},[i("div",{staticClass:"verificationCode"},[i("el-input",{attrs:{type:"text","prefix-icon":"el-icon-chat-line-square",autocomplete:"off",placeholder:t.$t("user.verificationCode")},model:{value:t.loginForm.code,callback:function(i){t.$set(t.loginForm,"code",i)},expression:"loginForm.code"}}),i("el-button",{staticClass:"codeBtn",attrs:{disabled:t.btnDisabled},on:{click:t.handelCode}},[t.countDownTime<60&&t.countDownTime>0?i("span",[t._v(t._s(t.countDownTime))]):t._e(),t._v(" "+t._s(t.$t(t.bthText)))])],1)]),i("div",{staticClass:"registerBox"},[i("span",{staticClass:"noAccount"},[t._v(t._s(t.$t("user.noAccount")))]),i("span",{staticStyle:{cursor:"pointer"},on:{click:function(i){return t.handelJump("/register")}}},[t._v(t._s(t.$t("user.register")))]),i("span",{staticClass:"forget",on:{click:function(i){return t.handelJump("/resetPassword")}}},[t._v(t._s(t.$t("user.forgotPassword")))])]),i("el-form-item",[i("el-button",{staticStyle:{width:"100%",background:"#661fff",color:"aliceblue","margin-top":"6%"},attrs:{loading:t.loginLoading},on:{click:function(i){return t.submitForm("ruleForm")}}},[t._v(t._s(t.$t("user.login")))]),i("div",{staticStyle:{"text-align":"left"}},[i("el-radio",{attrs:{label:"zh"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(i){t.radio=i},expression:"radio"}},[t._v("简体中文")]),i("el-radio",{attrs:{label:"en"},on:{input:t.handelRadio},model:{value:t.radio,callback:function(i){t.radio=i},expression:"radio"}},[t._v("English")])],1)],1)],1)],1)])])},i.Yp=[function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgTop"},[i("img",{attrs:{src:e(6006),alt:"Login for mining",loading:"lazy"}})])}]},71133:function(t,i,e){i.Yp=i.XX=void 0;i.XX=function(){var t=this,i=t._self._c;return i("div",{staticClass:"wscn-http404-container"},[i("div",{staticClass:"wscn-http404"},[t._m(0),i("div",{staticClass:"bullshit"},[i("div",{staticClass:"bullshit__oops"},[t._v(" 404 ")]),i("div",{staticClass:"bullshit__headline"},[t._v(" "+t._s(t.$t(t.message))+" ")]),i("div",{staticClass:"bullshit__info"},[t._v(" "+t._s(t.$t("user.noPage"))+" ")])])])])},i.Yp=[function(){var t=this,i=t._self._c;return i("div",{staticClass:"pic-404"},[i("img",{staticClass:"pic-404__parent",attrs:{src:e(22792),alt:"404"}}),i("img",{staticClass:"pic-404__child left",attrs:{src:e(950),alt:"404"}}),i("img",{staticClass:"pic-404__child mid",attrs:{src:e(950),alt:"404"}}),i("img",{staticClass:"pic-404__child right",attrs:{src:e(950),alt:"404"}})])}]},81349:function(t,i,e){i.Yp=i.XX=void 0;i.XX=function(){var t=this,i=t._self._c;return i("div",[t.$isMobile?i("section",[t._m(0),i("div",{staticClass:"currencySelect"},[i("el-menu",{staticClass:"el-menu-demo",attrs:{mode:"horizontal"}},[i("el-submenu",{staticStyle:{background:"transparent"},attrs:{index:"1"}},[i("template",{slot:"title"},[i("span",{ref:"coinSelect",staticClass:"coinSelect"},[i("img",{attrs:{src:t.currencyPath,alt:"coin"}}),i("span",[t._v(t._s(t.handelLabel(t.params.coin)))])])]),i("ul",{staticClass:"moveCurrencyBox"},t._l(t.currencyList,(function(e){return i("li",{key:e.value,on:{click:function(i){return t.clickCurrency(e)}}},[i("img",{attrs:{src:e.img,alt:"coin",loading:"lazy"}}),i("p",[t._v(t._s(e.label))])])})),0)],2)],1)],1),i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.minerChartLoading,expression:"minerChartLoading"}],staticClass:"miningPoolLeft"},[i("div",{staticClass:"interval"},[i("div",{staticClass:"chartBth"},[i("div",{staticClass:"slideBox"},[i("span",{class:{slideActive:t.powerActive},on:{click:t.handelPower}},[t._v(t._s(t.$t("home.CurrencyPower")))]),i("span",{class:{slideActive:!t.powerActive},on:{click:t.handelMiner}},[t._v(t._s(t.$t("home.networkPower")))])])]),i("div",{staticClass:"timeBox"},t._l(t.intervalList,(function(e){return i("span",{key:e.value,staticClass:"times",class:{timeActive:t.timeActive==e.value},on:{click:function(i){return t.intervalChange(e.value)}}},[t._v(t._s(t.$t(e.label)))])})),0)]),t.powerActive?i("div",{staticStyle:{width:"100%",height:"100%","min-width":"200px"},attrs:{id:"chart"}}):t._e(),t.powerActive?t._e():i("div",{staticStyle:{width:"100%",height:"100%","min-width":"200px","min-height":"380px"},attrs:{id:"minerChart"}})]),i("section",{staticClass:"describeBox2"},[i("p",[i("i",{staticClass:"iconfont icon-tishishuoming"}),i("span",{staticClass:"describeTitle"},[t._v(t._s(t.$t("home.describeTitle")))]),t._v(t._s(t.$t("home.describe"))+" "),i("span",{staticClass:"view",on:{click:function(i){return t.handelJump("/allocationExplanation")}}},[t._v(" "+t._s(t.$t("home.view"))+" ")])])]),i("div",{staticClass:"miningPoolRight"},[i("ul",{staticClass:"dataBlockBox"},[i("li",{staticClass:"dataBlock"},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.power")}},[t._v(t._s(t.$t("home.power")))]),i("p",{staticClass:"content",attrs:{title:t.CoinData.poolPower}},[t._v(" "+t._s(t.CoinData.poolPower)+" ")])]),t._m(1)]),"enx"!==this.params.coin?i("li",{staticClass:"dataBlock"},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.networkPower")}},[t._v(" "+t._s(t.$t("home.networkPower"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.totalPower}},[t._v(" "+t._s(t.CoinData.totalPower)+" ")])]),t._m(2)]):t._e(),"enx"!==this.params.coin?i("li",{staticClass:"dataBlock"},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.networkDifficulty")}},[t._v(" "+t._s(t.$t("home.networkDifficulty"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.totalDifficulty}},[t._v(" "+t._s(t.CoinData.totalDifficulty)+" ")])]),t._m(3)]):t._e(),i("li",[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.algorithm")}},[t._v(" "+t._s(t.$t("home.algorithm"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.algorithm}},[t._v(" "+t._s(t.CoinData.algorithm)+" ")])]),t._m(4)]),"enx"!==this.params.coin?i("li",[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.height")}},[t._v(t._s(t.$t("home.height")))]),i("p",{staticClass:"content",attrs:{title:t.CoinData.height}},[t._v(" "+t._s(t.CoinData.height)+" ")])]),t._m(5)]):t._e(),"enx"!==this.params.coin?i("li",[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.coinValue")}},[t._v(" "+t._s(t.$t("home.coinValue"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.price}},[t._v(" "+t._s(t.CoinData.price)+" ")])]),t._m(6)]):t._e(),i("li",[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.mode")}},[t._v(" "+t._s(t.$t("home.mode"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.model}},[t._v(" "+t._s(t.CoinData.model)+" / "+t._s(t.CoinData.fee)+"% ")])]),t._m(7)]),i("li",{staticClass:"profitCalculation",attrs:{id:"myDiv"},on:{click:t.handelProfitCalculation}},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.profitCalculation")}},[t._v(" "+t._s(t.$t("home.profitCalculation"))+" ")])]),t._m(8)]),i("li",{staticClass:"ConnectMiningPool",on:{click:function(i){return t.handelJump("/AccessMiningPool")}}},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.ConnectMiningPool")}},[t._v(" "+t._s(t.$t("home.ConnectMiningPool"))+" ")]),i("p",{staticClass:"content"})]),t._m(9)])])]),i("div",{staticClass:"reportBlock"},[i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.reportBlockLoading,expression:"reportBlockLoading"}],staticClass:"reportBlockBox"},[i("div",{staticClass:"belowTable"},[i("ul",[i("li",{staticClass:"table-title2"},[i("span",{staticClass:"block-Height",attrs:{title:t.$t("home.blockHeight")}},[t._v(t._s(t.$t("home.blockHeight")))]),i("span",{staticClass:"block-Time",attrs:{title:t.$t("home.blockingTime")}},[t._v(t._s(t.$t("home.blockingTime")))])]),t._l(t.newBlockInfoData,(function(e){return i("li",{key:e.hash,staticClass:"currency-list2",on:{click:t.clickReportBlock}},[i("span",{staticClass:"block-height"},[t._v(t._s(e.height))]),i("span",{staticClass:"block-time"},[t._v(t._s(e.date))])])}))],2)])])]),i("section",{directives:[{name:"show",rawName:"v-show",value:t.showCalculator,expression:"showCalculator"}],staticClass:"Calculator"},[i("div",{staticClass:"prop"},[i("div",{staticClass:"titleBox"},[i("span",[t._v(t._s(t.$t("home.profitCalculation")))]),i("i",{staticClass:"iconfont icon-guanbi close",on:{click:t.handelClose}})]),i("div",{staticClass:"cautionBox"},[i("span",[t._v(t._s(t.$t("home.caution")))]),t._v(" "+t._s(t.$t("home.calculatorTips"))+" ")]),i("div",{staticClass:"selectCurrency"},[i("div",{staticClass:"Currency2"},[i("el-select",{ref:"select",on:{change:function(i){return t.changeSelection(t.value)}},model:{value:t.value,callback:function(i){t.value=i},expression:"value"}},t._l(t.currencyList,(function(e){return i("el-option",{key:e.value,attrs:{label:e.label,value:e.value}},[i("div",{staticStyle:{display:"flex","align-items":"center"}},[i("img",{staticStyle:{float:"left",width:"20px"},attrs:{src:e.imgUrl}}),i("span",{staticStyle:{float:"left","margin-left":"5px"}},[t._v(" "+t._s(e.label))])])])})),1)],1)]),i("div",{staticClass:"content2"},[i("div",{staticClass:"item"},[i("p",{staticClass:"power"},[t._v(t._s(t.$t("home.Power"))+": ")]),i("el-input",{staticClass:"input-with-select",staticStyle:{width:"90%",height:"30px"},on:{change:t.handelCalculation},model:{value:t.inputPower,callback:function(i){t.inputPower=i},expression:"inputPower"}},[i("el-select",{staticStyle:{width:"100px"},attrs:{slot:"append"},on:{change:t.handelCalculation},slot:"append",model:{value:t.select,callback:function(i){t.select=i},expression:"select"}},[i("el-option",{attrs:{label:"MH/s",value:"MH/s"}}),i("el-option",{attrs:{label:"GH/s",value:"GH/s"}}),i("el-option",{attrs:{label:"TH/s",value:"TH/s"}})],1)],1)],1),i("div",{staticClass:"item"},[i("p",{staticClass:"time"},[t._v(t._s(t.$t("home.time"))+": ")]),i("el-select",{staticStyle:{width:"90%"},on:{change:t.handelCalculation},model:{value:t.time,callback:function(i){t.time=i},expression:"time"}},t._l(t.selectTime,(function(e){return i("el-option",{key:e.value,attrs:{label:t.$t(e.label),value:e.value}})})),1)],1),i("div",{staticClass:"item"},[i("p",{staticClass:"profit"},[t._v(t._s(t.$t("home.profit"))+": ")]),i("el-input",{staticStyle:{width:"90%",height:"20px"},attrs:{disabled:"",placeholder:t.$t("mining.profit")},model:{value:t.profit,callback:function(i){t.profit=i},expression:"profit"}})],1)])])])]):i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.minerChartLoading,expression:"minerChartLoading"}],staticClass:"content"},[t._m(10),i("el-row",[i("el-col",{attrs:{xs:24,sm:24,md:24,lg:24,xl:24}},[i("el-card",[i("div",{staticClass:"monitor-list"},[i("div",{staticClass:"btn left",on:{click:t.scrollLeft}},[i("i",{staticClass:"iconfont icon-icon-prev"})]),i("div",{staticClass:"list-box",attrs:{id:"list-box"}},[i("div",{staticClass:"list",attrs:{id:"list"}},t._l(t.currencyList,(function(e){return i("div",{key:e.value,staticClass:"list-item",on:{click:function(i){return t.clickCurrency(e)}}},[i("img",{attrs:{src:e.img,alt:"coin"}}),i("span",{class:{active:t.itemActive===e.value}},[t._v(" "+t._s(e.label))])])})),0)]),i("div",{staticClass:"btn right",on:{click:t.scrollRight}},[i("i",{staticClass:"iconfont icon-zuoyoujiantou1"})])])])],1)],1),i("section",{staticClass:"describeBox"},[i("p",[i("i",{staticClass:"iconfont icon-tishishuoming"}),i("span",{staticClass:"describeTitle"},[t._v(t._s(t.$t("home.describeTitle")))]),t._v(t._s(t.$t("home.describe"))+" "),i("span",{staticClass:"view",on:{click:function(i){return t.handelJump("/allocationExplanation")}}},[t._v(" "+t._s(t.$t("home.view"))+" ")])])]),i("div",{staticClass:"contentBox"},[i("el-row",[i("div",{staticClass:"currencyDescription2"},[i("section",{staticClass:"miningPoolBox"},[i("el-col",{attrs:{xs:24,sm:24,md:24,lg:12,xl:12}},[i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.minerChartLoading,expression:"minerChartLoading"},{name:"loading-recovery",rawName:"v-loading-recovery",value:{loading:"minerChartLoading",recovery:["getPoolPowerData","fetchNetPower"]},expression:"{ loading: 'minerChartLoading', recovery: ['getPoolPowerData', 'fetchNetPower'] }"}],staticClass:"miningPoolLeft"},[i("div",{staticClass:"interval"},[i("div",{staticClass:"chartBth"},[i("div",{staticClass:"slideBox"},[i("span",{class:{slideActive:t.powerActive},on:{click:t.handelPower}},[t._v(t._s(t.$t("home.CurrencyPower")))]),i("span",{class:{slideActive:!t.powerActive},on:{click:t.handelMiner}},[t._v(t._s(t.$t("home.networkPower")))])])])]),i("div",{staticClass:"timeBox",staticStyle:{"text-align":"right","padding-right":"35px","margin-bottom":"8px"}},t._l(t.intervalList,(function(e){return i("span",{key:e.value,staticClass:"times",class:{timeActive:t.timeActive==e.value},on:{click:function(i){return t.intervalChange(e.value)}}},[t._v(t._s(t.$t(e.label)))])})),0),t.powerActive?i("div",{staticStyle:{width:"100%",height:"100%","min-width":"200px"},attrs:{id:"chart"}}):t._e(),t.powerActive?t._e():i("div",{staticStyle:{width:"100%",height:"100%"},attrs:{id:"minerChart"}})])]),i("el-col",{attrs:{xs:24,sm:24,md:24,lg:12,xl:12}},[i("div",{staticClass:"miningPoolRight"},[i("ul",{staticClass:"dataBlockBox"},[i("li",{class:{dataBlock:"enx"!==this.params.coin}},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.power")}},[t._v(t._s(t.$t("home.power")))]),i("p",{staticClass:"content",attrs:{title:t.CoinData.poolPower}},[t._v(" "+t._s(t.CoinData.poolPower)+" ")])]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(48370),alt:"power"}})])]),"enx"!==this.params.coin?i("li",{staticClass:"dataBlock"},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.networkPower")}},[t._v(" "+t._s(t.$t("home.networkPower"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.totalPower}},[t._v(" "+t._s(t.CoinData.totalPower)+" ")])]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(27596),alt:"Computing power"}})])]):t._e(),"enx"!==this.params.coin?i("li",{staticClass:"dataBlock"},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.networkDifficulty")}},[t._v(" "+t._s(t.$t("home.networkDifficulty"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.totalDifficulty}},[t._v(" "+t._s(t.CoinData.totalDifficulty)+" ")])]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(69218),alt:"difficulty"}})])]):t._e(),i("li",[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.algorithm")}},[t._v(" "+t._s(t.$t("home.algorithm"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.algorithm}},[t._v(" "+t._s(t.CoinData.algorithm)+" ")])]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(66560),alt:"algorithm"}})])]),"enx"!==this.params.coin?i("li",[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.height")}},[t._v(" "+t._s(t.$t("home.height"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.height}},[t._v(" "+t._s(t.CoinData.height)+" ")])]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(1708),alt:"height"}})])]):t._e(),"enx"!==this.params.coin?i("li",[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.coinValue")}},[t._v(" "+t._s(t.$t("home.coinValue"))+" ")]),i("p",{staticClass:"content",attrs:{title:t.CoinData.price}},[t._v(" "+t._s(t.CoinData.price)+" ")])]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(37720),alt:"Currency price"}})])]):t._e(),i("li",[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.mode")}},[t._v(" "+t._s(t.$t("home.mode"))+" ")]),i("p",{staticClass:"content",staticStyle:{"font-size":"0.8rem","margin-right":"5px"},attrs:{title:t.CoinData.price}},[t._v(" "+t._s(t.CoinData.model)+" / "+t._s(t.CoinData.fee)+"%")])]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(74910),alt:"Profit Calculator"}})])]),i("li",{staticClass:"profitCalculation",attrs:{id:"myDiv"},on:{click:t.handelProfitCalculation}},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.profitCalculation")}},[t._v(" "+t._s(t.$t("home.profitCalculation"))+" ")])]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(67698),alt:"Profit Calculator"}})])]),i("li",{staticClass:"ConnectMiningPool",on:{click:function(i){return t.handelJump("/AccessMiningPool")}}},[i("div",{staticClass:"text"},[i("p",{attrs:{title:t.$t("home.ConnectMiningPool")}},[t._v(" "+t._s(t.$t("home.ConnectMiningPool"))+" ")]),i("p",{staticClass:"content"})]),i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(1717),alt:"Connect to the mining pool"}})])])])])])],1)])])],1),i("el-row",[i("el-col",{attrs:{xs:24,sm:24,md:24,lg:24,xl:24}},[i("div",{staticClass:"reportBlock"},[i("div",{directives:[{name:"loading",rawName:"v-loading",value:t.reportBlockLoading,expression:"reportBlockLoading"},{name:"loading-recovery",rawName:"v-loading-recovery",value:{loading:"reportBlockLoading",recovery:["getBlockInfoData"]},expression:"{ loading: 'reportBlockLoading', recovery: ['getBlockInfoData'] }"}],staticClass:"reportBlockBox"},[i("div",{staticClass:"belowTable"},[i("ul",[i("li",{staticClass:"table-title"},[i("span",{attrs:{title:t.$t("home.blockHeight")}},[t._v(t._s(t.$t("home.blockHeight")))]),i("span",{attrs:{title:t.$t("home.blockingTime")}},[t._v(t._s(t.$t("home.blockingTime")))]),i("span",{staticClass:"hash",attrs:{title:t.$t("home.blockHash")}},[t._v(t._s(t.$t("home.blockHash")))]),i("div",{staticClass:"blockRewards",attrs:{title:t.$t("home.blockRewards")}},[t._v(" "+t._s(t.$t("home.blockRewards"))+" ("+t._s(t.handelLabel2(t.params.coin))+") ")])]),t._l(t.newBlockInfoData,(function(e){return i("li",{key:e.hash,staticClass:"currency-list",on:{click:t.clickReportBlock}},[i("span",[t._v(t._s(e.height))]),i("span",[t._v(t._s(e.date))]),i("span",{staticClass:"hash",attrs:{title:e.hash}},[t._v(t._s(e.hash))]),i("span",{staticClass:"reward",attrs:{title:e.reward}},[t._v(t._s(e.reward))])])}))],2)])])])])],1),i("section",{directives:[{name:"show",rawName:"v-show",value:t.showCalculator,expression:"showCalculator"}],staticClass:"Calculator"},[i("div",{staticClass:"prop"},[i("div",{staticClass:"titleBox"},[i("span",[t._v(t._s(t.$t("home.profitCalculation")))]),i("i",{staticClass:"iconfont icon-guanbi close",on:{click:t.handelClose}})]),i("div",{staticClass:"cautionBox"},[i("span",[t._v(t._s(t.$t("home.caution")))]),t._v(" "+t._s(t.$t("home.calculatorTips"))+" ")]),i("div",{staticClass:"selectCurrency"},[i("div",{staticClass:"Currency2"},[i("el-select",{ref:"select",on:{change:function(i){return t.changeSelection(t.value)}},model:{value:t.value,callback:function(i){t.value=i},expression:"value"}},t._l(t.currencyList,(function(e){return i("el-option",{key:e.value,attrs:{label:e.label,value:e.value}},[i("div",{staticStyle:{display:"flex","align-items":"center"}},[i("img",{staticStyle:{float:"left",width:"20px"},attrs:{src:e.imgUrl}}),i("span",{staticStyle:{float:"left","margin-left":"5px"}},[t._v(" "+t._s(e.label))])])])})),1)],1)]),i("div",{staticClass:"content2"},[i("div",{staticClass:"titleS"},[i("span",{staticClass:"power"},[t._v(t._s(t.$t("home.Power")))]),i("span",{staticClass:"time"},[t._v(t._s(t.$t("home.time")))]),i("span",{staticClass:"profit"},[t._v(t._s(t.$t("home.profit")))])]),i("div",{staticClass:"computingPower"},[i("el-input",{staticClass:"input-with-select",staticStyle:{width:"40%",height:"50px"},on:{change:t.handelCalculation},model:{value:t.inputPower,callback:function(i){t.inputPower=i},expression:"inputPower"}},[i("el-select",{staticStyle:{width:"100px"},attrs:{slot:"append"},on:{change:t.handelCalculation},slot:"append",model:{value:t.select,callback:function(i){t.select=i},expression:"select"}},[i("el-option",{attrs:{label:"MH/s",value:"MH/s"}}),i("el-option",{attrs:{label:"GH/s",value:"GH/s"}}),i("el-option",{attrs:{label:"TH/s",value:"TH/s"}})],1)],1),i("el-select",{staticStyle:{width:"15%"},on:{change:t.handelCalculation},model:{value:t.time,callback:function(i){t.time=i},expression:"time"}},t._l(t.selectTime,(function(e){return i("el-option",{key:e.value,attrs:{label:t.$t(e.label),value:e.value}})})),1),i("el-input",{staticStyle:{width:"40%",height:"50px"},attrs:{disabled:"",placeholder:t.$t("mining.profit")},model:{value:t.profit,callback:function(i){t.profit=i},expression:"profit"}})],1)])])])],1)])},i.Yp=[function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgTop"},[i("img",{attrs:{src:e(27034),alt:"mining",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(48370),alt:"power",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(27596),alt:"Computing power",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(69218),alt:"difficulty",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(66560),alt:"algorithm"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(1708),alt:"height",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(37720),alt:"Currency price",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(74910),alt:"Currency price",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(67698),alt:"Profit Calculator",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"imgIcon"},[i("img",{attrs:{src:e(1717),alt:"Connect to the mining pool",loading:"lazy"}})])},function(){var t=this,i=t._self._c;return i("div",{staticClass:"bgBox"},[i("img",{staticClass:"bgImg",attrs:{src:e(22345),alt:"mining",loading:"lazy"}})])}]},91064:function(t,i,e){e.r(i),e.d(i,{__esModule:function(){return s.B},default:function(){return l}});var a=e(71133),s=e(94729),n=s.A,o=e(81656),r=(0,o.A)(n,a.XX,a.Yp,!1,null,"a5129446",null),l=r.exports},93852:function(t,i,e){var a=e(3999)["default"];Object.defineProperty(i,"B",{value:!0}),i.A=void 0;var s=a(e(37320));i.A={metaInfo:{meta:[{name:"keywords",content:"M2Pool 矿池,首页,热门币种挖矿,稳定收益,Home,Popular Coins Mining,Stable Income Permission Levels,Account Privileges,Member Level Rates"},{name:"description",content:window.vm.$t("seo.Home")}]},mixins:[s.default]}},94729:function(t,i){Object.defineProperty(i,"B",{value:!0}),i.A=void 0;i.A={name:"Page404",computed:{message(){return"user.canTFind"}}}}}]); \ No newline at end of file diff --git a/mining-pool/test/js/app-72600b29.6b68c3d1.js.gz b/mining-pool/test/js/app-72600b29.6b68c3d1.js.gz new file mode 100644 index 0000000..a04364e Binary files /dev/null and b/mining-pool/test/js/app-72600b29.6b68c3d1.js.gz differ diff --git a/mining-pool/test/js/app-b4c4f6ec.bf0536f4.js b/mining-pool/test/js/app-b4c4f6ec.bf0536f4.js new file mode 100644 index 0000000..98e915a --- /dev/null +++ b/mining-pool/test/js/app-b4c4f6ec.bf0536f4.js @@ -0,0 +1 @@ +"use strict";(self["webpackChunkmining_pool"]=self["webpackChunkmining_pool"]||[]).push([[218],{2487:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{staticClass:"AccessMiningPoolMain"},[s("section",{staticClass:"nexaAccess"},[t.$isMobile?s("section",[s("div",{staticClass:"mainTitle",attrs:{id:"table"}},[s("span",[t._v(" "+t._s(t.$t("course.NEXAcourse")))])]),s("div",{staticClass:"tableBox"},[s("div",{staticClass:"table-title"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",{staticClass:"coin quota"},[t._v(t._s(t.$t("course.amount")))])]),s("el-collapse",{model:{value:t.activeName,callback:function(s){t.activeName=s},expression:"activeName"}},[s("el-collapse-item",{attrs:{name:"1"}},[s("template",{slot:"title"},[s("div",{staticClass:"collapseTitle"},[s("span",{staticClass:"coinBox"},[s("img",{staticStyle:{width:"20px"},attrs:{src:t.getImageUrl("img/nexa.png"),alt:"coin",loading:"lazy"}}),t._v("Nexa")]),s("span",[t._v("10000")])])]),s("div",{staticClass:"belowTable"},[s("div",[s("p",[t._v(t._s(t.$t("course.TCP")))]),s("p",[t._v(" stratum+tcp://nexa.m2pool.com:33333"),s("span",{staticClass:"copy",on:{click:function(s){return t.clickCopy("stratum+tcp://nexa.m2pool.com:33333")}}},[t._v(t._s(t.$t("personal.copy")))])])]),s("div",[s("p",[t._v(t._s(t.$t("course.SSL")))]),s("p",[t._v(" stratum+ssl://nexa.m2pool.com:33335 "),s("span",{staticClass:"copy",on:{click:function(s){return t.clickCopy("stratum+ssl://nexa.m2pool.com:33335")}}},[t._v(t._s(t.$t("personal.copy")))])])]),s("div",[s("p",[t._v(t._s(t.$t("course.GPU")))]),s("p",[t._v("bzminer、lolminer、Rigel、WildRig")])]),s("div",[s("p",[t._v(t._s(t.$t("course.ASIC")))]),s("p",[t._v(t._s(t.$t("course.dragonBall")))])])])],2)],1)],1),s("p",{attrs:{id:"careful"}},[t._v(" "+t._s(t.$t("course.careful"))),s("a",{staticClass:"mail",attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail")))]),t._v(" (support@m2pool.com) "+t._s(t.$t("course.careful2"))+" ")]),s("section",{staticClass:"step",attrs:{id:"step1"}},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step1")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.accountContent1")))]),s("p",[t._v(t._s(t.$t("course.accountContent2")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step2")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.bindWalletText1")))]),s("p",[t._v("    "),s("span",[s("span",[t._v(t._s(t.$t("course.bindWalletText2")))])]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://nexa.org/"}},[t._v("https://nexa.org/")]),t._v(", "+t._s(t.$t("course.bindWalletText3"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText4")))]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.mxc.com/"}},[t._v("MEXC")]),t._v("、 "),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.coinex.com/zh-hans/"}},[t._v("CoinEx")]),t._v(" "+t._s(t.$t("course.bindWalletText5"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText6")))]),t._v(t._s(t.$t("course.bindWalletText7"))+" ")]),s("p",[t._v(t._s(t.$t("course.bindWalletText8")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step4")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(" "+t._s(t.$t("course.parameter"))),s("a",{staticClass:"mail",attrs:{href:"#table"}},[t._v(" "+t._s(t.$t("course.parameter5")))]),t._v(" "+t._s(t.$t("course.parameter6"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter2"))+" "),s("a",{staticClass:"mail",attrs:{href:"#step1"}},[t._v(" "+t._s(t.$t("course.parameter7")))]),t._v(" "+t._s(t.$t("course.parameter8"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter3"))+" "),s("a",{staticClass:"mail",attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail")))]),t._v(" "+t._s(t.$t("course.parameter4"))+" ")])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step3")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.miningIncome1")))]),s("p",[t._v(t._s(t.$t("course.miningIncome2")))])])])]):s("section",{staticClass:"AccessMiningPool2"},[s("section",{directives:[{name:"show",rawName:"v-show",value:"nexa"==t.activeCoin,expression:"activeCoin == 'nexa'"}],staticClass:"table"},[s("div",{staticClass:"mainTitle"},[s("img",{attrs:{src:t.getImageUrl("img/nexa.png"),alt:"coin",loading:"lazy"}}),s("span",[t._v(" "+t._s(t.$t("course.NEXAcourse")))])]),s("div",{staticClass:"theServer",attrs:{id:"selectServer"}},[s("div",{staticClass:"title"},[t._v(t._s(t.$t("course.selectServer")))]),s("ul",[s("li",{staticClass:"liTitle"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",{staticClass:"coin quota"},[t._v(t._s(t.$t("course.amount")))]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.TCP")))]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.SSL")))])]),s("li",[s("span",{staticClass:"coin"},[s("img",{attrs:{src:t.getImageUrl("img/nexa.png"),alt:"coin",loading:"lazy"}}),s("span",[t._v("Nexa")])]),s("span",{staticClass:"coin quota"},[t._v("10000")]),s("span",{staticClass:"port"},[t._v(" stratum+tcp://nexa.m2pool.com:33333  "),s("i",{staticClass:"iconfont icon-fuzhi",on:{click:function(s){return t.clickCopy("stratum+tcp://nexa.m2pool.com:33333")}}})]),s("span",{staticClass:"port"},[t._v("stratum+ssl://nexa.m2pool.com:33335   "),s("i",{staticClass:"iconfont icon-fuzhi",on:{click:function(s){return t.clickCopy("stratum+ssl://nexa.m2pool.com:33335")}}})])])]),s("div",{staticClass:"title"},[t._v(t._s(t.$t("course.Adaptation")))]),s("ul",[s("li",{staticClass:"liTitle"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",{staticClass:"coin quota"}),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.GPU")))]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.ASIC")))])]),s("li",[s("span",{staticClass:"coin"},[s("img",{attrs:{src:t.getImageUrl("img/nexa.png"),alt:"coin",loading:"lazy"}}),s("span",[t._v("Nexa")])]),s("span",{staticClass:"coin quota"}),s("span",{staticClass:"port"},[t._v(" bzminer、lolminer、Rigel、WildRig  ")]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.dragonBall"))+"   ")])])])]),s("p",{staticClass:"careful"},[t._v(" "+t._s(t.$t("course.careful"))),s("a",{attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail"))+":support@m2pool.com ")]),t._v(t._s(t.$t("course.careful2"))+" ")]),s("section",{staticClass:"step",attrs:{id:"step2"}},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step1")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.accountContent1")))]),s("p",[t._v(t._s(t.$t("course.accountContent2")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step2")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.bindWalletText1")))]),s("p",[t._v("    "),s("span",[s("span",[t._v(t._s(t.$t("course.bindWalletText2")))])]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://nexa.org/"}},[t._v("https://nexa.org/")]),t._v(", "+t._s(t.$t("course.bindWalletText3"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText4")))]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.mxc.com/"}},[t._v("MEXC")]),t._v("、 "),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.coinex.com/zh-hans/"}},[t._v("CoinEx")]),t._v(" "+t._s(t.$t("course.bindWalletText5"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText6")))]),t._v(t._s(t.$t("course.bindWalletText7"))+" ")]),s("p",[t._v(t._s(t.$t("course.bindWalletText8")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step4")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(" "+t._s(t.$t("course.parameter"))),s("a",{attrs:{href:"#selectServer"}},[t._v(t._s(t.$t("course.parameter5")))]),t._v(t._s(t.$t("course.parameter6"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter2"))),s("a",{attrs:{href:"#step2"}},[t._v(t._s(t.$t("course.parameter7")))]),t._v(t._s(t.$t("course.parameter8"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter3"))+" "),s("a",{attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail")))]),t._v(" "+t._s(t.$t("course.parameter4"))+" ")])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step3")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.miningIncome1")))]),s("p",[t._v(t._s(t.$t("course.miningIncome2")))])])])])])])])},s.Yp=[]},4710:function(t,s,e){Object.defineProperty(s,"B",{value:!0}),s.A=void 0,e(44114),e(18111),e(22489),e(20116),e(61701);var a=e(51775);s.A={name:"CustomerServiceChat",data(){return{searchText:"",inputMessage:"",currentContactId:null,previewVisible:!1,previewImageUrl:"",contacts:[],messages:{},messagesLoading:!1,sending:!1,loadingRooms:!0}},computed:{filteredContacts(){return this.searchText?this.contacts.filter((t=>t.name.toLowerCase().includes(this.searchText.toLowerCase()))):this.contacts},currentContact(){return this.contacts.find((t=>t.roomId===this.currentContactId))},currentMessages(){return this.messages[this.currentContactId]||[]}},methods:{async fetchRoomList(){try{this.loadingRooms=!0;const t=await(0,a.getRoomList)();t&&200===t.code&&t.data?this.contacts=t.data.map((t=>({roomId:t.roomId,name:t.roomName||"未命名聊天室",avatar:this.getDefaultAvatar(t.roomName||"未命名聊天室"),lastMessage:t.lastMessage||"暂无消息",lastTime:t.lastTime||new Date,unread:t.unreadCount||0,important:t.important||!1}))):this.$message.error("获取聊天室列表失败")}catch(t){console.error("获取聊天室列表异常:",t),this.$message.error("获取聊天室列表异常")}finally{this.loadingRooms=!1}},async selectContact(t){if(this.currentContactId!==t){if(this.currentContactId=t,this.messages[t]||await this.loadMessages(t),this.currentContact&&this.currentContact.unread>0)try{await(0,a.getReadMessage)({roomId:t});const s=this.contacts.find((s=>s.roomId===t));s&&(s.unread=0)}catch(s){console.error("标记消息已读失败:",s)}this.$nextTick((()=>{this.scrollToBottom()}))}},async loadMessages(t){if(t)try{this.messagesLoading=!0;const s=await(0,a.getHistory7)();if(s&&200===s.code&&s.data){const e=s.data.filter((s=>s.roomId===t)).map((t=>({sender:t.senderName||"未知发送者",avatar:t.isSelf?this.getDefaultAvatar("我"):this.getDefaultAvatar(t.senderName||"未知发送者"),content:t.content,time:new Date(t.createTime),isSelf:t.isSelf,isImage:"image"===t.type})));this.$set(this.messages,t,e)}else this.$message.warning("获取聊天记录失败"),this.$set(this.messages,t,[])}catch(s){console.error("加载消息异常:",s),this.$message.error("加载消息异常"),this.$set(this.messages,t,[])}finally{this.messagesLoading=!1}},async loadHistory(){if(this.currentContactId)try{this.messagesLoading=!0;const t=await(0,a.getHistory)();if(t&&200===t.code&&t.data){const s=t.data.filter((t=>t.roomId===this.currentContactId)).map((t=>({sender:t.senderName||"未知发送者",avatar:t.avatar,content:t.content,time:new Date(t.createTime),isSelf:t.isSelf,isImage:"image"===t.type}))),e=this.messages[this.currentContactId]||[];this.$set(this.messages,this.currentContactId,[...s,...e]),this.$message.success("已加载历史消息")}else this.$message.warning("没有更多历史消息")}catch(t){console.error("加载历史消息异常:",t),this.$message.error("加载历史消息异常")}finally{this.messagesLoading=!1}},async refreshMessages(){this.currentContactId&&await this.loadMessages(this.currentContactId)},async sendMessage(){if(!this.inputMessage.trim()||!this.currentContact||this.sending)return;const t=this.inputMessage.trim();this.inputMessage="",this.sending=!0;try{this.messages[this.currentContactId]||this.$set(this.messages,this.currentContactId,[]),this.messages[this.currentContactId].push({sender:"我",avatar:this.getDefaultAvatar("我"),content:t,time:new Date,isSelf:!0,isImage:!1});const s=this.contacts.find((t=>t.roomId===this.currentContactId));s&&(s.lastMessage=t,s.lastTime=new Date),this.$nextTick((()=>{this.scrollToBottom()})),await this.simulateMessageSending()}catch(s){console.error("发送消息失败:",s),this.$message.error("发送消息失败,请重试")}finally{this.sending=!1}},simulateMessageSending(){return new Promise((t=>{setTimeout((()=>{this.messages[this.currentContactId].push({sender:this.currentContact.name,avatar:this.getDefaultAvatar(this.currentContact.name),content:"已收到您的消息,我们会尽快回复。",time:new Date,isSelf:!1,isImage:!1});const s=this.contacts.find((t=>t.roomId===this.currentContactId));s&&(s.lastMessage="已收到您的消息,我们会尽快回复。"),this.$nextTick((()=>{this.scrollToBottom()})),t()}),1e3)}))},openImageUpload(){this.currentContact&&this.$refs.imageInput.click()},async handleImageUpload(t){const s=t.target.files[0];if(!s)return;if(!s.type.startsWith("image/"))return void this.$message.warning("只能上传图片文件!");const e=5242880;if(s.size>e)this.$message.warning("图片大小不能超过5MB!");else{this.sending=!0;try{const t=new FormData;t.append("file",s);const e=await(0,a.getFileUpdate)(t);if(e&&200===e.code&&e.data){const t=e.data.url;this.messages[this.currentContactId]||this.$set(this.messages,this.currentContactId,[]),this.messages[this.currentContactId].push({sender:"我",avatar:this.getDefaultAvatar("我"),content:t,time:new Date,isSelf:!0,isImage:!0});const s=this.contacts.find((t=>t.roomId===this.currentContactId));s&&(s.lastMessage="[图片]",s.lastTime=new Date),this.$nextTick((()=>{this.scrollToBottom()})),setTimeout((()=>{this.messages[this.currentContactId].push({sender:this.currentContact.name,avatar:this.getDefaultAvatar(this.currentContact.name),content:"已收到您的图片,我们会尽快查看。",time:new Date,isSelf:!1,isImage:!1}),s&&(s.lastMessage="已收到您的图片,我们会尽快查看。"),this.$nextTick((()=>{this.scrollToBottom()}))}),1e3)}else this.$message.error("图片上传失败")}catch(i){console.error("上传图片异常:",i),this.$message.error("上传图片异常")}finally{this.sending=!1,this.$refs.imageInput.value=""}}},previewImage(t){this.previewImageUrl=t,this.previewVisible=!0},async toggleImportant(t,s){if(t)try{const e=await(0,a.getUpdateRoom)({roomId:t,important:s});if(e&&200===e.code){const e=this.contacts.find((s=>s.roomId===t));e&&(e.important=s),this.$message.success(s?"已标记为重要":"已取消重要标记")}else this.$message.error("标记操作失败")}catch(e){console.error("标记聊天状态异常:",e),this.$message.error("操作失败,请重试")}},scrollToBottom(){this.$refs.messageContainer&&(this.$refs.messageContainer.scrollTop=this.$refs.messageContainer.scrollHeight)},showMessageTime(t){if(0===t)return!0;const s=this.currentMessages[t],e=this.currentMessages[t-1];if(!s.time||!e.time)return!1;const a=new Date(s.time).getTime(),i=new Date(e.time).getTime(),r=(a-i)/6e4;return r>5},formatTime(t){if(!t)return"";t instanceof Date||(t=new Date(t));const s=new Date,e=new Date(s);e.setDate(e.getDate()-1);const a=s.toDateString()===t.toDateString(),i=e.toDateString()===t.toDateString();return a?`今天 ${t.toLocaleTimeString([],{hour:"2-digit",minute:"2-digit"})}`:i?`昨天 ${t.toLocaleTimeString([],{hour:"2-digit",minute:"2-digit"})}`:`${t.getFullYear()}/${t.getMonth()+1}/${t.getDate()} ${t.toLocaleTimeString([],{hour:"2-digit",minute:"2-digit"})}`},formatLastTime(t){if(!t)return"";t instanceof Date||(t=new Date(t));const s=new Date,e=new Date(s);e.setDate(e.getDate()-1);const a=s.toDateString()===t.toDateString(),i=e.toDateString()===t.toDateString();return a?t.toLocaleTimeString([],{hour:"2-digit",minute:"2-digit"}):i?"昨天":`${t.getMonth()+1}/${t.getDate()}`},getDefaultAvatar(t){if(!t)return"";const s=["#4CAF50","#9C27B0","#FF5722","#2196F3","#FFC107","#607D8B","#E91E63"],e=Math.abs(t.charCodeAt(0))%s.length,a=s[e],i=t.charAt(0).toUpperCase();return`https://via.placeholder.com/40/${a.substring(1)}/FFFFFF?text=${i}`}},async mounted(){await this.fetchRoomList(),this.contacts.length>0&&this.selectContact(this.contacts[0].roomId),this.roomListInterval=setInterval((()=>{this.fetchRoomList(),this.currentContactId&&this.loadMessages(this.currentContactId)}),3e4)},beforeDestroy(){this.roomListInterval&&clearInterval(this.roomListInterval)}}},5136:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{staticClass:"AccessMiningPoolMain"},[s("section",{staticClass:"nexaAccess"},[t.$isMobile?s("section",[s("div",{staticClass:"mainTitle",attrs:{id:"table"}},[s("span",[t._v(" "+t._s(t.$t("course.RXDcourse")))])]),s("div",{staticClass:"tableBox"},[s("div",{staticClass:"table-title"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",{staticClass:"coin quota"},[t._v(t._s(t.$t("course.amount")))])]),s("el-collapse",{model:{value:t.activeName,callback:function(s){t.activeName=s},expression:"activeName"}},[s("el-collapse-item",{attrs:{name:"1"}},[s("template",{slot:"title"},[s("div",{staticClass:"collapseTitle"},[s("span",{staticClass:"coinBox"},[s("img",{staticStyle:{width:"20px"},attrs:{src:t.getImageUrl("img/rxd.png"),alt:"coin",loading:"lazy"}}),t._v("radiant")]),s("span",[t._v("100")])])]),s("div",{staticClass:"belowTable"},[s("div",[s("p",[t._v(t._s(t.$t("course.TCP")))]),s("p",[t._v(" stratum+tcp://rxd.m2pool.com:33370 "),s("span",{staticClass:"copy",on:{click:function(s){return t.clickCopy(" stratum+tcp://rxd.m2pool.com:33370")}}},[t._v(t._s(t.$t("personal.copy")))])])]),s("div",[s("p",[t._v(t._s(t.$t("course.SSL")))]),s("p",[t._v(" stratum+ssl://rxd.m2pool.com:33375 "),s("span",{staticClass:"copy",on:{click:function(s){return t.clickCopy("stratum+ssl://rxd.m2pool.com:33375")}}},[t._v(t._s(t.$t("personal.copy")))])])]),s("div",[s("p",[t._v(t._s(t.$t("course.GPU")))]),s("p",[t._v("lolminer")])]),s("div",[s("p",[t._v(t._s(t.$t("course.ASIC")))]),s("p",[t._v(t._s(t.$t("course.dragonBall"))+"、"+t._s(t.$t("course.RX0")))])])])],2)],1)],1),s("p",{attrs:{id:"careful"}},[t._v(" "+t._s(t.$t("course.careful"))),s("a",{staticClass:"mail",attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail")))]),t._v(" (support@m2pool.com) "+t._s(t.$t("course.careful2"))+" ")]),s("section",{staticClass:"step",attrs:{id:"step1"}},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step1")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.accountContent1")))]),s("p",[t._v(t._s(t.$t("course.accountContent2")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step2")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.bindWalletText1")))]),s("p",[t._v("    "),s("span",[s("span",[t._v(t._s(t.$t("course.bindWalletText2")))])]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://radiantblockchain.org/"}},[t._v("https://radiantblockchain.org/")]),t._v(", "+t._s(t.$t("course.bindWalletText3"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText4")))]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.mxc.com/"}},[t._v("MEXC")]),t._v("、 "),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.coinex.com/zh-hans/"}},[t._v("CoinEx")]),t._v(" "+t._s(t.$t("course.bindWalletText5"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText6")))]),t._v(t._s(t.$t("course.bindWalletText7"))+" ")]),s("p",[t._v(t._s(t.$t("course.bindWalletText8")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step4")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(" "+t._s(t.$t("course.parameter"))),s("a",{staticClass:"mail",attrs:{href:"#table"}},[t._v(" "+t._s(t.$t("course.parameter5")))]),t._v(" "+t._s(t.$t("course.parameter6"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter2"))+" "),s("a",{staticClass:"mail",attrs:{href:"#step1"}},[t._v(" "+t._s(t.$t("course.parameter7")))]),t._v(" "+t._s(t.$t("course.parameter8"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter3"))+" "),s("a",{staticClass:"mail",attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail")))]),t._v(" "+t._s(t.$t("course.parameter4"))+" ")])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step3")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.rxdIncome1")))]),s("p",[t._v(t._s(t.$t("course.miningIncome2")))])])])]):s("section",{staticClass:"AccessMiningPool2"},[s("section",{staticClass:"table"},[s("div",{staticClass:"mainTitle"},[s("img",{attrs:{src:t.getImageUrl("img/rxd.png"),alt:"coin",loading:"lazy"}}),s("span",[t._v(" "+t._s(t.$t("course.RXDcourse")))])]),s("div",{staticClass:"theServer"},[s("div",{staticClass:"title",attrs:{id:"Server"}},[t._v(t._s(t.$t("course.selectServer")))]),s("ul",[s("li",{staticClass:"liTitle"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",{staticClass:"coin quota"},[t._v(t._s(t.$t("course.amount")))]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.TCP")))]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.SSL")))])]),s("li",[s("span",{staticClass:"coin"},[s("img",{attrs:{src:t.getImageUrl("img/rxd.png"),alt:"coin",loading:"lazy"}}),s("span",[t._v("Rxd")])]),s("span",{staticClass:"coin quota"},[t._v("100")]),s("span",{staticClass:"port"},[t._v(" stratum+tcp://rxd.m2pool.com:33370  "),s("i",{staticClass:"iconfont icon-fuzhi",on:{click:function(s){return t.clickCopy("stratum+tcp://rxd.m2pool.com:33370")}}})]),s("span",{staticClass:"port"},[t._v(" stratum+ssl://rxd.m2pool.com:33375   "),s("i",{staticClass:"iconfont icon-fuzhi",on:{click:function(s){return t.clickCopy("stratum+ssl://rxd.m2pool.com:33375")}}})])])]),s("div",{staticClass:"title"},[t._v(t._s(t.$t("course.Adaptation")))]),s("ul",[s("li",{staticClass:"liTitle"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",{staticClass:"coin quota"}),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.GPU")))]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.ASIC")))])]),s("li",[s("span",{staticClass:"coin"},[s("img",{attrs:{src:t.getImageUrl("img/rxd.png"),alt:"coin",loading:"lazy"}}),s("span",[t._v("Rxd")])]),s("span",{staticClass:"coin quota"}),s("span",{staticClass:"port"},[t._v(" lolminer  ")]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.dragonBallA11"))+"  、 "+t._s(t.$t("course.RX0")))])])])]),s("p",{staticClass:"careful"},[t._v(" "+t._s(t.$t("course.careful"))),s("a",{attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail"))+":support@m2pool.com")]),t._v(t._s(t.$t("course.careful2"))+" ")]),s("section",{staticClass:"step",attrs:{id:"accountContent2"}},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step1")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.accountContent1")))]),s("p",[t._v(t._s(t.$t("course.accountContent2")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step2")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.bindWalletText1")))]),s("p",[t._v("    "),s("span",[s("span",[t._v(t._s(t.$t("course.bindWalletText2")))])]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://radiantblockchain.org/"}},[t._v("https://radiantblockchain.org/")]),t._v(", "+t._s(t.$t("course.bindWalletText3"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText4")))]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.mxc.com/"}},[t._v("MEXC")]),t._v("、 "),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.coinex.com/zh-hans/"}},[t._v("CoinEx")]),t._v(" "+t._s(t.$t("course.bindWalletText5"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText6")))]),t._v(t._s(t.$t("course.bindWalletText7"))+" ")]),s("p",[t._v(t._s(t.$t("course.bindWalletText8")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step4")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(" "+t._s(t.$t("course.parameter"))),s("a",{attrs:{href:"#Server"}},[t._v(t._s(t.$t("course.parameter5")))]),t._v(t._s(t.$t("course.parameter6"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter2"))),s("a",{attrs:{href:"#accountContent2"}},[t._v(t._s(t.$t("course.parameter7")))]),t._v(t._s(t.$t("course.parameter8"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter3"))+" "),s("a",{attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail")))]),t._v(" "+t._s(t.$t("course.parameter4"))+" ")])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step3")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.rxdIncome1")))]),s("p",[t._v(t._s(t.$t("course.miningIncome2")))])])])])])])])},s.Yp=[]},11874:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(5136),i=e(86964),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"91fdfe0e",null),n=o.exports},14612:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{staticClass:"ServiceTerms"},[t.$isMobile?s("section",[s("h4",[t._v(t._s(t.$t("ServiceTerms.title")))]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title1")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTotal1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTotal2")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTotal3")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTotal4")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title2")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseService1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseService2")))]),s("p",[s("span",{staticStyle:{"font-weight":"600"}},[t._v(t._s(t.$t("ServiceTerms.clauseService3"))+" ")]),t._v(t._s(t.$t("ServiceTerms.clauseService4")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title3")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseUser1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseUser2")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseUser3")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title4")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility2")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility3")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility4")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility5")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title5")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clausePayment1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clausePayment2")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clausePayment3")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title6")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseProfit1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseProfit2")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title7")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clausePrivacy1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clausePrivacy2")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title8")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clausePropertyRight1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clausePropertyRight2")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title9")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseDisclaimer1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseDisclaimer2")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title10")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTermination1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTermination2")))])])]),s("section",{staticClass:"clauseBox"},[s("h5",[t._v(t._s(t.$t("ServiceTerms.title11")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseLaw1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseLaw2")))])])])]):s("section",[s("h2",[t._v(t._s(t.$t("ServiceTerms.title")))]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title1")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTotal1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTotal2")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTotal3")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTotal4")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title2")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseService1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseService2")))]),s("p",[s("span",{staticStyle:{"font-weight":"600"}},[t._v(t._s(t.$t("ServiceTerms.clauseService3"))+" ")]),t._v(t._s(t.$t("ServiceTerms.clauseService4")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title3")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseUser1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseUser2")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseUser3")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title4")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility2")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility3")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility4")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseResponsibility5")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title5")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clausePayment1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clausePayment2")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clausePayment3")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title6")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseProfit1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseProfit2")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title7")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clausePrivacy1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clausePrivacy2")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title8")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clausePropertyRight1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clausePropertyRight2")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title9")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseDisclaimer1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseDisclaimer2")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title10")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTermination1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseTermination2")))])])]),s("section",{staticClass:"clauseBox"},[s("h3",[t._v(t._s(t.$t("ServiceTerms.title11")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("ServiceTerms.clauseLaw1")))]),s("p",[t._v(t._s(t.$t("ServiceTerms.clauseLaw2")))])])])])])},s.Yp=[]},17279:function(t,s,e){Object.defineProperty(s,"__esModule",{value:!0}),s["default"]=void 0;var a=e(82908);s["default"]={data(){return{activeItem:{path:"nexaAccess",value:"nexa",label:"nexa",imgUrl:`${this.$baseApi}img/nexa.png`,show:!0,name:"course.NEXAcourse",amount:1e4,tcp:"stratum+tcp://nexa.m2pool.com:33333",ssl:"stratum+ssl://nexa.m2pool.com:33335",Step1:"course.Step1",accountContent1:"course.accountContent1",accountContent2:"course.accountContent2",Step2:"course.Step2",bindWalletText1:"course.bindWalletText1",bindWalletText2:"course.bindWalletText2",walletAddr:"https://nexa.org/",bindWalletText3:"course.bindWalletText3",bindWalletText4:"course.bindWalletText4",exchangeAddr1:"https://www.mxc.com/",exchangeAddr1Label:"MEXC",exchangeAddr2:"https://www.coinex.com/zh-hans/",exchangeAddr2Label:"CoinEx",bindWalletText5:"course.bindWalletText5",bindWalletText6:"course.bindWalletText6",bindWalletText7:"course.bindWalletText7",bindWalletText8:"course.bindWalletText8",Step3:"course.Step3",miningIncome1:"course.miningIncome1",miningIncome2:"course.miningIncome2",GPU:"bzminer、lolminer、Rigel、WildRig",ASIC:"course.dragonBall",Step4:"course.Step4",parameter:"course.parameter",parameter2:"course.parameter2",parameter3:"course.parameter3",parameter4:"course.parameter4",parameter5:"course.parameter5",parameter6:"course.parameter6",parameter7:"course.parameter7",parameter8:"course.parameter8"},activeName:"1"}},mounted(){},methods:{getImageUrl(t){return(0,a.getImageUrl)(t)},clickJump(t){this.activeCoin=t.value,this.pageTitle=t.name,this.imgUrl=t.imgUrl,this.$addStorageEvent(1,"activeCoin",JSON.stringify(t.value)),console.log(this.activeCoin)},clickCopy(t){navigator.clipboard.writeText(t).then((()=>{this.$message({showClose:!0,message:this.$t("personal.copySuccessful"),type:"success"})})).catch((t=>{console.log("复制失败",t),this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"error"})}))}}}},17308:function(t,s,e){var a=e(3999)["default"];Object.defineProperty(s,"B",{value:!0}),s.A=void 0;var i=a(e(77452));s.A={mixins:[i.default]}},18244:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(92524),i=e(55603),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"1324c172",null),n=o.exports},23389:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(23819),i=e(95664),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"7b2f7ae5",null),n=o.exports},23819:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{staticClass:"rate"},[t.$isMobile?s("section",{staticClass:"rateMobile"},[s("h4",[t._v(t._s(t.$t("course.allocationExplanation")))]),s("div",{staticClass:"tableBox"},[s("div",{staticClass:"table-title"},[s("span",{attrs:{title:t.$t("course.currency")}},[t._v(t._s(t.$t("course.currency")))]),s("span",{attrs:{title:t.$t("course.condition")}},[t._v(t._s(t.$t("course.condition")))])]),s("el-collapse",{attrs:{accordion:""}},t._l(t.rateList,(function(e){return s("el-collapse-item",{key:e.value,attrs:{name:e.value}},[s("template",{slot:"title"},[s("div",{staticClass:"collapseTitle"},[s("span",[s("img",{attrs:{src:e.img,alt:"coin",loading:"lazy"}}),t._v(" "+t._s(e.label))]),s("span",[t._v(t._s(t.$t(e.condition)))])])]),s("section",{staticClass:"contentBox2"},[s("div",{staticClass:"belowTable"},[s("div",[s("p",[t._v(t._s(t.$t("course.interval")))]),s("p",[t._v(t._s(t.$t(e.interval))+" ")])])]),s("div",{staticClass:"belowTable"},[s("div",[s("p",[t._v(t._s(t.$t("course.estimatedTime")))]),s("p",[t._v(t._s(t.$t(e.estimatedTime)))])])]),s("div",{staticClass:"belowTable describe"},[s("div",[s("p",[t._v(t._s(t.$t("course.describe")))]),s("p",[t._v(t._s(t.$t(e.describe))+" ")])])])])],2)})),1)],1)]):s("section",{staticClass:"rateBox"},[s("section",{staticClass:"rightText"},[s("h2",[t._v(t._s(t.$t("course.allocationExplanation")))]),s("section",{staticClass:"table"},[s("div",{staticClass:"tableTitle"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",[t._v(t._s(t.$t("course.condition")))]),s("span",[t._v(t._s(t.$t("course.interval")))]),s("span",[t._v(t._s(t.$t("course.estimatedTime")))]),s("span",{staticClass:"describe"},[t._v(t._s(t.$t("course.describe")))])]),s("ul",t._l(t.rateList,(function(e){return s("li",{key:e.value},[s("span",{staticClass:"coin"},[s("img",{attrs:{src:e.img,alt:"coin",loading:"lazy"}}),t._v(" "+t._s(e.label))]),s("span",[t._v(t._s(t.$t(e.condition)))]),s("span",[t._v(t._s(t.$t(e.interval)))]),s("span",[t._v(t._s(t.$t(e.estimatedTime)))]),s("span",{staticClass:"describe"},[t._v(t._s(t.$t(e.describe)))])])})),0)])])])])},s.Yp=[]},26033:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{staticClass:"cs-chat-container"},[s("div",{staticClass:"cs-chat-wrapper"},[s("div",{staticClass:"cs-contact-list"},[t._m(0),s("div",{staticClass:"cs-search"},[s("el-input",{attrs:{"prefix-icon":"el-icon-search",placeholder:"搜索最近联系人",clearable:""},model:{value:t.searchText,callback:function(s){t.searchText=s},expression:"searchText"}})],1),s("div",{staticClass:"cs-contacts"},t._l(t.filteredContacts,(function(e,a){return s("div",{key:a,staticClass:"cs-contact-item",class:{active:t.currentContactId===e.roomId},on:{click:function(s){return t.selectContact(e.roomId)}}},[s("div",{staticClass:"cs-avatar"},[s("el-avatar",{attrs:{size:40,src:t.getDefaultAvatar(e.name)}},[t._v(" "+t._s(e.name?e.name.charAt(0):"?")+" ")]),e.unread?s("span",{staticClass:"unread-badge"},[t._v(t._s(e.unread))]):t._e()],1),s("div",{staticClass:"cs-contact-info"},[s("div",{staticClass:"cs-contact-name"},[t._v(" "+t._s(e.name)+" "),s("span",{staticClass:"cs-contact-time"},[t._v(t._s(t.formatLastTime(e.lastTime)))])]),s("div",{staticClass:"cs-contact-msg"},[e.important?s("span",{staticClass:"important-tag"},[t._v("[重要]")]):t._e(),t._v(" "+t._s(e.lastMessage)+" ")])])])})),0)]),s("div",{staticClass:"cs-chat-area"},[s("div",{staticClass:"cs-chat-header"},[s("div",{staticClass:"cs-chat-title"},[t._v(" "+t._s(t.currentContact?t.currentContact.name:"请选择联系人")+" "),t.currentContact&&t.currentContact.important?s("el-tag",{attrs:{size:"small",type:"danger"},on:{click:function(s){return t.toggleImportant(t.currentContact.roomId,!t.currentContact.important)}}},[t._v(" 重要 ")]):t.currentContact?s("el-tag",{attrs:{size:"small",type:"info"},on:{click:function(s){return t.toggleImportant(t.currentContact.roomId,!t.currentContact.important)}}},[t._v(" 标记为重要 ")]):t._e()],1),s("div",{staticClass:"cs-header-actions"},[s("i",{staticClass:"el-icon-time",attrs:{title:"历史记录"},on:{click:t.loadHistory}}),s("i",{staticClass:"el-icon-refresh",attrs:{title:"刷新"},on:{click:t.refreshMessages}}),s("i",{staticClass:"el-icon-more",attrs:{title:"更多选项"}})])]),s("div",{ref:"messageContainer",staticClass:"cs-chat-messages"},[t.currentContact?[t.messagesLoading?s("div",{staticClass:"cs-loading"},[s("i",{staticClass:"el-icon-loading"}),s("p",[t._v("加载消息中...")])]):0===t.currentMessages.length?s("div",{staticClass:"cs-empty-chat"},[s("i",{staticClass:"el-icon-chat-line-round"}),s("p",[t._v("暂无消息记录")])]):s("div",{staticClass:"cs-message-list"},t._l(t.currentMessages,(function(e,a){return s("div",{key:a,staticClass:"cs-message",class:{"cs-message-self":e.isSelf}},[t.showMessageTime(a)?s("div",{staticClass:"cs-message-time"},[t._v(" "+t._s(t.formatTime(e.time))+" ")]):t._e(),s("div",{staticClass:"cs-message-content"},[s("div",{staticClass:"cs-avatar"},[s("el-avatar",{attrs:{size:36,src:e.isSelf?t.getDefaultAvatar("我"):t.getDefaultAvatar(e.sender)}},[t._v(" "+t._s(e.sender?e.sender.charAt(0):"?")+" ")])],1),s("div",{staticClass:"cs-bubble"},[s("div",{staticClass:"cs-sender"},[t._v(t._s(e.sender))]),e.isImage?s("div",{staticClass:"cs-image"},[s("img",{attrs:{src:e.content},on:{click:function(s){return t.previewImage(e.content)}}})]):s("div",{staticClass:"cs-text"},[t._v(" "+t._s(e.content)+" ")])])])])})),0)]:s("div",{staticClass:"cs-empty-chat"},[s("i",{staticClass:"el-icon-chat-dot-round"}),s("p",[t._v("您尚未选择联系人")])])],2),s("div",{staticClass:"cs-chat-input"},[s("div",{staticClass:"cs-toolbar"},[s("i",{staticClass:"el-icon-picture-outline",attrs:{title:"发送图片"},on:{click:t.openImageUpload}}),s("input",{ref:"imageInput",staticStyle:{display:"none"},attrs:{type:"file",accept:"image/*"},on:{change:t.handleImageUpload}}),s("i",{staticClass:"el-icon-folder-opened",attrs:{title:"发送文件"}}),s("i",{staticClass:"el-icon-s-opportunity",attrs:{title:"发送表情"}}),s("i",{staticClass:"el-icon-scissors",attrs:{title:"截图"}})]),s("div",{staticClass:"cs-input-area"},[s("el-input",{attrs:{type:"textarea",rows:3,disabled:!t.currentContact,placeholder:"请输入消息,按Enter键发送,按Ctrl+Enter键换行"},on:{keydown:function(s){return!s.type.indexOf("key")&&t._k(s.keyCode,"enter",13,s.key,"Enter")||s.ctrlKey||s.shiftKey||s.altKey||s.metaKey?null:(s.preventDefault(),t.sendMessage.apply(null,arguments))}},model:{value:t.inputMessage,callback:function(s){t.inputMessage=s},expression:"inputMessage"}})],1),s("div",{staticClass:"cs-send-area"},[s("span",{staticClass:"cs-counter"},[t._v(t._s(t.inputMessage.length)+"/500")]),s("el-button",{attrs:{type:"primary",disabled:!t.currentContact||!t.inputMessage.trim()||t.sending},on:{click:t.sendMessage}},[t.sending?s("i",{staticClass:"el-icon-loading"}):s("span",[t._v("发送")])])],1)])])]),s("el-dialog",{staticClass:"image-preview-dialog",attrs:{visible:t.previewVisible,"append-to-body":""},on:{"update:visible":function(s){t.previewVisible=s}}},[s("img",{staticClass:"preview-image",attrs:{src:t.previewImageUrl,alt:"预览图片"}})])],1)},s.Yp=[function(){var t=this,s=t._self._c;return s("div",{staticClass:"cs-header"},[s("i",{staticClass:"el-icon-s-custom"}),t._v(" 联系列表")])}]},27048:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(2487),i=e(66496),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"089a61bb",null),n=o.exports},27609:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(14612),i=e(35899),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"3e942ade",null),n=o.exports},35221:function(t,s,e){var a=e(3999)["default"];Object.defineProperty(s,"__esModule",{value:!0}),s["default"]=void 0,e(44114),e(18111),e(22489),e(20116),e(13579);a(e(86425));var i=a(e(35720)),r=e(11503);s["default"]={data(){return{imgSrc:"https://studio.glassnode.com/images/crypto-icons/btc.png",navLabel:"Bitcoin (BTC)",userName:"LX",from:{title:"",kinds:"",description:"",radio:""},kindsList:[{value:"购买咨询",label:"购买咨询"},{value:"财务咨询",label:"财务咨询"},{value:"网页问题",label:"网页问题"},{value:"账户问题",label:"账户问题"},{value:"移动端问题",label:"移动端问题"},{value:"消息订阅",label:"消息订阅"},{value:"指标数据问题",label:"指标数据问题"},{value:"其他",label:"其他"}],params:[],input:1,tableData:[{num:1,time:"2022-09-01 16:00",problem:"账户问题",questionTitle:"账户不能登录",state:"已解决"}],textarea:"我是提交内容",textarea1:"我是回复内容",textarea2:"",replyInput:!0,ticketDetails:{id:"",type:"",title:"",userName:"",desc:"",responName:"",respon:"",submitTime:"",status:"",fileIds:"",files:"",responTime:""},fileList:[],fileType:["jpg","jpeg","png","mp3","aif","aiff","wav","wma","mp4","avi","rmvb"],fileSize:20,fileLimit:3,headers:{"Content-Type":"multipart/form-data"},FormDatas:null,filesId:[],paramsDownload:{id:""},paramsResponTicket:{id:"",files:"",respon:""},paramsAuditTicket:{id:"",msg:""},paramsSubmitAuditTicket:{id:""},identity:{},detailsID:"",downloadUrl:"",workOrderId:"",recordList:[],replyParams:{id:"",respon:"",files:""},totalDetailsLoading:!1,faultList:[],statusList:[{value:1,label:"work.pendingProcessing"},{value:2,label:"work.processed"},{value:10,label:"work.completeWK"}],typeList:[],machineCoding:"",warrantyList:[],closeDialogVisible:!1,lang:"zh"}},mounted(){this.lang=this.$i18n.locale,this.workOrderId=localStorage.getItem("totalID"),this.fetchTicketDetails({id:this.workOrderId}),this.registerRecoveryMethod("fetchTicketDetails",{id:this.workOrderId})},methods:{async fetchBKendTicket(t){this.setLoading("totalDetailsLoading",!0);const s=await(0,r.getBKendTicket)(t);s&&200==s.code&&(this.$message({message:this.$t("work.WKend"),type:"success"}),this.$router.push(`/${this.lang}/workOrderBackend`)),this.setLoading("totalDetailsLoading",!1)},async fetchReply(t){this.setLoading("totalDetailsLoading",!0);const s=await(0,r.getReply)(t);if(s&&200==s.code){this.$message({message:this.$t("work.submitted"),type:"success"});for(const t in this.replyParams)this.replyParams[t]="";this.fileList=[],this.fetchTicketDetails({id:this.workOrderId})}this.setLoading("totalDetailsLoading",!1)},handelType2(t){if(t)return this.typeList.find((s=>s.name==t)).label},handelStatus2(t){try{if(t){let s=this.statusList.find((s=>s.value==t)).label;return this.$t(s)}}catch{return""}},handelPhenomenon(t){if(t)return this.faultList.find((s=>s.id==t)).label},async fetchTicketDetails(t){this.setLoading("totalDetailsLoading",!0);const{data:s}=await(0,r.getDetails)(t);this.recordList=s.list,this.ticketDetails=s,this.setLoading("totalDetailsLoading",!1)},downloadExcel(t){this.downloadUrl=` ${i.default.defaults.baseURL}pool/ticket/downloadFile?ids=${t}`;let s=document.createElement("a");s.href=this.downloadUrl,s.click()},handelChange(t,s){const e=t.name.slice(t.name.lastIndexOf(".")+1).toLowerCase(),a=this.fileType.includes(e),i=t.size/1024/1024<=this.fileSize;if(!a)return this.$message.error(`${this.$t("work.notSupported")}${e}`),this.fileList=this.fileList.filter((s=>s.name!=t.name)),!1;if(!i)return this.fileList=this.fileList.filter((s=>s.name!=t.name)),this.$message.error(`${this.$t("work.notSupported2")} ${this.fileSize} MB.`),!1;let r=this.fileList.some((s=>s.name==t.name));if(r)return this.$message.warning(this.$t("work.notSupported3")),this.$refs.upload.handleRemove(t),!1;this.fileList.push(t.raw)},handleRemove(t,s){let e=this.fileList.indexOf(t);-1!==e&&this.fileList.splice(e,1)},handleExceed(){this.$message({type:"warning",message:this.$t("work.notSupported4")})},handelDownload(t){if(t){this.downloadUrl=` ${i.default.defaults.baseURL}pool/ticket/downloadFile?ids=${t}`;let s=document.createElement("a");s.href=this.downloadUrl,s.click()}},handleSuccess(){},handelTime(t){if(t&&t.includes("T"))return`${t.split("T")[0]} ${t.split("T")[1].split(".")[0]}`},handelResubmit(){if(!this.replyParams.respon)return console.log(),void this.$message({message:this.$t("work.replyContent2"),type:"error",customClass:"messageClass"});this.replyParams.id=this.ticketDetails.id,this.fetchReply(this.replyParams)},handelEnd(){this.closeDialogVisible=!0},handleClose(){this.closeDialogVisible=!1},confirmCols(){this.fetchBKendTicket({id:this.ticketDetails.id})}}}},35899:function(t,s){Object.defineProperty(s,"B",{value:!0}),s.A=void 0;s.A={metaInfo:{meta:[{name:"keywords",content:"服务条款,用户权益,权利义务,Terms of Service, User Rights, Rights and Obligations"},{name:"description",content:window.vm.$t("seo.ServiceTerms")}]}}},36425:function(t,s,e){var a=e(3999)["default"];Object.defineProperty(s,"B",{value:!0}),s.A=void 0;var i=a(e(67975));s.A={mixins:[i.default]}},41645:function(t,s,e){var a=e(3999)["default"];Object.defineProperty(s,"B",{value:!0}),s.A=void 0;var i=a(e(17279));s.A={mixins:[i.default]}},43421:function(t,s,e){Object.defineProperty(s,"B",{value:!0}),s.A=void 0,e(44114);s.A={metaInfo:{meta:[{name:"keywords",content:"API 文档,认证 token,接口调用,API documentation, authentication tokens, interface calls"},{name:"description",content:window.vm.$t("seo.apiFile")}]},data(){return{}},mounted(){},methods:{handelJump(t){const s=this.$i18n.locale,e=t.startsWith("/")?t.slice(1):t;this.$router.push(`/${s}/${e}`)}}}},48548:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{staticClass:"rate"},[t.$isMobile?s("section",{staticClass:"rateMobile"},[s("section",{staticClass:"rightText"},[s("h3",[t._v(t._s(t.$t("apiFile.file")))]),s("div",{staticClass:"content"},[s("h4",[t._v(t._s(t.$t("apiFile.survey")))]),s("p",[t._v(t._s(t.$t("apiFile.survey1")))]),s("p",[t._v(t._s(t.$t("apiFile.survey2")))])]),s("div",{staticClass:"content"},[s("h3",[t._v(t._s(t.$t("apiFile.apiAuthentication")))]),s("p",[t._v(t._s(t.$t("apiFile.apiAuthentication1"))+" "),s("span",{staticStyle:{color:"#651FFF",cursor:"pointer"},on:{click:function(s){return t.handelJump("personalCenter/personalAPI")}}},[t._v(t._s(t.$t("apiFile.apiAuthentication5")))]),t._v(" "+t._s(t.$t("apiFile.apiAuthentication6")))]),s("p",[t._v(t._s(t.$t("apiFile.apiAuthentication2")))]),s("p",[t._v(t._s(t.$t("apiFile.apiAuthentication3")))]),s("p",[t._v(t._s(t.$t("apiFile.apiAuthentication4")))]),t._m(0)]),s("div",{staticClass:"ExampleTable"},[s("div",{staticClass:"title"},[s("span",[t._v(t._s(t.$t("apiFile.url")))]),t._v(" "),s("span",[t._v(t._s(t.$t("apiFile.explain")))])]),s("div",[s("code",[t._v("https://m2pool.com/oapi/v1/pool/watch?coin={coin}")]),s("span",[t._v(t._s(t.$t("apiFile.explain1")))])]),s("div",[s("code",[t._v("https://m2pool.com/oapi/v1/pool/ hashrate_history?coin={coin}&start={yyyy-MM-dd}&end={yyyy-MM-dd }")]),s("span",[t._v(t._s(t.$t("apiFile.explain2")))])])]),s("div",{staticClass:"text-container"},[s("p",[t._v(t._s(t.$t("apiFile.explain3")))]),s("div",{staticClass:"container"},[s("p",[t._v("{")]),s("p",{staticStyle:{color:"crimson"}},[t._v('"code": {ERR_CODE},')]),s("p",[t._v(' "msg": "'+t._s(t.$t("apiFile.explain4"))+'"')]),s("p",[t._v("}")])])]),s("div",{staticClass:"text-container"},[s("p",[t._v(t._s(t.$t("apiFile.explain5")))]),t._m(1),s("p",[t._v(t._s(t.$t("apiFile.explain6")))])]),s("section",{staticClass:"MiningPool",attrs:{id:"HashRate"}},[s("h3",[t._v(t._s(t.$t("apiFile.miningPoolInformation")))]),s("div",{staticClass:"Pool"},[s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation1")))]),s("p",{staticClass:"hash"},[t._v("HashRate")]),s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation2")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("date")]),s("td",[t._v("Date")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.powerStatistics")))])]),s("tr",[s("td",[t._v("hashrate")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.power")))])])])]),s("div",{staticClass:"Pool",attrs:{id:"MinersList"}},[s("p",{staticClass:"hash"},[t._v("MinersList")]),s("p",[t._v(t._s(t.$t("apiFile.minersNum")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("total")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.totalMiners")))])]),s("tr",[s("td",[t._v("online")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.onLineMiners")))])]),s("tr",[s("td",[t._v("offline")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.offLineMiners")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.overviewOfMiningPool")))]),s("p",{staticClass:"Interface"},[t._v("Get /oapi/v1/pool/watch")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" pool")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("pool_fee")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.serviceCharge")))])]),s("tr",[s("td",[t._v("min_pay")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.minimumPaymentAmount")))])]),s("tr",[s("td",[t._v("miners")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.onLineMiners")))])]),s("tr",[s("td",[t._v("history_last_7days")]),t._m(2),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.latelyPower24h")))])]),s("tr",[s("td",[t._v("hashrate")]),s("td",[t._v("Double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Power24h")))])]),s("tr",[s("td",[t._v("last_found")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.height")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.currentMiners")))]),s("p",{staticClass:"Interface"},[t._v("Get /oapi/v1/pool/miners_list")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" pool")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("miners_list")]),t._m(3),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.eachState")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.realTimePower")))]),s("p",{staticClass:"Interface"},[t._v("Get /oapi/v1/pool/hashrate")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" pool")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_realtime")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower30m")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+" (h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.historyPower")))]),s("p",{staticClass:"Interface"},[t._v("Get /oapi/v1/pool/hashrate_history")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" pool")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("start")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.start2")))]),s("td",[t._v(t._s(t.$t("apiFile.start")))])]),s("tr",[s("td",[t._v("end")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.end2")))]),s("td",[t._v(t._s(t.$t("apiFile.end")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_30m")]),t._m(4),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.historyPower30m")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),t._m(5),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.historyPower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])])]),s("section",{staticClass:"MiningPool",attrs:{id:"accountHashRate"}},[s("h3",[t._v(t._s(t.$t("apiFile.miningAccount")))]),s("div",{staticClass:"Pool"},[s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation1")))]),s("p",{staticClass:"hash"},[t._v("HashRate")]),s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation2")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("date")]),s("td",[t._v("Date")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.powerStatistics")))])]),s("tr",[s("td",[t._v("hashrate")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.power")))])])])]),s("div",{staticClass:"Pool",attrs:{id:"accountList"}},[s("p",{staticClass:"hash"},[t._v("MinersList")]),s("p",[t._v(t._s(t.$t("apiFile.minerData")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("total")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.totalMiners")))])]),s("tr",[s("td",[t._v("online")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.onLineMiners")))])]),s("tr",[s("td",[t._v("offline")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.offLineMiners")))])])])]),s("div",{staticClass:"Pool",attrs:{id:"MinerInfo"}},[s("p",{staticClass:"hash"},[t._v("MinerInfo")]),s("p",[t._v(t._s(t.$t("apiFile.stateData")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("miner")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.minerId")))])]),s("tr",[s("td",[t._v("state")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.minerStatus"))),s("br"),t._v(" "+t._s(t.$t("apiFile.minerStatus0"))),s("br"),t._v(" "+t._s(t.$t("apiFile.minerStatus1"))),s("br"),t._v(" "+t._s(t.$t("apiFile.minerStatus2")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.overviewOfMiners")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/watch")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("miners_list")]),t._m(6),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.eachState")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.allMiners")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/miners_list")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("miners_list")]),t._m(7),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.eachState")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.realTimeAccount")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/hashrate_real")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_realtime")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower30m")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.account24h")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/hashrate_history")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])]),s("tr",[s("td",[t._v("start")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.start2")))]),s("td",[t._v(t._s(t.$t("apiFile.start")))])]),s("tr",[s("td",[t._v("end")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.end2")))]),s("td",[t._v(t._s(t.$t("apiFile.end")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),t._m(8),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.historyPower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.account24h30m")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/hashrate_last24h")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_30m")]),t._m(9),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.average24h30m")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])])]),s("section",{staticClass:"MiningPool",attrs:{id:"minerHashRate"}},[s("h3",[t._v(t._s(t.$t("apiFile.miningMachineInformation")))]),s("div",{staticClass:"Pool"},[s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation1")))]),s("p",{staticClass:"hash"},[t._v("HashRate")]),s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation2")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("date")]),s("td",[t._v("Date")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.powerStatistics")))])]),s("tr",[s("td",[t._v("hashrate")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.power")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.realTimeMiningMachine")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/miner/hashrate_real")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" miner")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])]),s("tr",[s("td",[t._v("miner")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.aCertainMiner")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_realtime")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower30m")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.miningMachineHistory24h")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/miner/hashrate_history")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" miner")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])]),s("tr",[s("td",[t._v("miner")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.aCertainMiner")))])]),s("tr",[s("td",[t._v("start")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.start2")))]),s("td",[t._v(t._s(t.$t("apiFile.start")))])]),s("tr",[s("td",[t._v("end")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.end2")))]),s("td",[t._v(t._s(t.$t("apiFile.end")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),t._m(10),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.historyPower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v(" string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.realTimeMiningMachine24h30m")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/miner/hashrate_last24h")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" miner")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])]),s("tr",[s("td",[t._v("miner")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.aCertainMiner")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_30m")]),t._m(11),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.average24h30m")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])])])])]):s("section",{staticClass:"rateBox"},[s("section",{staticClass:"leftMenu"},[s("ul",[s("li",[s("i",{staticClass:"iconfont icon-baogao file"}),t._v(t._s(t.$t("apiFile.leftMenu"))+" ")])])]),s("section",{staticClass:"rightText"},[s("h2",[t._v(t._s(t.$t("apiFile.file")))]),s("div",{staticClass:"content"},[s("h3",[t._v(t._s(t.$t("apiFile.survey")))]),s("p",[t._v(t._s(t.$t("apiFile.survey1")))]),s("p",[t._v(t._s(t.$t("apiFile.survey2")))])]),s("div",{staticClass:"content"},[s("h3",[t._v(t._s(t.$t("apiFile.apiAuthentication")))]),s("p",[t._v(t._s(t.$t("apiFile.apiAuthentication1"))+" "),s("span",{staticStyle:{color:"#651FFF",cursor:"pointer"},on:{click:function(s){return t.handelJump("personalCenter/personalAPI")}}},[t._v(t._s(t.$t("apiFile.apiAuthentication5")))]),t._v(" "+t._s(t.$t("apiFile.apiAuthentication6")))]),s("p",[t._v(t._s(t.$t("apiFile.apiAuthentication2")))]),s("p",[t._v(t._s(t.$t("apiFile.apiAuthentication3")))]),s("p",[t._v(t._s(t.$t("apiFile.apiAuthentication4")))]),t._m(12)]),s("div",{staticClass:"ExampleTable"},[s("div",{staticClass:"title"},[s("span",[t._v(t._s(t.$t("apiFile.url")))]),t._v(" "),s("span",[t._v(t._s(t.$t("apiFile.explain")))])]),s("div",[s("span",[t._v("https://m2pool.com/oapi/v1/pool/watch?coin={coin}")]),s("span",[t._v(t._s(t.$t("apiFile.explain1")))])]),s("div",[s("span",[t._v("https://m2pool.com/oapi/v1/pool/ hashrate_history?coin={coin}&start={yyyy-MM-dd}&end={yyyy-MM-dd }")]),s("span",[t._v(t._s(t.$t("apiFile.explain2")))])])]),s("div",{staticClass:"text-container"},[s("p",[t._v(t._s(t.$t("apiFile.explain3")))]),s("div",{staticClass:"container"},[s("p",[t._v("{")]),s("p",{staticStyle:{color:"crimson"}},[t._v('"code": {ERR_CODE},')]),s("p",[t._v(' "msg": "'+t._s(t.$t("apiFile.explain4"))+'"')]),s("p",[t._v("}")])])]),s("div",{staticClass:"text-container"},[s("p",[t._v(t._s(t.$t("apiFile.explain5")))]),t._m(13),s("p",[t._v(t._s(t.$t("apiFile.explain6")))])]),s("section",{staticClass:"MiningPool",attrs:{id:"HashRate"}},[s("h3",[t._v(t._s(t.$t("apiFile.miningPoolInformation")))]),s("div",{staticClass:"Pool"},[s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation1")))]),s("p",{staticClass:"hash"},[t._v("HashRate")]),s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation2")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("date")]),s("td",[t._v("Date")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.powerStatistics")))])]),s("tr",[s("td",[t._v("hashrate")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.power")))])])])]),s("div",{staticClass:"Pool",attrs:{id:"MinersList"}},[s("p",{staticClass:"hash"},[t._v("MinersList")]),s("p",[t._v(t._s(t.$t("apiFile.minersNum")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("total")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.totalMiners")))])]),s("tr",[s("td",[t._v("online")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.onLineMiners")))])]),s("tr",[s("td",[t._v("offline")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.offLineMiners")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.overviewOfMiningPool")))]),s("p",{staticClass:"Interface"},[t._v("Get /oapi/v1/pool/watch")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" pool")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("pool_fee")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.serviceCharge")))])]),s("tr",[s("td",[t._v("min_pay")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.minimumPaymentAmount")))])]),s("tr",[s("td",[t._v("miners")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.onLineMiners")))])]),s("tr",[s("td",[t._v("history_last_7days")]),t._m(14),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.latelyPower24h")))])]),s("tr",[s("td",[t._v("hashrate")]),s("td",[t._v("Double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Power24h")))])]),s("tr",[s("td",[t._v("last_found")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.height")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.currentMiners")))]),s("p",{staticClass:"Interface"},[t._v("Get /oapi/v1/pool/miners_list")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" pool")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("miners_list")]),t._m(15),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.eachState")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.realTimePower")))]),s("p",{staticClass:"Interface"},[t._v("Get /oapi/v1/pool/hashrate")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" pool")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_realtime")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower30m")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+" (h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.historyPower")))]),s("p",{staticClass:"Interface"},[t._v("Get /oapi/v1/pool/hashrate_history")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" pool")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("start")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.start2")))]),s("td",[t._v(t._s(t.$t("apiFile.start")))])]),s("tr",[s("td",[t._v("end")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.end2")))]),s("td",[t._v(t._s(t.$t("apiFile.end")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_30m")]),t._m(16),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.historyPower30m")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),t._m(17),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.historyPower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])])]),s("section",{staticClass:"MiningPool",attrs:{id:"accountHashRate"}},[s("h3",[t._v(t._s(t.$t("apiFile.miningAccount")))]),s("div",{staticClass:"Pool"},[s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation1")))]),s("p",{staticClass:"hash"},[t._v("HashRate")]),s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation2")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("date")]),s("td",[t._v("Date")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.powerStatistics")))])]),s("tr",[s("td",[t._v("hashrate")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.power")))])])])]),s("div",{staticClass:"Pool",attrs:{id:"accountList"}},[s("p",{staticClass:"hash"},[t._v("MinersList")]),s("p",[t._v(t._s(t.$t("apiFile.minerData")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("total")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.totalMiners")))])]),s("tr",[s("td",[t._v("online")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.onLineMiners")))])]),s("tr",[s("td",[t._v("offline")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.offLineMiners")))])])])]),s("div",{staticClass:"Pool",attrs:{id:"MinerInfo"}},[s("p",{staticClass:"hash"},[t._v("MinerInfo")]),s("p",[t._v(t._s(t.$t("apiFile.stateData")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("miner")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.minerId")))])]),s("tr",[s("td",[t._v("state")]),s("td",[t._v("int")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.minerStatus"))),s("br"),t._v(" "+t._s(t.$t("apiFile.minerStatus0"))),s("br"),t._v(" "+t._s(t.$t("apiFile.minerStatus1"))),s("br"),t._v(" "+t._s(t.$t("apiFile.minerStatus2")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.overviewOfMiners")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/watch ")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("miners_list")]),t._m(18),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.eachState")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.allMiners")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/miners_list")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("miners_list")]),t._m(19),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.eachState")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.realTimeAccount")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/hashrate_real")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_realtime")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower30m")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.account24h")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/hashrate_history")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])]),s("tr",[s("td",[t._v("start")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.start2")))]),s("td",[t._v(t._s(t.$t("apiFile.start")))])]),s("tr",[s("td",[t._v("end")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.end2")))]),s("td",[t._v(t._s(t.$t("apiFile.end")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),t._m(20),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.historyPower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.account24h30m")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/account/hashrate_last24h")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" account")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_30m")]),t._m(21),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.average24h30m")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])])]),s("section",{staticClass:"MiningPool",attrs:{id:"minerHashRate"}},[s("h3",[t._v(t._s(t.$t("apiFile.miningMachineInformation")))]),s("div",{staticClass:"Pool"},[s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation1")))]),s("p",{staticClass:"hash"},[t._v("HashRate")]),s("p",[t._v(t._s(t.$t("apiFile.miningPoolInformation2")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("date")]),s("td",[t._v("Date")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.powerStatistics")))])]),s("tr",[s("td",[t._v("hashrate")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.power")))])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.realTimeMiningMachine")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/miner/hashrate_real")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" miner")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])]),s("tr",[s("td",[t._v("miner")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.aCertainMiner")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_realtime")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower30m")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),s("td",[t._v("double")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.averagePower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.miningMachineHistory24h")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/miner/hashrate_history")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" miner")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])]),s("tr",[s("td",[t._v("miner")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.aCertainMiner")))])]),s("tr",[s("td",[t._v("start")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.start2")))]),s("td",[t._v(t._s(t.$t("apiFile.start")))])]),s("tr",[s("td",[t._v("end")]),s("td",[t._v("string")]),s("td",[t._v(t._s(t.$t("apiFile.end2")))]),s("td",[t._v(t._s(t.$t("apiFile.end")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_24h")]),t._m(22),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.historyPower24h")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v(" string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])]),s("div",{staticClass:"Pool"},[s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.realTimeMiningMachine24h30m")))]),s("p",{staticClass:"Interface"},[t._v("Post /oapi/v1/miner/hashrate_last24h")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.jurisdiction"))+" miner")]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.parameter")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("coin")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.currency")))])]),s("tr",[s("td",[t._v("mining_user")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.accountApiKey")))])]),s("tr",[s("td",[t._v("miner")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.aCertainMiner")))])])]),s("p",{staticClass:"hash"},[t._v(t._s(t.$t("apiFile.response")))]),s("table",{attrs:{border:"1"}},[s("tr",[s("th",[t._v(t._s(t.$t("apiFile.name")))]),s("th",[t._v(t._s(t.$t("apiFile.type")))]),s("th",[t._v(t._s(t.$t("apiFile.remarks")))]),s("th",[t._v(t._s(t.$t("apiFile.Explain")))])]),s("tr",[s("td",[t._v("hashrate_30m")]),t._m(23),s("td",[t._v("repeated")]),s("td",[t._v(t._s(t.$t("apiFile.average24h30m")))])]),s("tr",[s("td",[t._v("unit")]),s("td",[t._v("string")]),s("td"),s("td",[t._v(t._s(t.$t("apiFile.Company"))+"(h/s, kh/s, mh/s, gh/s …)")])])])])])])])])},s.Yp=[function(){var t=this,s=t._self._c;return s("ul",[s("li",[t._v("curl --request GET {url} \\")]),s("li",[t._v("--header 'Content-Type: application/json' \\")]),s("li",[t._v("--header 'API-KEY: {token}'")])])},function(){var t=this,s=t._self._c;return s("div",{staticClass:"container"},[s("p",[t._v("{")]),s("p",{staticStyle:{color:"green"}},[t._v('"code": 200,')]),s("p",[t._v('"data": object')]),s("p",[t._v("}")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#HashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#MinersList"}},[t._v("MinersList")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#HashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#HashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#accountList"}},[t._v("MinersList")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#MinerInfo"}},[t._v("MinerInfo")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#accountHashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#accountHashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#minerHashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#minerHashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("ul",[s("li",[t._v("curl --request GET {url} \\")]),s("li",[t._v("--header 'Content-Type: application/json' \\")]),s("li",[t._v("--header 'API-KEY: {token}'")])])},function(){var t=this,s=t._self._c;return s("div",{staticClass:"container"},[s("p",[t._v("{")]),s("p",{staticStyle:{color:"green"}},[t._v('"code": 200,')]),s("p",[t._v('"data": object')]),s("p",[t._v("}")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#HashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#MinersList"}},[t._v("MinersList")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#HashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#HashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#accountList"}},[t._v("MinersList")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#MinerInfo"}},[t._v("MinerInfo")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#accountHashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#accountHashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#minerHashRate"}},[t._v("HashRate")])])},function(){var t=this,s=t._self._c;return s("td",{staticClass:"active"},[s("a",{attrs:{href:"#minerHashRate"}},[t._v("HashRate")])])}]},48818:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(48548),i=e(43421),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"456e1b62",null),n=o.exports},50600:function(t,s,e){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{staticClass:"dataMain"},[s("section",{staticClass:"content"},[s("p",{staticClass:"title2"},[t._v(t._s(t.$t("chooseUs.why")))]),s("section",{staticClass:"topBox"},[s("div",{staticClass:"top top1"},[s("div",{staticClass:"icon"},[s("img",{staticStyle:{width:"45px"},attrs:{src:e(16712),alt:"wallet",loading:"lazy"}}),s("h4",[t._v(t._s(t.$t("chooseUs.title1")))])]),s("p",[t._v("    "+t._s(t.$t("chooseUs.text1")))])]),s("div",{staticClass:"top top2"},[s("div",{staticClass:"icon"},[s("img",{attrs:{src:e(21525),alt:"security",loading:"lazy"}}),s("h4",[t._v(t._s(t.$t("chooseUs.title2")))])]),s("p",[t._v("     "+t._s(t.$t("chooseUs.text2")))])]),s("div",{staticClass:"top top3"},[s("div",{staticClass:"icon"},[s("img",{attrs:{src:e(84441),alt:"customer service",loading:"lazy"}}),s("h4",[t._v(t._s(t.$t("chooseUs.title3")))])]),s("p",[t._v("     "+t._s(t.$t("chooseUs.text3")))])])])])])},s.Yp=[]},50736:function(t,s,e){Object.defineProperty(s,"__esModule",{value:!0}),s["default"]=void 0,e(18111),e(20116);var a=e(82908);s["default"]={data(){return{activeName:"1",activeItem:{path:"nexaAccess",value:"nexa",label:"nexa",imgUrl:`${this.$baseApi}img/nexa.png`,show:!0,name:"course.NEXAcourse",amount:1e4,tcp:"stratum+tcp://nexa.m2pool.com:33333",ssl:"stratum+ssl://nexa.m2pool.com:33335",Step1:"course.Step1",accountContent1:"course.accountContent1",accountContent2:"course.accountContent2",Step2:"course.Step2",bindWalletText1:"course.bindWalletText1",bindWalletText2:"course.bindWalletText2",walletAddr:"https://nexa.org/",bindWalletText3:"course.bindWalletText3",bindWalletText4:"course.bindWalletText4",exchangeAddr1:"https://www.mxc.com/",exchangeAddr1Label:"MEXC",exchangeAddr2:"https://www.coinex.com/zh-hans/",exchangeAddr2Label:"CoinEx",bindWalletText5:"course.bindWalletText5",bindWalletText6:"course.bindWalletText6",bindWalletText7:"course.bindWalletText7",bindWalletText8:"course.bindWalletText8",Step3:"course.Step3",miningIncome1:"course.miningIncome1",miningIncome2:"course.miningIncome2",GPU:"bzminer、lolminer、Rigel、WildRig",ASIC:"course.dragonBall",Step4:"course.Step4",parameter:"course.parameter",parameter2:"course.parameter2",parameter3:"course.parameter3",parameter4:"course.parameter4",parameter5:"course.parameter5",parameter6:"course.parameter6",parameter7:"course.parameter7",parameter8:"course.parameter8"}}},mounted(){this.$route.query.coin&&(this.activeCoin=this.$route.query.coin,this.imgUrl=this.$route.query.imgUrl,this.currencyPath=this.$route.query.imgUrl,this.params.coin=this.$route.query.coin,this.$addStorageEvent(1,"activeCoin",JSON.stringify(this.activeCoin)),this.activeItem=this.currencyList.find((t=>t.value==this.params.coin)));let t=localStorage.getItem("activeCoin");if(this.activeCoin=JSON.parse(t),window.addEventListener("setItem",(()=>{let t=localStorage.getItem("activeCoin");this.activeCoin=JSON.parse(t)})),console.log(this.activeCoin,"鸡脚低端局"),this.activeCoin)if("nexa"==this.activeCoin||"rxd"==this.activeCoin){this.openAPI=!0;try{this.pageTitle=this.currencyList.find((t=>t.value==this.activeCoin)).name,this.imgUrl=this.currencyList.find((t=>t.value==this.activeCoin)).imgUrl}catch(s){console.log(s)}}else this.openAPI=!1;else this.activeCoin="nexa",this.imgUrl="https://test.m2pool.com/img/nexa.png",this.currencyPath="https://test.m2pool.com/img/nexa.png",this.params.coin="nexa",this.$addStorageEvent(1,"activeCoin",JSON.stringify(this.activeCoin)),this.openAPI=!0},methods:{getImageUrl(t){return(0,a.getImageUrl)(t)},clickJump(t){this.activeCoin=t.value,this.pageTitle=t.name,this.imgUrl=t.imgUrl,this.$addStorageEvent(1,"activeCoin",JSON.stringify(t.value)),console.log(this.activeCoin)},clickCopy(t){navigator.clipboard.writeText(t).then((()=>{this.$message({showClose:!0,message:this.$t("personal.copySuccessful"),type:"success"})})).catch((t=>{console.log("复制失败",t),this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"error"})}))},clickCurrency(t){this.currencyPath=t.imgUrl,this.params.coin=t.value,this.activeItem=t},handelCurrencyLabel(t){let s=this.currencyList.find((s=>s.value==t));return s?s.label:""}}}},55603:function(t,s,e){var a=e(3999)["default"];Object.defineProperty(s,"B",{value:!0}),s.A=void 0;a(e(86425));var i=a(e(35221));s.A={mixins:[i.default],mounted(){},methods:{}}},63683:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(91312),i=e(17308),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"ec5988d8",null),n=o.exports},65484:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{staticClass:"AccessMiningPoolMain"},[s("section",{staticClass:"nexaAccess"},[t.$isMobile?s("section",[s("div",{staticClass:"mainTitle",attrs:{id:"table"}},[s("span",[t._v(" "+t._s(t.$t("course.MONAcourse")))])]),s("div",{staticClass:"tableBox"},[s("div",{staticClass:"table-title"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",{staticClass:"coin quota"},[t._v(t._s(t.$t("course.amount")))])]),s("el-collapse",{model:{value:t.activeName,callback:function(s){t.activeName=s},expression:"activeName"}},[s("el-collapse-item",{attrs:{name:"1"}},[s("template",{slot:"title"},[s("div",{staticClass:"collapseTitle"},[s("span",{staticClass:"coinBox"},[s("img",{staticStyle:{width:"20px"},attrs:{src:t.getImageUrl("img/mona.svg"),alt:"coin",loading:"lazy"}}),t._v("Mona")]),s("span",[t._v("1")])])]),s("div",{staticClass:"belowTable"},[s("div",[s("p",[t._v(t._s(t.$t("course.TCP")))]),s("p",[t._v(" stratum+tcp://mona.m2pool.com:33320"),s("span",{staticClass:"copy",on:{click:function(s){return t.clickCopy("stratum+tcp://mona.m2pool.com:33320")}}},[t._v(t._s(t.$t("personal.copy")))])])]),s("div",[s("p",[t._v(t._s(t.$t("course.SSL")))]),s("p",[t._v(" stratum+ssl://mona.m2pool.com:33325 "),s("span",{staticClass:"copy",on:{click:function(s){return t.clickCopy("stratum+ssl://mona.m2pool.com:33325")}}},[t._v(t._s(t.$t("personal.copy")))])])])])],2)],1)],1),s("section",{staticClass:"step",attrs:{id:"step1"}},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step1")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.accountContent1")))]),s("p",[t._v(t._s(t.$t("course.accountContent2")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step2")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.bindWalletText1")))]),s("p",[t._v("    "),s("span",[s("span",[t._v(t._s(t.$t("course.bindWalletText2")))])]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://monacoin.org/"}},[t._v("https://monacoin.org/")]),t._v(", "+t._s(t.$t("course.bindWalletText3"))+t._s(t.$t("course.Wallet1"))+" "),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://coinmarketcap.com/"}},[t._v("Coinmarketcap")]),t._v(", "+t._s(t.$t("course.Wallet2"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText4")))]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.coinex.com/zh-hans/"}},[t._v("CoinEx")]),t._v(" "+t._s(t.$t("course.bindWalletText5"))+" ")]),s("p",[t._v("    "),s("span",[t._v(t._s(t.$t("course.bindWalletText6")))]),t._v(t._s(t.$t("course.bindWalletText7"))+" ")]),s("p",[t._v(t._s(t.$t("course.bindWalletText8")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step4")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(" "+t._s(t.$t("course.parameter"))),s("a",{staticClass:"mail",attrs:{href:"#table"}},[t._v(" "+t._s(t.$t("course.parameter5")))]),t._v(" "+t._s(t.$t("course.parameter6"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter2"))+" "),s("a",{staticClass:"mail",attrs:{href:"#step1"}},[t._v(" "+t._s(t.$t("course.parameter7")))]),t._v(" "+t._s(t.$t("course.parameter8"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter3"))+" "),s("a",{staticClass:"mail",attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail")))]),t._v(" "+t._s(t.$t("course.parameter4"))+" ")])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step3")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.general4_1")))]),s("p",[t._v(t._s(t.$t("course.miningIncome2")))])])])]):s("section",{staticClass:"AccessMiningPool2"},[s("section",{staticClass:"table"},[s("div",{staticClass:"mainTitle"},[s("img",{attrs:{src:t.getImageUrl("img/mona.svg"),alt:"coin",loading:"lazy"}}),s("span",[t._v(" "+t._s(t.$t("course.MONAcourse")))])]),s("div",{staticClass:"theServer"},[s("div",{staticClass:"title",attrs:{id:"Server"}},[t._v(t._s(t.$t("course.selectServer")))]),s("ul",[s("li",{staticClass:"liTitle"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("course.currency")))]),s("span",{staticClass:"coin quota"},[t._v(t._s(t.$t("course.amount")))]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.TCP")))]),s("span",{staticClass:"port"},[t._v(t._s(t.$t("course.SSL")))])]),s("li",[s("span",{staticClass:"coin"},[s("img",{attrs:{src:t.getImageUrl("img/mona.svg"),alt:"coin",loading:"lazy"}}),s("span",[t._v("Mona")])]),s("span",{staticClass:"coin quota"},[t._v("1")]),s("span",{staticClass:"port"},[t._v(" stratum+tcp://mona.m2pool.com:33320  "),s("i",{staticClass:"iconfont icon-fuzhi",on:{click:function(s){return t.clickCopy("stratum+tcp://mona.m2pool.com:33320")}}})]),s("span",{staticClass:"port"},[t._v(" stratum+ssl://mona.m2pool.com:33325   "),s("i",{staticClass:"iconfont icon-fuzhi",on:{click:function(s){return t.clickCopy("stratum+ssl://mona.m2pool.com:33325")}}})])])])]),s("section",{staticClass:"step",attrs:{id:"accountContent2"}},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step1")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.accountContent1")))]),s("p",[t._v(t._s(t.$t("course.accountContent2")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step2")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.bindWalletText1")))]),s("p",{staticClass:"wallet-text"},[s("span",[t._v(t._s(t.$t("course.bindWalletText2")))]),s("a",{attrs:{href:"https://monacoin.org/"}},[t._v("https://monacoin.org/")]),t._v(", "+t._s(t.$t("course.bindWalletText3"))+t._s(t.$t("course.Wallet1"))+" "),s("a",{attrs:{href:"https://coinmarketcap.com/"}},[t._v("Coinmarketcap")]),t._v(", "+t._s(t.$t("course.Wallet2"))+" ")]),s("p",{staticClass:"wallet-text"},[s("span",[t._v(t._s(t.$t("course.bindWalletText4")))]),s("a",{staticStyle:{color:"blueviolet"},attrs:{href:"https://www.coinex.com/zh-hans/"}},[t._v("CoinEx")]),t._v(" "+t._s(t.$t("course.bindWalletText5"))+" ")]),s("p",{staticClass:"wallet-text"},[s("span",[t._v(t._s(t.$t("course.bindWalletText6")))]),t._v(t._s(t.$t("course.bindWalletText7"))+" ")]),s("p",[t._v(t._s(t.$t("course.bindWalletText8")))])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step4")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(" "+t._s(t.$t("course.parameter"))),s("a",{attrs:{href:"#Server"}},[t._v(t._s(t.$t("course.parameter5")))]),t._v(t._s(t.$t("course.parameter6"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter2"))),s("a",{attrs:{href:"#accountContent2"}},[t._v(t._s(t.$t("course.parameter7")))]),t._v(t._s(t.$t("course.parameter8"))+" ")]),s("p",[t._v(" "+t._s(t.$t("course.parameter3"))+" "),s("a",{attrs:{href:"mailto:support@m2pool.com"}},[t._v(t._s(t.$t("course.mail")))]),t._v(" "+t._s(t.$t("course.parameter4"))+" ")])])]),s("section",{staticClass:"step"},[s("div",{staticClass:"stepTitle"},[t._v(t._s(t.$t("course.Step3")))]),s("div",{staticClass:"textBox"},[s("p",[t._v(t._s(t.$t("course.general4_1")))]),s("p",[t._v(t._s(t.$t("course.miningIncome2")))])])])])])])])},s.Yp=[]},66496:function(t,s,e){var a=e(3999)["default"];Object.defineProperty(s,"B",{value:!0}),s.A=void 0;var i=a(e(94368));s.A={mixins:[i.default]}},66888:function(t,s){Object.defineProperty(s,"__esModule",{value:!0}),s["default"]=void 0;s["default"]={data(){return{rateList:[{value:"nexa",label:"nexa",img:`${this.$baseApi}img/nexa.png`,condition:"course.conditionNexa",interval:"course.intervalNexa",estimatedTime:"course.estimatedTimeNexa",describe:"course.describeNexa"},{value:"grs",label:"grs",img:`${this.$baseApi}img/grs.svg`,condition:"course.conditionGrs",interval:"course.intervalGrs",estimatedTime:"course.estimatedTimeGrs",describe:"course.describeGrs"},{value:"mona",label:"mona",img:`${this.$baseApi}img/mona.svg`,condition:"course.conditionMona",interval:"course.intervalMona",estimatedTime:"course.estimatedTimeMona",describe:"course.describeMona"},{value:"dgbs",label:"dgb(skein)",img:`${this.$baseApi}img/dgb.svg`,condition:"course.conditionDgbs",interval:"course.intervalDgbs",estimatedTime:"course.estimatedTimeDgbs",describe:"course.describeDgbs"},{value:"dgbq",label:"dgb(qubit)",img:`${this.$baseApi}img/dgb.svg`,condition:"course.conditionDgbq",interval:"course.intervalDgbq",estimatedTime:"course.estimatedTimeDgbq",describe:"course.describeDgbq"},{value:"dgbo",label:"dgb(odocrypt)",img:`${this.$baseApi}img/dgb.svg`,condition:"course.conditionDgbo",interval:"course.intervalDgbo",estimatedTime:"course.estimatedTimeDgbo",describe:"course.describeDgbo"},{value:"rxd",label:"radiant",img:`${this.$baseApi}img/rxd.png`,condition:"course.conditionRxd",interval:"course.intervalRxd",estimatedTime:"course.estimatedTimeRxd",describe:"course.describeRxd"},{value:"enx",label:"Entropyx(enx)",img:`${this.$baseApi}img/enx.svg`,condition:"course.conditionEnx",interval:"course.intervalEnx",estimatedTime:"course.estimatedTimeEnx",describe:"course.describeEnx"},{value:"alph",label:"alephium",img:`${this.$baseApi}img/alph.svg`,condition:"course.conditionAlph",interval:"course.intervalAlph",estimatedTime:"course.estimatedTimeAlph",describe:"course.describeAlph"}]}}}},67975:function(t,s,e){Object.defineProperty(s,"__esModule",{value:!0}),s["default"]=void 0;s["default"]={data(){return{currencyList:[{value:"nexa",label:"nexa",img:e(95194),imgUrl:`${this.$baseApi}img/nexa.png`,poolPower:"565656",totalPower:"5656",totalDifficulty:"879789",algorithm:"545",height:"898989",price:"3333 USD",describe:"NEXA 全名为NEXA Coin。它的主要目标是建立一个安全、高效的去中心化数字资产交易生态系统,提供更好的交易体验和丰富的金融服务‌。"},{value:"grs",label:"grs",img:e(78628),imgUrl:`${this.$baseApi}img/grs.svg`,poolPower:"565656",totalPower:"5656",totalDifficulty:"879789",algorithm:"545",height:"898989",price:"3333 USD",describe:"‌GRS全称为Grscoin,也称为Groestlcoin。它于2014年创立,采用Groestl算法,旨在提供更快速、更节能的交易环境‌"},{value:"mona",label:"mona",img:e(85857),imgUrl:`${this.$baseApi}img/mona.svg`,poolPower:"565656",totalPower:"5656",totalDifficulty:"879789",algorithm:"545",height:"898989",price:"3333 USD",describe:"‌Mona币(Monacoin)‌,中文名为萌奈币,是2013年12月诞生的日本第一个数字货币。Mona币采用Scrypt算法和Proof of Work机制,旨在成为一种广泛接受的数字货币,主要用于日本的在线交易、游戏和文化产业‌。"},{value:"dgbs",label:"dgb(skein)",img:e(94045),imgUrl:`${this.$baseApi}img/dgb.svg`,poolPower:"565656",totalPower:"5656",totalDifficulty:"879789",algorithm:"545",height:"898989",price:"3333 USD",describe:"‌DGB币(DigiByte)是一种全球性的去中心化支付网络和数字货币,灵感来源于比特币‌‌ DGB币的中文名称为“极特币”,其设计理念是提供一个快速、安全且低成本的交易平台"},{value:"dgbq",label:"dgb(qubit)",img:e(94045),imgUrl:`${this.$baseApi}img/dgb.svg`,poolPower:"565656",totalPower:"5656",totalDifficulty:"879789",algorithm:"545",height:"898989",price:"3333 USD",describe:"‌DGB币(DigiByte)是一种全球性的去中心化支付网络和数字货币,灵感来源于比特币‌‌ DGB币的中文名称为“极特币”,其设计理念是提供一个快速、安全且低成本的交易平台"},{value:"dgbo",label:"dgb(odocrypt)",img:e(94045),imgUrl:`${this.$baseApi}img/dgb.svg`,poolPower:"565656",totalPower:"5656",totalDifficulty:"879789",algorithm:"545",height:"898989",price:"3333 USD",describe:"‌DGB币(DigiByte)是一种全球性的去中心化支付网络和数字货币,灵感来源于比特币‌‌ DGB币的中文名称为“极特币”,其设计理念是提供一个快速、安全且低成本的交易平台"},{value:"rxd",label:"radiant",img:e(94158),imgUrl:`${this.$baseApi}img/rxd.png`,poolPower:"565656",totalPower:"5656",totalDifficulty:"879789",algorithm:"545",height:"898989",price:"3333 USD",describe:"Radiant币(RDNT)是Radiant Capital项目的原生代币,主要用于借款利息支付、流动性挖矿释放以及提前提款的罚金‌‌.Radiant Capital是一个建立在Arbitrum上的跨链借贷协议平台,旨在发展成为一个跨链借贷市场,允许用户在多个区块链上进行借贷操作"}]}}}},76177:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(65484),i=e(41645),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"ea469a34",null),n=o.exports},77452:function(t,s,e){Object.defineProperty(s,"__esModule",{value:!0}),s["default"]=void 0;var a=e(90929),i=e(82908);s["default"]={data(){return{receiveData:{img:"",maId:"",coin:"",ma:""},dialogVisible:!1,params:{email:"",remark:"",code:"",maId:""},tableData:[{email:"5656"}],alertsLoading:!1,addMinerLoading:!1,btnDisabled:!1,btnDisabledClose:!1,btnDisabledPassword:!1,bthText:"user.obtainVerificationCode",bthTextClose:"user.obtainVerificationCode",bthTextPassword:"user.obtainVerificationCode",time:"",countDownTime:60,timer:null,countDownTimeClose:60,timerclose:null,countDownTimePassword:60,timerPassword:null,listParams:{maId:"",limit:10,page:1},modifyDialogVisible:!1,modifyRemark:"",modifyParams:{id:"",remark:""},deleteLoading:!1,userEmail:""}},computed:{countDownPassword(){Math.floor(this.countDownTimePassword/60);const t=this.countDownTimePassword%60,s=t<10?"0"+t:t;return`${s}`}},created(){window.sessionStorage.getItem("alerts_time")&&(this.countDownTimePassword=Number(window.sessionStorage.getItem("alerts_time")),this.startCountDownPassword(),this.btnDisabledPassword=!0,this.bthTextPassword="user.again")},mounted(){let t=localStorage.getItem("userEmail");this.userEmail=JSON.parse(t),window.addEventListener("setItem",(()=>{let t=localStorage.getItem("userEmail");this.userEmail=JSON.parse(t)})),this.params.email=this.userEmail,this.$route.query&&(this.receiveData=this.$route.query,this.listParams.maId=this.receiveData.id,this.params.maId=this.receiveData.id),this.fetchList(this.listParams),this.registerRecoveryMethod("fetchList",this.listParams)},methods:{getImageUrl(t){return(0,i.getImageUrl)(t)},async fetchAddNoticeEmail(t){this.setLoading("addMinerLoading",!0);const s=await(0,a.getAddNoticeEmail)(t);if(s&&200==s.code){this.$message({type:"success",message:this.$t("alerts.addedSuccessfully")}),this.fetchList(this.listParams),this.dialogVisible=!1;for(const t in this.params)"maId"!==t&&(this.params[t]="")}this.setLoading("addMinerLoading",!1)},async fetchList(t){this.setLoading("alertsLoading",!0);const s=await(0,a.getList)(t);s&&200==s.code&&(this.tableData=s.rows),this.setLoading("alertsLoading",!1)},async fetchCode(t){const s=await(0,a.getCode)(t);s&&200==s.code&&this.$message({type:"success",message:this.$t("user.verificationCodeSuccessful")})},async fetchUpdateInfo(t){this.setLoading("addMinerLoading",!0);const s=await(0,a.getUpdateInfo)(t);s&&200==s.code&&(this.$message({type:"success",message:this.$t("alerts.modifiedSuccessfully")}),this.modifyDialogVisible=!1,this.fetchList(this.listParams)),this.setLoading("addMinerLoading",!1)},async fetchDeleteEmail(t){this.setLoading("deleteLoading",!0);const s=await(0,a.deleteEmail)(t);s&&200==s.code&&(this.$message({type:"success",message:this.$t("alerts.deleteSuccessfully")}),this.fetchList(this.listParams)),this.setLoading("deleteLoading",!1)},add(){this.dialogVisible=!0},confirmAdd(){const t=/^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+.[a-zA-Z]{2,}$/;this.params.email=this.params.email.trim();let s=t.test(this.params.email);this.params.email&&s?this.params.code?this.fetchAddNoticeEmail(this.params):this.$message({message:this.$t("personal.eCode"),type:"error",customClass:"messageClass",showClose:!0}):this.$message({message:this.$t("user.emailVerification"),type:"error",customClass:"messageClass",showClose:!0})},modify(t){this.modifyParams.id=t.id,this.modifyParams.remark=t.remark,this.modifyDialogVisible=!0},confirmModify(){this.modifyParams.remark?this.fetchUpdateInfo(this.modifyParams):this.$message({message:this.$t("alerts.modificationReminder"),type:"error",customClass:"messageClass",showClose:!0})},handelDelete(t){this.fetchDeleteEmail({id:t.id})},handelCode(){const t=/^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+.[a-zA-Z]{2,}$/;this.params.email=this.params.email.trim();let s=t.test(this.params.email);this.params.email&&s?0===this.listParams.maId||this.listParams.maId?(this.fetchCode({email:this.params.email,maId:this.listParams.maId}),null==window.sessionStorage.getItem("alerts_time")||(this.countDownTimePassword=Number(window.sessionStorage.getItem("alerts_time"))),this.startCountDownPassword()):this.$message({message:this.$t("alerts.acquisitionFailed"),type:"error",customClass:"messageClass",showClose:!0}):this.$message({message:this.$t("user.emailVerification"),type:"error",customClass:"messageClass",showClose:!0})},startCountDownPassword(){this.timerPassword=setInterval((()=>{this.countDownTimePassword<=1?(clearInterval(this.timerPassword),sessionStorage.removeItem("alerts_time"),this.countDownTimePassword=60,this.btnDisabledPassword=!1,this.bthTextPassword="user.obtainVerificationCode"):this.countDownTimePassword>0&&(this.countDownTimePassword--,this.btnDisabledPassword=!0,this.bthTextPassword="user.again",window.sessionStorage.setItem("alerts_time",this.countDownTimePassword))}),1e3)}}}},79354:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(26033),i=e(4710),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"05f0bcf1",null),n=o.exports},81475:function(t,s,e){e.r(s),e.d(s,{__esModule:function(){return i.B},default:function(){return n}});var a=e(50600),i=e(36425),r=i.A,l=e(81656),o=(0,l.A)(r,a.XX,a.Yp,!1,null,"81190992",null),n=o.exports},86964:function(t,s,e){var a=e(3999)["default"];Object.defineProperty(s,"B",{value:!0}),s.A=void 0;var i=a(e(50736));s.A={mixins:[i.default]}},91312:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{directives:[{name:"loading",rawName:"v-loading",value:t.alertsLoading,expression:"alertsLoading"}],staticClass:"alerts"},[t.$isMobile?s("section",{staticClass:"mobileMain"},[s("div",{staticClass:"accountInformation"},[s("img",{attrs:{src:t.receiveData.img,alt:"coin",loading:"lazy"}}),s("span",{staticClass:"coin"},[t._v(t._s(t.receiveData.coin))]),s("i",{staticClass:"iconfont icon-youjiantou"}),s("span",{staticClass:"ma"},[t._v(" "+t._s(t.receiveData.ma))])]),s("h4",[t._v(t._s(t.$t("alerts.Alarm")))]),s("p",{staticClass:"explain"},[s("i",{staticClass:"iconfont icon-zhuyi"}),t._v(" "+t._s(t.$t("alerts.beCareful")))]),s("p",{staticClass:"explain"},[s("i",{staticClass:"iconfont icon-zhuyi"}),t._v(" "+t._s(t.$t("alerts.beCareful1")))]),s("section",{staticClass:"BthBox"},[s("el-button",{staticClass:"addBth",on:{click:t.add}},[t._v(" "+t._s(t.$t("alerts.add"))+" "),s("i",{staticClass:"iconfont icon-youjiantou1 arrow",attrs:{"data-v-76e7f323":""}})])],1),s("div",{staticClass:"tableBox"},[s("div",{staticClass:"table-title"},[s("span",{staticClass:"coin"},[t._v(t._s(t.$t("user.Account")))]),s("span",{staticClass:"coin quota"},[t._v(t._s(t.$t("work.operation")))])]),s("el-collapse",t._l(t.tableData,(function(e){return s("el-collapse-item",{key:e.id,attrs:{name:"1"}},[s("template",{slot:"title"},[s("div",{staticClass:"collapseTitle"},[s("span",{staticClass:"coinBox"},[t._v(t._s(e.email))]),s("div",{staticClass:"operationBox"},[s("el-button",{staticClass:"modifyBth",attrs:{size:"small"},nativeOn:{click:function(s){return t.modify(e)}}},[t._v(" "+t._s(t.$t("personal.modify"))+" ")]),s("el-popconfirm",{attrs:{"confirm-button-text":t.$t("work.confirm"),"cancel-button-text":t.$t("work.cancel"),icon:"el-icon-info","icon-color":"red",title:t.$t("alerts.deleteRemind")},on:{confirm:function(s){return t.handelDelete(t.scope.row)}}},[s("el-button",{staticClass:"elBtn",attrs:{slot:"reference",loading:t.deleteLoading,size:"small"},slot:"reference"},[t._v(t._s(t.$t("personal.delete")))])],1)],1)])]),s("div",{staticClass:"belowTable"},[s("div",[s("p",[t._v(t._s(t.$t("user.Account")))]),s("p",[t._v(t._s(e.email))])]),s("div",[s("p",[t._v(t._s(t.$t("apiFile.remarks")))]),s("p",[t._v(t._s(e.remark))])])])],2)})),1)],1),s("el-dialog",{attrs:{visible:t.dialogVisible,width:"45%","close-on-click-modal":!1},on:{"update:visible":function(s){t.dialogVisible=s}}},[s("section",{staticClass:"dialogBox"},[s("div",{staticClass:"title",staticStyle:{"font-size":"1.3em"}},[t._v(t._s(t.$t("alerts.addAlarmEmail")))]),s("div",{staticClass:"inputBox"},[s("div",{staticClass:"inputItem"},[s("span",{staticClass:"title"},[t._v(t._s(t.$t("user.Account")))]),s("el-input",{staticClass:"input",attrs:{type:"email",placeholder:t.$t("personal.pleaseEnter")},model:{value:t.params.email,callback:function(s){t.$set(t.params,"email",s)},expression:"params.email"}})],1),s("div",{staticClass:"inputItem"},[s("span",{staticClass:"title"},[t._v(t._s(t.$t("personal.verificationCode")))]),s("div",{staticClass:"verificationCode"},[s("el-input",{attrs:{type:"text",autocomplete:"off",placeholder:t.$t("user.verificationCode")},model:{value:t.params.code,callback:function(s){t.$set(t.params,"code",s)},expression:"params.code"}}),s("el-button",{staticClass:"codeBtn",attrs:{disabled:t.btnDisabledPassword},on:{click:t.handelCode}},[t.countDownTimePassword<60&&t.countDownTimePassword>0?s("span",[t._v(t._s(t.countDownTimePassword))]):t._e(),t._v(t._s(t.$t(t.bthTextPassword)))])],1)]),s("div",{staticClass:"inputItem"},[s("span",{staticClass:"title"},[t._v(t._s(t.$t("apiFile.remarks")))]),s("el-input",{staticClass:"input",attrs:{placeholder:t.$t("personal.pleaseEnter")},model:{value:t.params.remark,callback:function(s){t.$set(t.params,"remark",s)},expression:"params.remark"}})],1)]),s("el-button",{staticStyle:{width:"30%","font-size":"1.1em"},attrs:{loading:t.addMinerLoading,type:"primary"},on:{click:t.confirmAdd}},[t._v(t._s(t.$t("personal.determine")))])],1)]),s("el-dialog",{attrs:{visible:t.modifyDialogVisible,width:"35%","close-on-click-modal":!1},on:{"update:visible":function(s){t.modifyDialogVisible=s}}},[s("section",{staticClass:"dialogBox"},[s("div",{staticClass:"title",staticStyle:{"font-size":"1.3em"}},[t._v(t._s(t.$t("alerts.modifyRemarks")))]),s("div",{staticClass:"inputBox"},[s("div",{staticClass:"inputItem"},[s("span",{staticClass:"title"},[t._v(t._s(t.$t("apiFile.remarks")))]),s("el-input",{staticClass:"input",attrs:{placeholder:t.$t("personal.pleaseEnter")},model:{value:t.modifyParams.remark,callback:function(s){t.$set(t.modifyParams,"remark",s)},expression:"modifyParams.remark"}})],1)]),s("el-button",{staticStyle:{width:"30%","font-size":"1.1em"},attrs:{loading:t.addMinerLoading,type:"primary"},on:{click:t.confirmModify}},[t._v(t._s(t.$t("personal.determine")))])],1)])],1):s("section",{staticClass:"pcMain"},[s("div",{staticClass:"accountInformation"},[s("img",{attrs:{src:t.receiveData.img,alt:"coin",loading:"lazy"}}),s("span",{staticClass:"coin"},[t._v(t._s(t.receiveData.coin))]),s("i",{staticClass:"iconfont icon-youjiantou"}),s("span",{staticClass:"ma"},[t._v(" "+t._s(t.receiveData.ma))])]),s("section",{staticClass:"content"},[s("h2",[t._v(t._s(t.$t("alerts.Alarm")))]),s("p",{staticClass:"explain"},[s("i",{staticClass:"iconfont icon-zhuyi"}),t._v(" "+t._s(t.$t("alerts.beCareful")))]),s("p",{staticClass:"explain"},[s("i",{staticClass:"iconfont icon-zhuyi"}),t._v(" "+t._s(t.$t("alerts.beCareful1")))]),s("section",{staticClass:"BthBox"},[s("el-button",{staticClass:"addBth",on:{click:t.add}},[t._v(" "+t._s(t.$t("alerts.add"))+" "),s("i",{staticClass:"iconfont icon-youjiantou1 arrow",attrs:{"data-v-76e7f323":""}})])],1),s("el-table",{staticClass:"table",staticStyle:{width:"100%","text-transform":"none","border-radius":"5px","margin-top":"18px"},attrs:{height:"500","header-cell-style":{"text-align":"center",background:"#D2C3EA",color:"#36246F",height:"60px"},"cell-style":{"text-align":"center"},data:t.tableData,"max-height":"600",stripe:""}},[s("el-table-column",{attrs:{prop:"email",label:t.$t("user.Account"),width:"230"}}),s("el-table-column",{attrs:{prop:"remark",label:t.$t("apiFile.remarks"),"show-overflow-tooltip":!0}}),s("el-table-column",{attrs:{fixed:"right",label:t.$t("work.operation"),width:"230"},scopedSlots:t._u([{key:"default",fn:function(e){return[s("el-button",{staticClass:"modifyBth",attrs:{size:"small"},on:{click:function(s){return t.modify(e.row)}}},[t._v(" "+t._s(t.$t("personal.modify"))+" ")]),s("el-popconfirm",{attrs:{"confirm-button-text":t.$t("work.confirm"),"cancel-button-text":t.$t("work.cancel"),icon:"el-icon-info","icon-color":"red",title:t.$t("alerts.deleteRemind")},on:{confirm:function(s){return t.handelDelete(e.row)}}},[s("el-button",{staticClass:"elBtn",attrs:{slot:"reference",loading:t.deleteLoading,size:"small"},slot:"reference"},[t._v(t._s(t.$t("personal.delete")))])],1)]}}])})],1)],1),s("el-dialog",{attrs:{visible:t.dialogVisible,width:"45%","close-on-click-modal":!1},on:{"update:visible":function(s){t.dialogVisible=s}}},[s("section",{staticClass:"dialogBox"},[s("div",{staticClass:"title",staticStyle:{"font-size":"1.3em"}},[t._v(t._s(t.$t("alerts.addAlarmEmail")))]),s("div",{staticClass:"inputBox"},[s("div",{staticClass:"inputItem"},[s("span",{staticClass:"title"},[t._v(t._s(t.$t("user.Account")))]),s("el-input",{staticClass:"input",attrs:{type:"email",placeholder:t.$t("personal.pleaseEnter")},model:{value:t.params.email,callback:function(s){t.$set(t.params,"email",s)},expression:"params.email"}})],1),s("div",{staticClass:"inputItem"},[s("span",{staticClass:"title"},[t._v(t._s(t.$t("personal.verificationCode")))]),s("div",{staticClass:"verificationCode"},[s("el-input",{attrs:{type:"text",autocomplete:"off",placeholder:t.$t("user.verificationCode")},model:{value:t.params.code,callback:function(s){t.$set(t.params,"code",s)},expression:"params.code"}}),s("el-button",{staticClass:"codeBtn",attrs:{disabled:t.btnDisabledPassword},on:{click:t.handelCode}},[t.countDownTimePassword<60&&t.countDownTimePassword>0?s("span",[t._v(t._s(t.countDownTimePassword))]):t._e(),t._v(t._s(t.$t(t.bthTextPassword)))])],1)]),s("div",{staticClass:"inputItem"},[s("span",{staticClass:"title"},[t._v(t._s(t.$t("apiFile.remarks")))]),s("el-input",{staticClass:"input",attrs:{placeholder:t.$t("personal.pleaseEnter")},model:{value:t.params.remark,callback:function(s){t.$set(t.params,"remark",s)},expression:"params.remark"}})],1)]),s("el-button",{staticStyle:{width:"30%","font-size":"1.1em"},attrs:{loading:t.addMinerLoading,type:"primary"},on:{click:t.confirmAdd}},[t._v(t._s(t.$t("personal.determine")))])],1)]),s("el-dialog",{attrs:{visible:t.modifyDialogVisible,width:"35%","close-on-click-modal":!1},on:{"update:visible":function(s){t.modifyDialogVisible=s}}},[s("section",{staticClass:"dialogBox"},[s("div",{staticClass:"title",staticStyle:{"font-size":"1.3em"}},[t._v(t._s(t.$t("alerts.modifyRemarks")))]),s("div",{staticClass:"inputBox"},[s("div",{staticClass:"inputItem"},[s("span",{staticClass:"title"},[t._v(t._s(t.$t("apiFile.remarks")))]),s("el-input",{staticClass:"input",attrs:{placeholder:t.$t("personal.pleaseEnter")},model:{value:t.modifyParams.remark,callback:function(s){t.$set(t.modifyParams,"remark",s)},expression:"modifyParams.remark"}})],1)]),s("el-button",{staticStyle:{width:"30%","font-size":"1.1em"},attrs:{loading:t.addMinerLoading,type:"primary"},on:{click:t.confirmModify}},[t._v(t._s(t.$t("personal.determine")))])],1)])],1)])},s.Yp=[]},92524:function(t,s){s.Yp=s.XX=void 0;s.XX=function(){var t=this,s=t._self._c;return s("div",{directives:[{name:"loading",rawName:"v-loading",value:t.totalDetailsLoading,expression:"totalDetailsLoading"}],staticClass:"main"},[t.$isMobile?s("section",{staticClass:"MobileMain"},[s("h4",[t._v(t._s(t.$t("work.WKDetails")))]),s("div",{staticClass:"contentMobile"},[s("el-row",[s("el-col",{attrs:{xs:24,sm:10,md:10,lg:12,xl:12}},[s("p",[s("span",{staticClass:"orderTitle"},[t._v(" "+t._s(t.$t("work.WorkID"))+":")]),s("span",{staticClass:"orderContent"},[t._v(t._s(t.ticketDetails.id))])])]),s("el-col",{attrs:{xs:24,sm:10,md:10,lg:10,xl:10}},[s("p",[s("span",{staticClass:"orderTitle"},[t._v(t._s(t.$t("work.mailbox"))+":")]),s("span",{staticClass:"orderContent"},[t._v(t._s(t.ticketDetails.email))])])])],1),s("el-row",[s("el-col",{attrs:{xs:24,sm:10,md:10,lg:10,xl:10}},[s("p",[s("span",{staticClass:"orderTitle"},[t._v(" "+t._s(t.$t("work.status"))+":")]),s("span",{staticClass:"orderContent"},[t._v(t._s(t.$t(t.handelStatus2(t.ticketDetails.status))))])])])],1),s("el-row",{staticStyle:{"margin-top":"30px !important"}},[s("el-col",[s("h5",[t._v(t._s(t.$t("work.describe"))+":")]),s("div",{staticStyle:{border:"1px solid rgba(0, 0, 0, 0.1)",padding:"20px 10px","word-wrap":"break-word","overflow-wrap":"break-word","max-height":"200px","margin-top":"18px","overflow-y":"auto","border-radius":"5px"}},[t._v(" "+t._s(t.ticketDetails.desc)+" ")])])],1),s("h5",{staticStyle:{"margin-top":"30px"}},[t._v(t._s(t.$t("work.record"))+":")]),s("div",{staticClass:"submitContent"},[s("el-row",{staticStyle:{margin:"0"}},t._l(t.recordList,(function(e){return s("div",{key:e.time,staticStyle:{"margin-top":"20px"}},[s("div",{staticClass:"submitTitle"},[s("div",{staticClass:"userName"},[t._v(t._s(e.name))]),s("div",{staticClass:"time"},[t._v(" "+t._s(t.handelTime(e.time)))])]),s("div",{attrs:{id:"contentBox"}},[t._v(" "+t._s(e.content)+" ")]),s("span",{directives:[{name:"show",rawName:"v-show",value:e.files,expression:"item.files"}],staticClass:"downloadBox",on:{click:function(s){return t.handelDownload(e.files)}}},[t._v(t._s(t.$t("work.downloadFile")))])])})),0)],1),"10"!==t.ticketDetails.status?s("section",{staticStyle:{"margin-top":"30px"}},[s("div",[s("el-row",[s("el-col",[s("h5",{staticStyle:{"margin-bottom":"18px"}},[t._v(t._s(t.$t("work.ReplyContent"))+":")]),s("el-input",{attrs:{type:"textarea",placeholder:t.$t("work.input"),resize:"none",maxlength:"250","show-word-limit":"",autosize:{minRows:2,maxRows:6}},model:{value:t.replyParams.respon,callback:function(s){t.$set(t.replyParams,"respon",s)},expression:"replyParams.respon"}})],1)],1),s("el-form",[s("el-form-item",{staticStyle:{width:"100%"}},[s("div",{staticStyle:{width:"100%"}},[t._v(t._s(t.$t("work.enclosure")))]),s("div",{staticClass:"prompt"},[t._v(" "+t._s(t.$t("work.fileType"))+":jpg, jpeg, png, mp3, aif, aiff, wav, wma, mp4, avi, rmvb ")]),s("el-upload",{ref:"upload",staticClass:"upload-demo",attrs:{drag:"",action:"",multiple:"",limit:t.fileLimit,"on-exceed":t.handleExceed,"on-remove":t.handleRemove,"file-list":t.fileList,"on-change":t.handelChange,"show-file-list":"","auto-upload":!1}},[s("i",{staticClass:"el-icon-upload"}),s("div",{staticClass:"el-upload__text"},[t._v(" "+t._s(t.$t("work.fileCharacters"))),s("em",[t._v(" "+t._s(t.$t("work.fileCharacters2")))])])])],1),s("el-button",{staticClass:"elBtn",staticStyle:{"border-radius":"20px"},attrs:{type:"plain"},on:{click:t.handelResubmit}},[t._v(" "+t._s(t.$t("work.ReplyWork")))]),s("el-button",{staticClass:"elBtn",staticStyle:{"border-radius":"20px"},attrs:{type:"plain"},on:{click:t.handelEnd}},[t._v(" "+t._s(t.$t("work.endWork")))])],1)],1)]):t._e(),s("el-dialog",{attrs:{title:t.$t("work.Tips"),visible:t.closeDialogVisible,width:"70%","before-close":t.handleClose},on:{"update:visible":function(s){t.closeDialogVisible=s}}},[s("span",[t._v(t._s(t.$t("work.confirmClose")))]),s("span",{staticClass:"dialog-footer",attrs:{slot:"footer"},slot:"footer"},[s("el-button",{staticStyle:{"border-radius":"20px"},on:{click:function(s){t.closeDialogVisible=!1}}},[t._v(t._s(t.$t("work.cancel")))]),s("el-button",{staticClass:"elBtn",staticStyle:{border:"none","border-radius":"20px"},attrs:{type:"primary",loading:t.totalDetailsLoading},on:{click:t.confirmCols}},[t._v(t._s(t.$t("work.confirm")))])],1)])],1)]):s("div",{staticClass:"content"},[s("el-row",{attrs:{type:"flex",justify:"end"}},[s("el-col",{staticClass:"orderDetails"},[s("h3",[t._v(t._s(t.$t("work.WKDetails")))]),s("el-row",[s("el-col",{attrs:{span:12}},[s("p",[s("span",{staticClass:"orderTitle"},[t._v(" "+t._s(t.$t("work.WorkID"))+":")]),s("span",{staticClass:"orderContent"},[t._v(t._s(t.ticketDetails.id))])])]),s("el-col",{attrs:{span:12}},[s("p",[s("span",{staticClass:"orderTitle"},[t._v(t._s(t.$t("work.mailbox"))+":")]),s("span",{staticClass:"orderContent"},[t._v(t._s(t.ticketDetails.email))])])])],1),s("el-row",[s("el-col",{attrs:{span:12}},[s("p",[s("span",{staticClass:"orderTitle"},[t._v(" "+t._s(t.$t("work.status"))+":")]),s("span",{staticClass:"orderContent"},[t._v(t._s(t.$t(t.handelStatus2(t.ticketDetails.status))))])])])],1)],1)],1),s("el-row",{staticStyle:{"margin-top":"30px"}},[s("el-col",[s("h4",[t._v(t._s(t.$t("work.describe"))+":")]),s("p",{staticStyle:{border:"1px solid rgba(0, 0, 0, 0.1)",padding:"20px 10px","word-wrap":"break-word","overflow-wrap":"break-word","max-height":"200px","margin-top":"18px","overflow-y":"auto","border-radius":"5px"}},[t._v(" "+t._s(t.ticketDetails.desc)+" ")])])],1),s("h4",[t._v(t._s(t.$t("work.record"))+":")]),s("div",{staticClass:"submitContent"},[s("el-row",{staticStyle:{margin:"0"}},t._l(t.recordList,(function(e){return s("div",{key:e.time,staticStyle:{"margin-top":"20px"}},[s("div",{staticClass:"submitTitle"},[s("span",[t._v(t._s(t.$t("work.user1"))+":"+t._s(e.name))]),s("span",[t._v(" "+t._s(t.$t("work.time4"))+":"+t._s(t.handelTime(e.time)))])]),s("div",{staticClass:"contentBox"},[s("span",{staticStyle:{display:"inline-block",width:"100%","word-wrap":"break-word","overflow-wrap":"break-word","max-height":"200px","overflow-y":"auto"}},[t._v(t._s(e.content))])]),s("span",{directives:[{name:"show",rawName:"v-show",value:e.files,expression:"item.files"}],staticClass:"downloadBox",on:{click:function(s){return t.handelDownload(e.files)}}},[t._v(t._s(t.$t("work.downloadFile")))])])})),0)],1),"10"!==t.ticketDetails.status?s("section",[s("div",[s("el-row",[s("el-col",[s("h4",{staticStyle:{"margin-bottom":"18px"}},[t._v(t._s(t.$t("work.ReplyContent"))+":")]),s("el-input",{attrs:{type:"textarea",placeholder:t.$t("work.input"),resize:"none",maxlength:"250","show-word-limit":"",autosize:{minRows:2,maxRows:6}},model:{value:t.replyParams.respon,callback:function(s){t.$set(t.replyParams,"respon",s)},expression:"replyParams.respon"}})],1)],1),s("el-form",[s("el-form-item",{staticStyle:{width:"50%"}},[s("div",{staticStyle:{width:"100%"}},[t._v(t._s(t.$t("work.enclosure")))]),s("p",{staticClass:"prompt"},[t._v(" "+t._s(t.$t("work.fileType"))+":jpg, jpeg, png, mp3, aif, aiff, wav, wma, mp4, avi, rmvb ")]),s("el-upload",{ref:"upload",staticClass:"upload-demo",attrs:{drag:"",action:"",multiple:"",limit:t.fileLimit,"on-exceed":t.handleExceed,"on-remove":t.handleRemove,"file-list":t.fileList,"on-change":t.handelChange,"show-file-list":"","auto-upload":!1}},[s("i",{staticClass:"el-icon-upload"}),s("div",{staticClass:"el-upload__text"},[t._v(" "+t._s(t.$t("work.fileCharacters"))),s("em",[t._v(" "+t._s(t.$t("work.fileCharacters2")))])])])],1),s("el-button",{staticClass:"elBtn",staticStyle:{width:"200px","border-radius":"20px"},attrs:{type:"plain"},on:{click:t.handelResubmit}},[t._v(" "+t._s(t.$t("work.ReplyWork")))]),s("el-button",{staticClass:"elBtn",staticStyle:{width:"200px","border-radius":"20px"},attrs:{type:"plain"},on:{click:t.handelEnd}},[t._v(" "+t._s(t.$t("work.endWork")))])],1)],1)]):t._e(),s("el-dialog",{attrs:{title:t.$t("work.Tips"),visible:t.closeDialogVisible,width:"30%","before-close":t.handleClose},on:{"update:visible":function(s){t.closeDialogVisible=s}}},[s("span",[t._v(t._s(t.$t("work.confirmClose")))]),s("span",{staticClass:"dialog-footer",attrs:{slot:"footer"},slot:"footer"},[s("el-button",{staticStyle:{"border-radius":"20px"},on:{click:function(s){t.closeDialogVisible=!1}}},[t._v(t._s(t.$t("work.cancel")))]),s("el-button",{staticClass:"elBtn",staticStyle:{border:"none","border-radius":"20px"},attrs:{type:"primary",loading:t.totalDetailsLoading},on:{click:t.confirmCols}},[t._v(t._s(t.$t("work.confirm")))])],1)])],1)])},s.Yp=[]},94368:function(t,s,e){Object.defineProperty(s,"__esModule",{value:!0}),s["default"]=void 0,e(18111),e(20116);var a=e(82908);s["default"]={data(){return{activeCoin:"nexa",activeItem:{path:"nexaAccess",value:"nexa",label:"nexa",imgUrl:`${this.$baseApi}img/nexa.png`,show:!0,name:"course.NEXAcourse",amount:1e4,tcp:"stratum+tcp://nexa.m2pool.com:33333",ssl:"stratum+ssl://nexa.m2pool.com:33335",Step1:"course.Step1",accountContent1:"course.accountContent1",accountContent2:"course.accountContent2",Step2:"course.Step2",bindWalletText1:"course.bindWalletText1",bindWalletText2:"course.bindWalletText2",walletAddr:"https://nexa.org/",bindWalletText3:"course.bindWalletText3",bindWalletText4:"course.bindWalletText4",exchangeAddr1:"https://www.mxc.com/",exchangeAddr1Label:"MEXC",exchangeAddr2:"https://www.coinex.com/zh-hans/",exchangeAddr2Label:"CoinEx",bindWalletText5:"course.bindWalletText5",bindWalletText6:"course.bindWalletText6",bindWalletText7:"course.bindWalletText7",bindWalletText8:"course.bindWalletText8",Step3:"course.Step3",miningIncome1:"course.miningIncome1",miningIncome2:"course.miningIncome2",GPU:"bzminer、lolminer、Rigel、WildRig",ASIC:"course.dragonBall",Step4:"course.Step4",parameter:"course.parameter",parameter2:"course.parameter2",parameter3:"course.parameter3",parameter4:"course.parameter4",parameter5:"course.parameter5",parameter6:"course.parameter6",parameter7:"course.parameter7",parameter8:"course.parameter8"},activeName:"1"}},mounted(){},methods:{getImageUrl(t){return(0,a.getImageUrl)(t)},clickJump(t){this.activeCoin=t.value,this.pageTitle=t.name,this.imgUrl=t.imgUrl,this.$addStorageEvent(1,"activeCoin",JSON.stringify(t.value)),console.log(this.activeCoin)},clickCopy(t){navigator.clipboard.writeText(t).then((()=>{this.$message({showClose:!0,message:this.$t("personal.copySuccessful"),type:"success"})})).catch((t=>{console.log("复制失败",t),this.$message({showClose:!0,message:this.$t("personal.copyFailed"),type:"error"})}))},clickCurrency(t){this.currencyPath=t.imgUrl,this.params.coin=t.value,this.activeItem=t},handelCurrencyLabel(t){let s=this.currencyList.find((s=>s.value==t));return s?s.label:""}}}},95664:function(t,s,e){var a=e(3999)["default"];Object.defineProperty(s,"B",{value:!0}),s.A=void 0;var i=a(e(66888));s.A={metaInfo:{meta:[{name:"keywords",content:"分配、转账说明,矿池分配,转账说明,Allocation,Transfer,Mining Pool,Pool allocation,Transfer instructions"},{name:"description",content:window.vm.$t("seo.allocationExplanation")}]},mixins:[i.default]}}}]); \ No newline at end of file diff --git a/mining-pool/test/js/app-b4c4f6ec.bf0536f4.js.gz b/mining-pool/test/js/app-b4c4f6ec.bf0536f4.js.gz new file mode 100644 index 0000000..2b08071 Binary files /dev/null and b/mining-pool/test/js/app-b4c4f6ec.bf0536f4.js.gz differ diff --git a/mining-pool/test/js/chunk-vendors-377fed06.159de137.js b/mining-pool/test/js/chunk-vendors-377fed06.159de137.js new file mode 100644 index 0000000..47b696f --- /dev/null +++ b/mining-pool/test/js/chunk-vendors-377fed06.159de137.js @@ -0,0 +1,18 @@ +(self["webpackChunkmining_pool"]=self["webpackChunkmining_pool"]||[]).push([[33],{18614:function(t,e,n){n(18111),n(7588), +/** + * vue-meta-info v0.1.7 + * (c) 2018 monkeyWang + * @license MIT + */ +function(e,n){t.exports=n()}(0,(function(){"use strict";var t="metaInfo",e="data-vue-meta-info";function n(t,n){for(var r in t.setAttribute(e,!0),n)n.hasOwnProperty(r)&&t.setAttribute(r,n[r])}function r(t){for(var n=t.querySelectorAll("["+e+"]"),r=n.length-1;r>-1;r--)"true"===n[r].getAttribute(e)&&t.removeChild(n[r])}function i(){var t=document.getElementsByTagName("head")[0];return{setMetaInfo:function(e){var r=function(r){"title"!==r?e.hasOwnProperty(r)&&e[r].forEach((function(e){var i=document.createElement(r);n(i,e),t.appendChild(i)})):document.title=e.title};for(var i in e)r(i)},removeMetaInfo:function(){r(t)}}}function o(t){i().removeMetaInfo(),i().setMetaInfo(t)}function a(t,e){var n=this;t&&e&&(t.title=e.title||"",t.render={},Object.keys(e).forEach((function(r){"title"!==r&&(t.render[r]=function(){var t="";return e[r]&&e[r].forEach((function(e){var n="<"+r+' data-vue-meta-info="true"';Object.keys(e).forEach((function(t){n+=t+'="'+e[t]+'"'})),n+=">\n",t+=n})),t}.bind(n))})))}var s=function(){};return s.install=function(e){e.mixin({beforeCreate:function(){var e=this;if(void 0!==this.$options[t]){var n=typeof this.$options[t];this._hasMetaInfo=!0,"undefined"===typeof this.$options.computed&&(this.$options.computed={}),this.$options.computed.$metaInfo="function"===n?this.$options[t]:function(){return e.$options[t]}}},created:function(){a(this.$ssrContext,this.$metaInfo)},beforeMount:function(){this._hasMetaInfo&&o(this.$metaInfo)},mounted:function(){var t=this;this._hasMetaInfo&&this.$watch("$metaInfo",(function(){o(t.$metaInfo)}))},activated:function(){this._hasMetaInfo&&o(this.$metaInfo)},deactivated:function(){this._hasMetaInfo&&o(this.$metaInfo)}})},s}))},22484:function(t,e,n){"use strict"; +/*! + * vue-router v3.6.5 + * (c) 2022 Evan You + * @license MIT + */function r(t,e){for(var n in e)t[n]=e[n];return t}n(44114),n(18111),n(81148),n(22489),n(7588),n(61701),n(13579);var i=/[!'()*]/g,o=function(t){return"%"+t.charCodeAt(0).toString(16)},a=/%2C/g,s=function(t){return encodeURIComponent(t).replace(i,o).replace(a,",")};function c(t){try{return decodeURIComponent(t)}catch(e){0}return t}function u(t,e,n){void 0===e&&(e={});var r,i=n||f;try{r=i(t||"")}catch(s){r={}}for(var o in e){var a=e[o];r[o]=Array.isArray(a)?a.map(l):l(a)}return r}var l=function(t){return null==t||"object"===typeof t?t:String(t)};function f(t){var e={};return t=t.trim().replace(/^(\?|#|&)/,""),t?(t.split("&").forEach((function(t){var n=t.replace(/\+/g," ").split("="),r=c(n.shift()),i=n.length>0?c(n.join("=")):null;void 0===e[r]?e[r]=i:Array.isArray(e[r])?e[r].push(i):e[r]=[e[r],i]})),e):e}function h(t){var e=t?Object.keys(t).map((function(e){var n=t[e];if(void 0===n)return"";if(null===n)return s(e);if(Array.isArray(n)){var r=[];return n.forEach((function(t){void 0!==t&&(null===t?r.push(s(e)):r.push(s(e)+"="+s(t)))})),r.join("&")}return s(e)+"="+s(n)})).filter((function(t){return t.length>0})).join("&"):null;return e?"?"+e:""}var p=/\/?$/;function v(t,e,n,r){var i=r&&r.options.stringifyQuery,o=e.query||{};try{o=m(o)}catch(s){}var a={name:e.name||t&&t.name,meta:t&&t.meta||{},path:e.path||"/",hash:e.hash||"",query:o,params:e.params||{},fullPath:y(e,i),matched:t?g(t):[]};return n&&(a.redirectedFrom=y(n,i)),Object.freeze(a)}function m(t){if(Array.isArray(t))return t.map(m);if(t&&"object"===typeof t){var e={};for(var n in t)e[n]=m(t[n]);return e}return t}var d=v(null,{path:"/"});function g(t){var e=[];while(t)e.unshift(t),t=t.parent;return e}function y(t,e){var n=t.path,r=t.query;void 0===r&&(r={});var i=t.hash;void 0===i&&(i="");var o=e||h;return(n||"/")+o(r)+i}function _(t,e,n){return e===d?t===e:!!e&&(t.path&&e.path?t.path.replace(p,"")===e.path.replace(p,"")&&(n||t.hash===e.hash&&b(t.query,e.query)):!(!t.name||!e.name)&&(t.name===e.name&&(n||t.hash===e.hash&&b(t.query,e.query)&&b(t.params,e.params))))}function b(t,e){if(void 0===t&&(t={}),void 0===e&&(e={}),!t||!e)return t===e;var n=Object.keys(t).sort(),r=Object.keys(e).sort();return n.length===r.length&&n.every((function(n,i){var o=t[n],a=r[i];if(a!==n)return!1;var s=e[n];return null==o||null==s?o===s:"object"===typeof o&&"object"===typeof s?b(o,s):String(o)===String(s)}))}function w(t,e){return 0===t.path.replace(p,"/").indexOf(e.path.replace(p,"/"))&&(!e.hash||t.hash===e.hash)&&k(t.query,e.query)}function k(t,e){for(var n in e)if(!(n in t))return!1;return!0}function $(t){for(var e=0;e=0&&(e=t.slice(r),t=t.slice(0,r));var i=t.indexOf("?");return i>=0&&(n=t.slice(i+1),t=t.slice(0,i)),{path:t,query:n,hash:e}}function E(t){return t.replace(/\/(?:\s*\/)+/g,"/")}var M=Array.isArray||function(t){return"[object Array]"==Object.prototype.toString.call(t)},I=K,R=D,L=P,j=V,S=Z,A=new RegExp(["(\\\\.)","([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))"].join("|"),"g");function D(t,e){var n,r=[],i=0,o=0,a="",s=e&&e.delimiter||"/";while(null!=(n=A.exec(t))){var c=n[0],u=n[1],l=n.index;if(a+=t.slice(o,l),o=l+c.length,u)a+=u[1];else{var f=t[o],h=n[2],p=n[3],v=n[4],m=n[5],d=n[6],g=n[7];a&&(r.push(a),a="");var y=null!=h&&null!=f&&f!==h,_="+"===d||"*"===d,b="?"===d||"*"===d,w=n[2]||s,k=v||m;r.push({name:p||i++,prefix:h||"",delimiter:w,optional:b,repeat:_,partial:y,asterisk:!!g,pattern:k?H(k):g?".*":"[^"+B(w)+"]+?"})}}return o1||!C.length)return 0===C.length?t():t("span",{},C)}if("a"===this.tag)$.on=k,$.attrs={href:c,"aria-current":y};else{var x=at(this.$slots.default);if(x){x.isStatic=!1;var F=x.data=r({},x.data);for(var T in F.on=F.on||{},F.on){var O=F.on[T];T in k&&(F.on[T]=Array.isArray(O)?O:[O])}for(var E in k)E in F.on?F.on[E].push(k[E]):F.on[E]=b;var M=x.data.attrs=r({},x.data.attrs);M.href=c,M["aria-current"]=y}else $.on=k}return t(this.tag,$,this.$slots.default)}};function ot(t){if(!(t.metaKey||t.altKey||t.ctrlKey||t.shiftKey)&&!t.defaultPrevented&&(void 0===t.button||0===t.button)){if(t.currentTarget&&t.currentTarget.getAttribute){var e=t.currentTarget.getAttribute("target");if(/\b_blank\b/i.test(e))return}return t.preventDefault&&t.preventDefault(),!0}}function at(t){if(t)for(var e,n=0;n-1&&(s.params[f]=n.params[f]);return s.path=X(u.path,s.params,'named route "'+c+'"'),h(u,s,a)}if(s.path){s.params={};for(var p=0;p-1}function zt(t,e){return qt(t)&&t._isRouter&&(null==e||t.type===e)}function Jt(t,e,n){var r=function(i){i>=t.length?n():t[i]?e(t[i],(function(){r(i+1)})):r(i+1)};r(0)}function Gt(t){return function(e,n,r){var i=!1,o=0,a=null;Zt(t,(function(t,e,n,s){if("function"===typeof t&&void 0===t.cid){i=!0,o++;var c,u=Qt((function(e){Xt(e)&&(e=e.default),t.resolved="function"===typeof e?e:tt.extend(e),n.components[s]=e,o--,o<=0&&r()})),l=Qt((function(t){var e="Failed to resolve async component "+s+": "+t;a||(a=qt(t)?t:new Error(e),r(a))}));try{c=t(u,l)}catch(h){l(h)}if(c)if("function"===typeof c.then)c.then(u,l);else{var f=c.component;f&&"function"===typeof f.then&&f.then(u,l)}}})),i||r()}}function Zt(t,e){return Kt(t.map((function(t){return Object.keys(t.components).map((function(n){return e(t.components[n],t.instances[n],t,n)}))})))}function Kt(t){return Array.prototype.concat.apply([],t)}var Yt="function"===typeof Symbol&&"symbol"===typeof Symbol.toStringTag;function Xt(t){return t.__esModule||Yt&&"Module"===t[Symbol.toStringTag]}function Qt(t){var e=!1;return function(){var n=[],r=arguments.length;while(r--)n[r]=arguments[r];if(!e)return e=!0,t.apply(this,n)}}var te=function(t,e){this.router=t,this.base=ee(e),this.current=d,this.pending=null,this.ready=!1,this.readyCbs=[],this.readyErrorCbs=[],this.errorCbs=[],this.listeners=[]};function ee(t){if(!t)if(ct){var e=document.querySelector("base");t=e&&e.getAttribute("href")||"/",t=t.replace(/^https?:\/\/[^\/]+/,"")}else t="/";return"/"!==t.charAt(0)&&(t="/"+t),t.replace(/\/$/,"")}function ne(t,e){var n,r=Math.max(t.length,e.length);for(n=0;n0)){var e=this.router,n=e.options.scrollBehavior,r=jt&&n;r&&this.listeners.push(kt());var i=function(){var n=t.current,i=fe(t.base);t.current===d&&i===t._startLocation||t.transitionTo(i,(function(t){r&&$t(e,t,n,!0)}))};window.addEventListener("popstate",i),this.listeners.push((function(){window.removeEventListener("popstate",i)}))}},e.prototype.go=function(t){window.history.go(t)},e.prototype.push=function(t,e,n){var r=this,i=this,o=i.current;this.transitionTo(t,(function(t){St(E(r.base+t.fullPath)),$t(r.router,t,o,!1),e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var r=this,i=this,o=i.current;this.transitionTo(t,(function(t){At(E(r.base+t.fullPath)),$t(r.router,t,o,!1),e&&e(t)}),n)},e.prototype.ensureURL=function(t){if(fe(this.base)!==this.current.fullPath){var e=E(this.base+this.current.fullPath);t?St(e):At(e)}},e.prototype.getCurrentLocation=function(){return fe(this.base)},e}(te);function fe(t){var e=window.location.pathname,n=e.toLowerCase(),r=t.toLowerCase();return!t||n!==r&&0!==n.indexOf(E(r+"/"))||(e=e.slice(t.length)),(e||"/")+window.location.search+window.location.hash}var he=function(t){function e(e,n,r){t.call(this,e,n),r&&pe(this.base)||ve()}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.setupListeners=function(){var t=this;if(!(this.listeners.length>0)){var e=this.router,n=e.options.scrollBehavior,r=jt&&n;r&&this.listeners.push(kt());var i=function(){var e=t.current;ve()&&t.transitionTo(me(),(function(n){r&&$t(t.router,n,e,!0),jt||ye(n.fullPath)}))},o=jt?"popstate":"hashchange";window.addEventListener(o,i),this.listeners.push((function(){window.removeEventListener(o,i)}))}},e.prototype.push=function(t,e,n){var r=this,i=this,o=i.current;this.transitionTo(t,(function(t){ge(t.fullPath),$t(r.router,t,o,!1),e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var r=this,i=this,o=i.current;this.transitionTo(t,(function(t){ye(t.fullPath),$t(r.router,t,o,!1),e&&e(t)}),n)},e.prototype.go=function(t){window.history.go(t)},e.prototype.ensureURL=function(t){var e=this.current.fullPath;me()!==e&&(t?ge(e):ye(e))},e.prototype.getCurrentLocation=function(){return me()},e}(te);function pe(t){var e=fe(t);if(!/^\/#/.test(e))return window.location.replace(E(t+"/#"+e)),!0}function ve(){var t=me();return"/"===t.charAt(0)||(ye("/"+t),!1)}function me(){var t=window.location.href,e=t.indexOf("#");return e<0?"":(t=t.slice(e+1),t)}function de(t){var e=window.location.href,n=e.indexOf("#"),r=n>=0?e.slice(0,n):e;return r+"#"+t}function ge(t){jt?St(de(t)):window.location.hash=t}function ye(t){jt?At(de(t)):window.location.replace(de(t))}var _e=function(t){function e(e,n){t.call(this,e,n),this.stack=[],this.index=-1}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.push=function(t,e,n){var r=this;this.transitionTo(t,(function(t){r.stack=r.stack.slice(0,r.index+1).concat(t),r.index++,e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var r=this;this.transitionTo(t,(function(t){r.stack=r.stack.slice(0,r.index).concat(t),e&&e(t)}),n)},e.prototype.go=function(t){var e=this,n=this.index+t;if(!(n<0||n>=this.stack.length)){var r=this.stack[n];this.confirmTransition(r,(function(){var t=e.current;e.index=n,e.updateRoute(r),e.router.afterHooks.forEach((function(e){e&&e(r,t)}))}),(function(t){zt(t,Dt.duplicated)&&(e.index=n)}))}},e.prototype.getCurrentLocation=function(){var t=this.stack[this.stack.length-1];return t?t.fullPath:"/"},e.prototype.ensureURL=function(){},e}(te),be=function(t){void 0===t&&(t={}),this.app=null,this.apps=[],this.options=t,this.beforeHooks=[],this.resolveHooks=[],this.afterHooks=[],this.matcher=pt(t.routes||[],this);var e=t.mode||"hash";switch(this.fallback="history"===e&&!jt&&!1!==t.fallback,this.fallback&&(e="hash"),ct||(e="abstract"),this.mode=e,e){case"history":this.history=new le(this,t.base);break;case"hash":this.history=new he(this,t.base,this.fallback);break;case"abstract":this.history=new _e(this,t.base);break;default:0}},we={currentRoute:{configurable:!0}};be.prototype.match=function(t,e,n){return this.matcher.match(t,e,n)},we.currentRoute.get=function(){return this.history&&this.history.current},be.prototype.init=function(t){var e=this;if(this.apps.push(t),t.$once("hook:destroyed",(function(){var n=e.apps.indexOf(t);n>-1&&e.apps.splice(n,1),e.app===t&&(e.app=e.apps[0]||null),e.app||e.history.teardown()})),!this.app){this.app=t;var n=this.history;if(n instanceof le||n instanceof he){var r=function(t){var r=n.current,i=e.options.scrollBehavior,o=jt&&i;o&&"fullPath"in t&&$t(e,t,r,!1)},i=function(t){n.setupListeners(),r(t)};n.transitionTo(n.getCurrentLocation(),i,i)}n.listen((function(t){e.apps.forEach((function(e){e._route=t}))}))}},be.prototype.beforeEach=function(t){return $e(this.beforeHooks,t)},be.prototype.beforeResolve=function(t){return $e(this.resolveHooks,t)},be.prototype.afterEach=function(t){return $e(this.afterHooks,t)},be.prototype.onReady=function(t,e){this.history.onReady(t,e)},be.prototype.onError=function(t){this.history.onError(t)},be.prototype.push=function(t,e,n){var r=this;if(!e&&!n&&"undefined"!==typeof Promise)return new Promise((function(e,n){r.history.push(t,e,n)}));this.history.push(t,e,n)},be.prototype.replace=function(t,e,n){var r=this;if(!e&&!n&&"undefined"!==typeof Promise)return new Promise((function(e,n){r.history.replace(t,e,n)}));this.history.replace(t,e,n)},be.prototype.go=function(t){this.history.go(t)},be.prototype.back=function(){this.go(-1)},be.prototype.forward=function(){this.go(1)},be.prototype.getMatchedComponents=function(t){var e=t?t.matched?t:this.resolve(t).route:this.currentRoute;return e?[].concat.apply([],e.matched.map((function(t){return Object.keys(t.components).map((function(e){return t.components[e]}))}))):[]},be.prototype.resolve=function(t,e,n){e=e||this.history.current;var r=Q(t,e,n,this),i=this.match(r,e),o=i.redirectedFrom||i.fullPath,a=this.history.base,s=Ce(a,o,this.mode);return{location:r,route:i,href:s,normalizedTo:r,resolved:i}},be.prototype.getRoutes=function(){return this.matcher.getRoutes()},be.prototype.addRoute=function(t,e){this.matcher.addRoute(t,e),this.history.current!==d&&this.history.transitionTo(this.history.getCurrentLocation())},be.prototype.addRoutes=function(t){this.matcher.addRoutes(t),this.history.current!==d&&this.history.transitionTo(this.history.getCurrentLocation())},Object.defineProperties(be.prototype,we);var ke=be;function $e(t,e){return t.push(e),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}function Ce(t,e,n){var r="hash"===n?"#"+e:e;return t?E(t+"/"+r):r}be.install=st,be.version="3.6.5",be.isNavigationFailure=zt,be.NavigationFailureType=Dt,be.START_LOCATION=d,ct&&window.Vue&&window.Vue.use(be),t.exports=ke},67996:function(t){t.exports=function(t,e,n,r){var i,o=0;function a(){var a=this,s=Number(new Date)-o,c=arguments;function u(){o=Number(new Date),n.apply(a,c)}function l(){i=void 0}r&&!i&&u(),i&&clearTimeout(i),void 0===r&&s>t?u():!0!==e&&(i=setTimeout(r?l:u,void 0===r?t-s:t))}return"boolean"!==typeof e&&(r=n,n=e,e=void 0),a}},69522:function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e["default"]=void 0,n(44114),n(18111),n(81148),n(22489),n(7588),n(61701),n(18237),n(17642),n(58004),n(33853),n(45876),n(32475),n(15024),n(31698); +/*! + * vue-i18n v8.28.2 + * (c) 2022 kazuya kawaguchi + * Released under the MIT License. + */ +var r=["compactDisplay","currency","currencyDisplay","currencySign","localeMatcher","notation","numberingSystem","signDisplay","style","unit","unitDisplay","useGrouping","minimumIntegerDigits","minimumFractionDigits","maximumFractionDigits","minimumSignificantDigits","maximumSignificantDigits"],i=["dateStyle","timeStyle","calendar","localeMatcher","hour12","hourCycle","timeZone","formatMatcher","weekday","era","year","month","day","hour","minute","second","timeZoneName"];function o(t,e){"undefined"!==typeof console&&(console.warn("[vue-i18n] "+t),e&&console.warn(e.stack))}function a(t,e){"undefined"!==typeof console&&(console.error("[vue-i18n] "+t),e&&console.error(e.stack))}var s=Array.isArray;function c(t){return null!==t&&"object"===typeof t}function u(t){return"boolean"===typeof t}function l(t){return"string"===typeof t}var f=Object.prototype.toString,h="[object Object]";function p(t){return f.call(t)===h}function v(t){return null===t||void 0===t}function m(t){return"function"===typeof t}function d(){var t=[],e=arguments.length;while(e--)t[e]=arguments[e];var n=null,r=null;return 1===t.length?c(t[0])||s(t[0])?r=t[0]:"string"===typeof t[0]&&(n=t[0]):2===t.length&&("string"===typeof t[0]&&(n=t[0]),(c(t[1])||s(t[1]))&&(r=t[1])),{locale:n,params:r}}function g(t){return JSON.parse(JSON.stringify(t))}function y(t,e){if(t.delete(e))return t}function _(t){var e=[];return t.forEach((function(t){return e.push(t)})),e}function b(t,e){return!!~t.indexOf(e)}var w=Object.prototype.hasOwnProperty;function k(t,e){return w.call(t,e)}function $(t){for(var e=arguments,n=Object(t),r=1;r/g,">").replace(/"/g,""").replace(/'/g,"'")}function F(t){return null!=t&&Object.keys(t).forEach((function(e){"string"==typeof t[e]&&(t[e]=x(t[e]))})),t}function T(t){t.prototype.hasOwnProperty("$i18n")||Object.defineProperty(t.prototype,"$i18n",{get:function(){return this._i18n}}),t.prototype.$t=function(t){var e=[],n=arguments.length-1;while(n-- >0)e[n]=arguments[n+1];var r=this.$i18n;return r._t.apply(r,[t,r.locale,r._getMessages(),this].concat(e))},t.prototype.$tc=function(t,e){var n=[],r=arguments.length-2;while(r-- >0)n[r]=arguments[r+2];var i=this.$i18n;return i._tc.apply(i,[t,i.locale,i._getMessages(),this,e].concat(n))},t.prototype.$te=function(t,e){var n=this.$i18n;return n._te(t,n.locale,n._getMessages(),e)},t.prototype.$d=function(t){var e,n=[],r=arguments.length-1;while(r-- >0)n[r]=arguments[r+1];return(e=this.$i18n).d.apply(e,[t].concat(n))},t.prototype.$n=function(t){var e,n=[],r=arguments.length-1;while(r-- >0)n[r]=arguments[r+1];return(e=this.$i18n).n.apply(e,[t].concat(n))}}function O(t){function e(){this!==this.$root&&this.$options.__INTLIFY_META__&&this.$el&&this.$el.setAttribute("data-intlify",this.$options.__INTLIFY_META__)}return void 0===t&&(t=!1),t?{mounted:e}:{beforeCreate:function(){var t=this.$options;if(t.i18n=t.i18n||(t.__i18nBridge||t.__i18n?{}:null),t.i18n)if(t.i18n instanceof Ft){if(t.__i18nBridge||t.__i18n)try{var e=t.i18n&&t.i18n.messages?t.i18n.messages:{},n=t.__i18nBridge||t.__i18n;n.forEach((function(t){e=$(e,JSON.parse(t))})),Object.keys(e).forEach((function(n){t.i18n.mergeLocaleMessage(n,e[n])}))}catch(c){0}this._i18n=t.i18n,this._i18nWatcher=this._i18n.watchI18nData()}else if(p(t.i18n)){var r=this.$root&&this.$root.$i18n&&this.$root.$i18n instanceof Ft?this.$root.$i18n:null;if(r&&(t.i18n.root=this.$root,t.i18n.formatter=r.formatter,t.i18n.fallbackLocale=r.fallbackLocale,t.i18n.formatFallbackMessages=r.formatFallbackMessages,t.i18n.silentTranslationWarn=r.silentTranslationWarn,t.i18n.silentFallbackWarn=r.silentFallbackWarn,t.i18n.pluralizationRules=r.pluralizationRules,t.i18n.preserveDirectiveContent=r.preserveDirectiveContent),t.__i18nBridge||t.__i18n)try{var i=t.i18n&&t.i18n.messages?t.i18n.messages:{},o=t.__i18nBridge||t.__i18n;o.forEach((function(t){i=$(i,JSON.parse(t))})),t.i18n.messages=i}catch(c){0}var a=t.i18n,s=a.sharedMessages;s&&p(s)&&(t.i18n.messages=$(t.i18n.messages,s)),this._i18n=new Ft(t.i18n),this._i18nWatcher=this._i18n.watchI18nData(),(void 0===t.i18n.sync||t.i18n.sync)&&(this._localeWatcher=this.$i18n.watchLocale()),r&&r.onComponentInstanceCreated(this._i18n)}else 0;else this.$root&&this.$root.$i18n&&this.$root.$i18n instanceof Ft?this._i18n=this.$root.$i18n:t.parent&&t.parent.$i18n&&t.parent.$i18n instanceof Ft&&(this._i18n=t.parent.$i18n)},beforeMount:function(){var t=this.$options;t.i18n=t.i18n||(t.__i18nBridge||t.__i18n?{}:null),t.i18n?(t.i18n instanceof Ft||p(t.i18n))&&(this._i18n.subscribeDataChanging(this),this._subscribing=!0):(this.$root&&this.$root.$i18n&&this.$root.$i18n instanceof Ft||t.parent&&t.parent.$i18n&&t.parent.$i18n instanceof Ft)&&(this._i18n.subscribeDataChanging(this),this._subscribing=!0)},mounted:e,beforeDestroy:function(){if(this._i18n){var t=this;this.$nextTick((function(){t._subscribing&&(t._i18n.unsubscribeDataChanging(t),delete t._subscribing),t._i18nWatcher&&(t._i18nWatcher(),t._i18n.destroyVM(),delete t._i18nWatcher),t._localeWatcher&&(t._localeWatcher(),delete t._localeWatcher)}))}}}}var E={name:"i18n",functional:!0,props:{tag:{type:[String,Boolean,Object],default:"span"},path:{type:String,required:!0},locale:{type:String},places:{type:[Array,Object]}},render:function(t,e){var n=e.data,r=e.parent,i=e.props,o=e.slots,a=r.$i18n;if(a){var s=i.path,c=i.locale,u=i.places,l=o(),f=a.i(s,c,M(l)||u?I(l.default,u):l),h=i.tag&&!0!==i.tag||!1===i.tag?i.tag:"span";return h?t(h,n,f):f}}};function M(t){var e;for(e in t)if("default"!==e)return!1;return Boolean(e)}function I(t,e){var n=e?R(e):{};if(!t)return n;t=t.filter((function(t){return t.tag||""!==t.text.trim()}));var r=t.every(S);return t.reduce(r?L:j,n)}function R(t){return Array.isArray(t)?t.reduce(j,{}):Object.assign({},t)}function L(t,e){return e.data&&e.data.attrs&&e.data.attrs.place&&(t[e.data.attrs.place]=e),t}function j(t,e,n){return t[n]=e,t}function S(t){return Boolean(t.data&&t.data.attrs&&t.data.attrs.place)}var A,D={name:"i18n-n",functional:!0,props:{tag:{type:[String,Boolean,Object],default:"span"},value:{type:Number,required:!0},format:{type:[String,Object]},locale:{type:String}},render:function(t,e){var n=e.props,i=e.parent,o=e.data,a=i.$i18n;if(!a)return null;var s=null,u=null;l(n.format)?s=n.format:c(n.format)&&(n.format.key&&(s=n.format.key),u=Object.keys(n.format).reduce((function(t,e){var i;return b(r,e)?Object.assign({},t,(i={},i[e]=n.format[e],i)):t}),null));var f=n.locale||a.locale,h=a._ntp(n.value,f,s,u),p=h.map((function(t,e){var n,r=o.scopedSlots&&o.scopedSlots[t.type];return r?r((n={},n[t.type]=t.value,n.index=e,n.parts=h,n)):t.value})),v=n.tag&&!0!==n.tag||!1===n.tag?n.tag:"span";return v?t(v,{attrs:o.attrs,class:o["class"],staticClass:o.staticClass},p):p}};function P(t,e,n){V(t,n)&&H(t,e,n)}function N(t,e,n,r){if(V(t,n)){var i=n.context.$i18n;B(t,n)&&C(e.value,e.oldValue)&&C(t._localeMessage,i.getLocaleMessage(i.locale))||H(t,e,n)}}function W(t,e,n,r){var i=n.context;if(i){var a=n.context.$i18n||{};e.modifiers.preserve||a.preserveDirectiveContent||(t.textContent=""),t._vt=void 0,delete t["_vt"],t._locale=void 0,delete t["_locale"],t._localeMessage=void 0,delete t["_localeMessage"]}else o("Vue instance does not exists in VNode context")}function V(t,e){var n=e.context;return n?!!n.$i18n||(o("VueI18n instance does not exists in Vue instance"),!1):(o("Vue instance does not exists in VNode context"),!1)}function B(t,e){var n=e.context;return t._locale===n.$i18n.locale}function H(t,e,n){var r,i,a=e.value,s=U(a),c=s.path,u=s.locale,l=s.args,f=s.choice;if(c||u||l)if(c){var h=n.context;t._vt=t.textContent=null!=f?(r=h.$i18n).tc.apply(r,[c,f].concat(q(u,l))):(i=h.$i18n).t.apply(i,[c].concat(q(u,l))),t._locale=h.$i18n.locale,t._localeMessage=h.$i18n.getLocaleMessage(h.$i18n.locale)}else o("`path` is required in v-t directive");else o("value type not supported")}function U(t){var e,n,r,i;return l(t)?e=t:p(t)&&(e=t.path,n=t.locale,r=t.args,i=t.choice),{path:e,locale:n,args:r,choice:i}}function q(t,e){var n=[];return t&&n.push(t),e&&(Array.isArray(e)||p(e))&&n.push(e),n}function z(t,e){void 0===e&&(e={bridge:!1}),z.installed=!0,A=t;A.version&&Number(A.version.split(".")[0]);T(A),A.mixin(O(e.bridge)),A.directive("t",{bind:P,update:N,unbind:W}),A.component(E.name,E),A.component(D.name,D);var n=A.config.optionMergeStrategies;n.i18n=function(t,e){return void 0===e?t:e}}var J=function(){this._caches=Object.create(null)};J.prototype.interpolate=function(t,e){if(!e)return[t];var n=this._caches[t];return n||(n=K(t),this._caches[t]=n),Y(n,e)};var G=/^(?:\d)+/,Z=/^(?:\w)+/;function K(t){var e=[],n=0,r="";while(n0)f--,l=at,h[X]();else{if(f=0,void 0===n)return!1;if(n=dt(n),!1===n)return!1;h[Q]()}};while(null!==l)if(u++,e=t[u],"\\"!==e||!p()){if(i=mt(e),s=ft[l],o=s[i]||s["else"]||lt,o===lt)return;if(l=o[0],a=h[o[1]],a&&(r=o[2],r=void 0===r?e:r,!1===a()))return;if(l===ut)return c}}var yt=function(){this._cache=Object.create(null)};yt.prototype.parsePath=function(t){var e=this._cache[t];return e||(e=gt(t),e&&(this._cache[t]=e)),e||[]},yt.prototype.getPathValue=function(t,e){if(!c(t))return null;var n=this.parsePath(e);if(0===n.length)return null;var r=n.length,i=t,o=0;while(o/,wt=/(?:@(?:\.[a-zA-Z]+)?:(?:[\w\-_|./]+|\([\w\-_:|./]+\)))/g,kt=/^@(?:\.([a-zA-Z]+))?:/,$t=/[()]/g,Ct={upper:function(t){return t.toLocaleUpperCase()},lower:function(t){return t.toLocaleLowerCase()},capitalize:function(t){return""+t.charAt(0).toLocaleUpperCase()+t.substr(1)}},xt=new J,Ft=function(t){var e=this;void 0===t&&(t={}),!A&&"undefined"!==typeof window&&window.Vue&&z(window.Vue);var n=t.locale||"en-US",r=!1!==t.fallbackLocale&&(t.fallbackLocale||"en-US"),i=t.messages||{},o=t.dateTimeFormats||t.datetimeFormats||{},a=t.numberFormats||{};this._vm=null,this._formatter=t.formatter||xt,this._modifiers=t.modifiers||{},this._missing=t.missing||null,this._root=t.root||null,this._sync=void 0===t.sync||!!t.sync,this._fallbackRoot=void 0===t.fallbackRoot||!!t.fallbackRoot,this._fallbackRootWithEmptyString=void 0===t.fallbackRootWithEmptyString||!!t.fallbackRootWithEmptyString,this._formatFallbackMessages=void 0!==t.formatFallbackMessages&&!!t.formatFallbackMessages,this._silentTranslationWarn=void 0!==t.silentTranslationWarn&&t.silentTranslationWarn,this._silentFallbackWarn=void 0!==t.silentFallbackWarn&&!!t.silentFallbackWarn,this._dateTimeFormatters={},this._numberFormatters={},this._path=new yt,this._dataListeners=new Set,this._componentInstanceCreatedListener=t.componentInstanceCreatedListener||null,this._preserveDirectiveContent=void 0!==t.preserveDirectiveContent&&!!t.preserveDirectiveContent,this.pluralizationRules=t.pluralizationRules||{},this._warnHtmlInMessage=t.warnHtmlInMessage||"off",this._postTranslation=t.postTranslation||null,this._escapeParameterHtml=t.escapeParameterHtml||!1,"__VUE_I18N_BRIDGE__"in t&&(this.__VUE_I18N_BRIDGE__=t.__VUE_I18N_BRIDGE__),this.getChoiceIndex=function(t,n){var r=Object.getPrototypeOf(e);if(r&&r.getChoiceIndex){var i=r.getChoiceIndex;return i.call(e,t,n)}var o=function(t,e){return t=Math.abs(t),2===e?t?t>1?1:0:1:t?Math.min(t,2):0};return e.locale in e.pluralizationRules?e.pluralizationRules[e.locale].apply(e,[t,n]):o(t,n)},this._exist=function(t,n){return!(!t||!n)&&(!v(e._path.getPathValue(t,n))||!!t[n])},"warn"!==this._warnHtmlInMessage&&"error"!==this._warnHtmlInMessage||Object.keys(i).forEach((function(t){e._checkLocaleMessage(t,e._warnHtmlInMessage,i[t])})),this._initVM({locale:n,fallbackLocale:r,messages:i,dateTimeFormats:o,numberFormats:a})},Tt={vm:{configurable:!0},messages:{configurable:!0},dateTimeFormats:{configurable:!0},numberFormats:{configurable:!0},availableLocales:{configurable:!0},locale:{configurable:!0},fallbackLocale:{configurable:!0},formatFallbackMessages:{configurable:!0},missing:{configurable:!0},formatter:{configurable:!0},silentTranslationWarn:{configurable:!0},silentFallbackWarn:{configurable:!0},preserveDirectiveContent:{configurable:!0},warnHtmlInMessage:{configurable:!0},postTranslation:{configurable:!0},sync:{configurable:!0}};Ft.prototype._checkLocaleMessage=function(t,e,n){var r=[],i=function(t,e,n,r){if(p(n))Object.keys(n).forEach((function(o){var a=n[o];p(a)?(r.push(o),r.push("."),i(t,e,a,r),r.pop(),r.pop()):(r.push(o),i(t,e,a,r),r.pop())}));else if(s(n))n.forEach((function(n,o){p(n)?(r.push("["+o+"]"),r.push("."),i(t,e,n,r),r.pop(),r.pop()):(r.push("["+o+"]"),i(t,e,n,r),r.pop())}));else if(l(n)){var c=bt.test(n);if(c){var u="Detected HTML in message '"+n+"' of keypath '"+r.join("")+"' at '"+e+"'. Consider component interpolation with '' to avoid XSS. See https://bit.ly/2ZqJzkp";"warn"===t?o(u):"error"===t&&a(u)}}};i(e,t,n,r)},Ft.prototype._initVM=function(t){var e=A.config.silent;A.config.silent=!0,this._vm=new A({data:t,__VUE18N__INSTANCE__:!0}),A.config.silent=e},Ft.prototype.destroyVM=function(){this._vm.$destroy()},Ft.prototype.subscribeDataChanging=function(t){this._dataListeners.add(t)},Ft.prototype.unsubscribeDataChanging=function(t){y(this._dataListeners,t)},Ft.prototype.watchI18nData=function(){var t=this;return this._vm.$watch("$data",(function(){var e=_(t._dataListeners),n=e.length;while(n--)A.nextTick((function(){e[n]&&e[n].$forceUpdate()}))}),{deep:!0})},Ft.prototype.watchLocale=function(t){if(t){if(!this.__VUE_I18N_BRIDGE__)return null;var e=this,n=this._vm;return this.vm.$watch("locale",(function(r){n.$set(n,"locale",r),e.__VUE_I18N_BRIDGE__&&t&&(t.locale.value=r),n.$forceUpdate()}),{immediate:!0})}if(!this._sync||!this._root)return null;var r=this._vm;return this._root.$i18n.vm.$watch("locale",(function(t){r.$set(r,"locale",t),r.$forceUpdate()}),{immediate:!0})},Ft.prototype.onComponentInstanceCreated=function(t){this._componentInstanceCreatedListener&&this._componentInstanceCreatedListener(t,this)},Tt.vm.get=function(){return this._vm},Tt.messages.get=function(){return g(this._getMessages())},Tt.dateTimeFormats.get=function(){return g(this._getDateTimeFormats())},Tt.numberFormats.get=function(){return g(this._getNumberFormats())},Tt.availableLocales.get=function(){return Object.keys(this.messages).sort()},Tt.locale.get=function(){return this._vm.locale},Tt.locale.set=function(t){this._vm.$set(this._vm,"locale",t)},Tt.fallbackLocale.get=function(){return this._vm.fallbackLocale},Tt.fallbackLocale.set=function(t){this._localeChainCache={},this._vm.$set(this._vm,"fallbackLocale",t)},Tt.formatFallbackMessages.get=function(){return this._formatFallbackMessages},Tt.formatFallbackMessages.set=function(t){this._formatFallbackMessages=t},Tt.missing.get=function(){return this._missing},Tt.missing.set=function(t){this._missing=t},Tt.formatter.get=function(){return this._formatter},Tt.formatter.set=function(t){this._formatter=t},Tt.silentTranslationWarn.get=function(){return this._silentTranslationWarn},Tt.silentTranslationWarn.set=function(t){this._silentTranslationWarn=t},Tt.silentFallbackWarn.get=function(){return this._silentFallbackWarn},Tt.silentFallbackWarn.set=function(t){this._silentFallbackWarn=t},Tt.preserveDirectiveContent.get=function(){return this._preserveDirectiveContent},Tt.preserveDirectiveContent.set=function(t){this._preserveDirectiveContent=t},Tt.warnHtmlInMessage.get=function(){return this._warnHtmlInMessage},Tt.warnHtmlInMessage.set=function(t){var e=this,n=this._warnHtmlInMessage;if(this._warnHtmlInMessage=t,n!==t&&("warn"===t||"error"===t)){var r=this._getMessages();Object.keys(r).forEach((function(t){e._checkLocaleMessage(t,e._warnHtmlInMessage,r[t])}))}},Tt.postTranslation.get=function(){return this._postTranslation},Tt.postTranslation.set=function(t){this._postTranslation=t},Tt.sync.get=function(){return this._sync},Tt.sync.set=function(t){this._sync=t},Ft.prototype._getMessages=function(){return this._vm.messages},Ft.prototype._getDateTimeFormats=function(){return this._vm.dateTimeFormats},Ft.prototype._getNumberFormats=function(){return this._vm.numberFormats},Ft.prototype._warnDefault=function(t,e,n,r,i,o){if(!v(n))return n;if(this._missing){var a=this._missing.apply(null,[t,e,r,i]);if(l(a))return a}else 0;if(this._formatFallbackMessages){var s=d.apply(void 0,i);return this._render(e,o,s.params,e)}return e},Ft.prototype._isFallbackRoot=function(t){return(this._fallbackRootWithEmptyString?!t:v(t))&&!v(this._root)&&this._fallbackRoot},Ft.prototype._isSilentFallbackWarn=function(t){return this._silentFallbackWarn instanceof RegExp?this._silentFallbackWarn.test(t):this._silentFallbackWarn},Ft.prototype._isSilentFallback=function(t,e){return this._isSilentFallbackWarn(e)&&(this._isFallbackRoot()||t!==this.fallbackLocale)},Ft.prototype._isSilentTranslationWarn=function(t){return this._silentTranslationWarn instanceof RegExp?this._silentTranslationWarn.test(t):this._silentTranslationWarn},Ft.prototype._interpolate=function(t,e,n,r,i,o,a){if(!e)return null;var c,u=this._path.getPathValue(e,n);if(s(u)||p(u))return u;if(v(u)){if(!p(e))return null;if(c=e[n],!l(c)&&!m(c))return null}else{if(!l(u)&&!m(u))return null;c=u}return l(c)&&(c.indexOf("@:")>=0||c.indexOf("@.")>=0)&&(c=this._link(t,e,c,r,"raw",o,a)),this._render(c,i,o,n)},Ft.prototype._link=function(t,e,n,r,i,o,a){var c=n,u=c.match(wt);for(var l in u)if(u.hasOwnProperty(l)){var f=u[l],h=f.match(kt),p=h[0],v=h[1],m=f.replace(p,"").replace($t,"");if(b(a,m))return c;a.push(m);var d=this._interpolate(t,e,m,r,"raw"===i?"string":i,"raw"===i?void 0:o,a);if(this._isFallbackRoot(d)){if(!this._root)throw Error("unexpected error");var g=this._root.$i18n;d=g._translate(g._getMessages(),g.locale,g.fallbackLocale,m,r,i,o)}d=this._warnDefault(t,m,d,r,s(o)?o:[o],i),this._modifiers.hasOwnProperty(v)?d=this._modifiers[v](d):Ct.hasOwnProperty(v)&&(d=Ct[v](d)),a.pop(),c=d?c.replace(f,d):c}return c},Ft.prototype._createMessageContext=function(t,e,n,r){var i=this,o=s(t)?t:[],a=c(t)?t:{},u=function(t){return o[t]},l=function(t){return a[t]},f=this._getMessages(),h=this.locale;return{list:u,named:l,values:t,formatter:e,path:n,messages:f,locale:h,linked:function(t){return i._interpolate(h,f[h]||{},t,null,r,void 0,[t])}}},Ft.prototype._render=function(t,e,n,r){if(m(t))return t(this._createMessageContext(n,this._formatter||xt,r,e));var i=this._formatter.interpolate(t,n,r);return i||(i=xt.interpolate(t,n,r)),"string"!==e||l(i)?i:i.join("")},Ft.prototype._appendItemToChain=function(t,e,n){var r=!1;return b(t,e)||(r=!0,e&&(r="!"!==e[e.length-1],e=e.replace(/!/g,""),t.push(e),n&&n[e]&&(r=n[e]))),r},Ft.prototype._appendLocaleToChain=function(t,e,n){var r,i=e.split("-");do{var o=i.join("-");r=this._appendItemToChain(t,o,n),i.splice(-1,1)}while(i.length&&!0===r);return r},Ft.prototype._appendBlockToChain=function(t,e,n){for(var r=!0,i=0;i0)o[a]=arguments[a+4];if(!t)return"";var s=d.apply(void 0,o);this._escapeParameterHtml&&(s.params=F(s.params));var c=s.locale||e,u=this._translate(n,c,this.fallbackLocale,t,r,"string",s.params);if(this._isFallbackRoot(u)){if(!this._root)throw Error("unexpected error");return(i=this._root).$t.apply(i,[t].concat(o))}return u=this._warnDefault(c,t,u,r,o,"string"),this._postTranslation&&null!==u&&void 0!==u&&(u=this._postTranslation(u,t)),u},Ft.prototype.t=function(t){var e,n=[],r=arguments.length-1;while(r-- >0)n[r]=arguments[r+1];return(e=this)._t.apply(e,[t,this.locale,this._getMessages(),null].concat(n))},Ft.prototype._i=function(t,e,n,r,i){var o=this._translate(n,e,this.fallbackLocale,t,r,"raw",i);if(this._isFallbackRoot(o)){if(!this._root)throw Error("unexpected error");return this._root.$i18n.i(t,e,i)}return this._warnDefault(e,t,o,r,[i],"raw")},Ft.prototype.i=function(t,e,n){return t?(l(e)||(e=this.locale),this._i(t,e,this._getMessages(),null,n)):""},Ft.prototype._tc=function(t,e,n,r,i){var o,a=[],s=arguments.length-5;while(s-- >0)a[s]=arguments[s+5];if(!t)return"";void 0===i&&(i=1);var c={count:i,n:i},u=d.apply(void 0,a);return u.params=Object.assign(c,u.params),a=null===u.locale?[u.params]:[u.locale,u.params],this.fetchChoice((o=this)._t.apply(o,[t,e,n,r].concat(a)),i)},Ft.prototype.fetchChoice=function(t,e){if(!t||!l(t))return null;var n=t.split("|");return e=this.getChoiceIndex(e,n.length),n[e]?n[e].trim():t},Ft.prototype.tc=function(t,e){var n,r=[],i=arguments.length-2;while(i-- >0)r[i]=arguments[i+2];return(n=this)._tc.apply(n,[t,this.locale,this._getMessages(),null,e].concat(r))},Ft.prototype._te=function(t,e,n){var r=[],i=arguments.length-3;while(i-- >0)r[i]=arguments[i+3];var o=d.apply(void 0,r).locale||e;return this._exist(n[o],t)},Ft.prototype.te=function(t,e){return this._te(t,this.locale,this._getMessages(),e)},Ft.prototype.getLocaleMessage=function(t){return g(this._vm.messages[t]||{})},Ft.prototype.setLocaleMessage=function(t,e){"warn"!==this._warnHtmlInMessage&&"error"!==this._warnHtmlInMessage||this._checkLocaleMessage(t,this._warnHtmlInMessage,e),this._vm.$set(this._vm.messages,t,e)},Ft.prototype.mergeLocaleMessage=function(t,e){"warn"!==this._warnHtmlInMessage&&"error"!==this._warnHtmlInMessage||this._checkLocaleMessage(t,this._warnHtmlInMessage,e),this._vm.$set(this._vm.messages,t,$("undefined"!==typeof this._vm.messages[t]&&Object.keys(this._vm.messages[t]).length?Object.assign({},this._vm.messages[t]):{},e))},Ft.prototype.getDateTimeFormat=function(t){return g(this._vm.dateTimeFormats[t]||{})},Ft.prototype.setDateTimeFormat=function(t,e){this._vm.$set(this._vm.dateTimeFormats,t,e),this._clearDateTimeFormat(t,e)},Ft.prototype.mergeDateTimeFormat=function(t,e){this._vm.$set(this._vm.dateTimeFormats,t,$(this._vm.dateTimeFormats[t]||{},e)),this._clearDateTimeFormat(t,e)},Ft.prototype._clearDateTimeFormat=function(t,e){for(var n in e){var r=t+"__"+n;this._dateTimeFormatters.hasOwnProperty(r)&&delete this._dateTimeFormatters[r]}},Ft.prototype._localizeDateTime=function(t,e,n,r,i,o){for(var a=e,s=r[a],c=this._getLocaleChain(e,n),u=0;u0)e[n]=arguments[n+1];var r=this.locale,o=null,a=null;return 1===e.length?(l(e[0])?o=e[0]:c(e[0])&&(e[0].locale&&(r=e[0].locale),e[0].key&&(o=e[0].key)),a=Object.keys(e[0]).reduce((function(t,n){var r;return b(i,n)?Object.assign({},t,(r={},r[n]=e[0][n],r)):t}),null)):2===e.length&&(l(e[0])&&(o=e[0]),l(e[1])&&(r=e[1])),this._d(t,r,o,a)},Ft.prototype.getNumberFormat=function(t){return g(this._vm.numberFormats[t]||{})},Ft.prototype.setNumberFormat=function(t,e){this._vm.$set(this._vm.numberFormats,t,e),this._clearNumberFormat(t,e)},Ft.prototype.mergeNumberFormat=function(t,e){this._vm.$set(this._vm.numberFormats,t,$(this._vm.numberFormats[t]||{},e)),this._clearNumberFormat(t,e)},Ft.prototype._clearNumberFormat=function(t,e){for(var n in e){var r=t+"__"+n;this._numberFormatters.hasOwnProperty(r)&&delete this._numberFormatters[r]}},Ft.prototype._getNumberFormatter=function(t,e,n,r,i,o){for(var a=e,s=r[a],c=this._getLocaleChain(e,n),u=0;u0)e[n]=arguments[n+1];var i=this.locale,o=null,a=null;return 1===e.length?l(e[0])?o=e[0]:c(e[0])&&(e[0].locale&&(i=e[0].locale),e[0].key&&(o=e[0].key),a=Object.keys(e[0]).reduce((function(t,n){var i;return b(r,n)?Object.assign({},t,(i={},i[n]=e[0][n],i)):t}),null)):2===e.length&&(l(e[0])&&(o=e[0]),l(e[1])&&(i=e[1])),this._n(t,i,o,a)},Ft.prototype._ntp=function(t,e,n,r){if(!Ft.availabilities.numberFormat)return[];if(!n){var i=r?new Intl.NumberFormat(e,r):new Intl.NumberFormat(e);return i.formatToParts(t)}var o=this._getNumberFormatter(t,e,this.fallbackLocale,this._getNumberFormats(),n,r),a=o&&o.formatToParts(t);if(this._isFallbackRoot(a)){if(!this._root)throw Error("unexpected error");return this._root.$i18n._ntp(t,e,n,r)}return a||[]},Object.defineProperties(Ft.prototype,Tt),Object.defineProperty(Ft,"availabilities",{get:function(){if(!_t){var t="undefined"!==typeof Intl;_t={dateTimeFormat:t&&"undefined"!==typeof Intl.DateTimeFormat,numberFormat:t&&"undefined"!==typeof Intl.NumberFormat}}return _t}}),Ft.install=z,Ft.version="8.28.2";e["default"]=Ft},73843:function(t,e,n){var r=n(67996);t.exports=function(t,e,n){return void 0===n?r(t,e,!1):r(t,n,!1!==e)}},97534:function(t,e,n){var r=n(67996),i=n(73843);t.exports={throttle:r,debounce:i}}}]); \ No newline at end of file diff --git a/mining-pool/test/js/chunk-vendors-377fed06.159de137.js.gz b/mining-pool/test/js/chunk-vendors-377fed06.159de137.js.gz new file mode 100644 index 0000000..4c1db49 Binary files /dev/null and b/mining-pool/test/js/chunk-vendors-377fed06.159de137.js.gz differ diff --git a/mining-pool/test/js/chunk-vendors-89d5c698.2190b4ca.js b/mining-pool/test/js/chunk-vendors-89d5c698.2190b4ca.js new file mode 100644 index 0000000..11cc547 --- /dev/null +++ b/mining-pool/test/js/chunk-vendors-89d5c698.2190b4ca.js @@ -0,0 +1,16 @@ +(self["webpackChunkmining_pool"]=self["webpackChunkmining_pool"]||[]).push([[853],{23606:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,n(44114),n(18111),n(22489),n(7588),n(61701),n(13579);var i=function(){if("undefined"!==typeof Map)return Map;function e(e,t){var n=-1;return e.some((function(e,i){return e[0]===t&&(n=i,!0)})),n}return function(){function t(){this.__entries__=[]}return Object.defineProperty(t.prototype,"size",{get:function(){return this.__entries__.length},enumerable:!0,configurable:!0}),t.prototype.get=function(t){var n=e(this.__entries__,t),i=this.__entries__[n];return i&&i[1]},t.prototype.set=function(t,n){var i=e(this.__entries__,t);~i?this.__entries__[i][1]=n:this.__entries__.push([t,n])},t.prototype.delete=function(t){var n=this.__entries__,i=e(n,t);~i&&n.splice(i,1)},t.prototype.has=function(t){return!!~e(this.__entries__,t)},t.prototype.clear=function(){this.__entries__.splice(0)},t.prototype.forEach=function(e,t){void 0===t&&(t=null);for(var n=0,i=this.__entries__;n0},e.prototype.connect_=function(){s&&!this.connected_&&(document.addEventListener("transitionend",this.onTransitionEnd_),window.addEventListener("resize",this.refresh),u?(this.mutationsObserver_=new MutationObserver(this.refresh),this.mutationsObserver_.observe(document,{attributes:!0,childList:!0,characterData:!0,subtree:!0})):(document.addEventListener("DOMSubtreeModified",this.refresh),this.mutationEventsAdded_=!0),this.connected_=!0)},e.prototype.disconnect_=function(){s&&this.connected_&&(document.removeEventListener("transitionend",this.onTransitionEnd_),window.removeEventListener("resize",this.refresh),this.mutationsObserver_&&this.mutationsObserver_.disconnect(),this.mutationEventsAdded_&&document.removeEventListener("DOMSubtreeModified",this.refresh),this.mutationsObserver_=null,this.mutationEventsAdded_=!1,this.connected_=!1)},e.prototype.onTransitionEnd_=function(e){var t=e.propertyName,n=void 0===t?"":t,i=d.some((function(e){return!!~n.indexOf(e)}));i&&this.refresh()},e.getInstance=function(){return this.instance_||(this.instance_=new e),this.instance_},e.instance_=null,e}(),m=function(e,t){for(var n=0,i=Object.keys(t);n0},e}(),A="undefined"!==typeof WeakMap?new WeakMap:new i,H=function(){function e(t){if(!(this instanceof e))throw new TypeError("Cannot call a class as a function.");if(!arguments.length)throw new TypeError("1 argument required, but only 0 present.");var n=l.getInstance(),i=new I(t,n,this);A.set(this,i)}return e}();["observe","unobserve","disconnect"].forEach((function(e){H.prototype[e]=function(){var t;return(t=A.get(this))[e].apply(t,arguments)}}));var N=function(){return"undefined"!==typeof o.ResizeObserver?o.ResizeObserver:H}();t["default"]=N},32456:function(e){var t,n,i,s,o,r,c,a,h,d,u,l,m,_,p,b=!1;function g(){if(!b){b=!0;var e=navigator.userAgent,g=/(?:MSIE.(\d+\.\d+))|(?:(?:Firefox|GranParadiso|Iceweasel).(\d+\.\d+))|(?:Opera(?:.+Version.|.)(\d+\.\d+))|(?:AppleWebKit.(\d+(?:\.\d+)?))|(?:Trident\/\d+\.\d+.*rv:(\d+\.\d+))/.exec(e),f=/(Mac OS X)|(Windows)|(Linux)/.exec(e);if(l=/\b(iPhone|iP[ao]d)/.exec(e),m=/\b(iP[ao]d)/.exec(e),d=/Android/i.exec(e),_=/FBAN\/\w+;/i.exec(e),p=/Mobile/i.exec(e),u=!!/Win64/.exec(e),g){t=g[1]?parseFloat(g[1]):g[5]?parseFloat(g[5]):NaN,t&&document&&document.documentMode&&(t=document.documentMode);var y=/(?:Trident\/(\d+.\d+))/.exec(e);r=y?parseFloat(y[1])+4:t,n=g[2]?parseFloat(g[2]):NaN,i=g[3]?parseFloat(g[3]):NaN,s=g[4]?parseFloat(g[4]):NaN,s?(g=/(?:Chrome\/(\d+\.\d+))/.exec(e),o=g&&g[1]?parseFloat(g[1]):NaN):o=NaN}else t=n=i=o=s=NaN;if(f){if(f[1]){var v=/(?:Mac OS X (\d+(?:[._]\d+)?))/.exec(e);c=!v||parseFloat(v[1].replace("_","."))}else c=!1;a=!!f[2],h=!!f[3]}else c=a=h=!1}}var f={ie:function(){return g()||t},ieCompatibilityMode:function(){return g()||r>t},ie64:function(){return f.ie()&&u},firefox:function(){return g()||n},opera:function(){return g()||i},webkit:function(){return g()||s},safari:function(){return f.webkit()},chrome:function(){return g()||o},windows:function(){return g()||a},osx:function(){return g()||c},linux:function(){return g()||h},iphone:function(){return g()||l},mobile:function(){return g()||l||m||d||p},nativeApp:function(){return g()||_},android:function(){return g()||d},ipad:function(){return g()||m}};e.exports=f},34811:function(e,t,n){e.exports=n(99438)},50586:function(e,t,n){"use strict";var i,s=n(96083); +/** + * Checks if an event is supported in the current execution environment. + * + * NOTE: This will not work correctly for non-generic events such as `change`, + * `reset`, `load`, `error`, and `select`. + * + * Borrows from Modernizr. + * + * @param {string} eventNameSuffix Event name, e.g. "click". + * @param {?boolean} capture Check if the capture phase is supported. + * @return {boolean} True if the event is supported. + * @internal + * @license Modernizr 3.0.0pre (Custom Build) | MIT + */ +function o(e,t){if(!s.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,o=n in document;if(!o){var r=document.createElement("div");r.setAttribute(n,"return;"),o="function"===typeof r[n]}return!o&&i&&"wheel"===e&&(o=document.implementation.hasFeature("Events.wheel","3.0")),o}s.canUseDOM&&(i=document.implementation&&document.implementation.hasFeature&&!0!==document.implementation.hasFeature("","")),e.exports=o},92500:function(e,t,n){n(44114),n(16573),n(78100),n(77936),n(18111),n(22489),n(61701),n(37467),n(44732),n(79577),n(14603),n(47566),n(98721),function(e,n){n(t)}(0,(function(e){"use strict";function t(e,t){e.terminate=function(){const n=()=>{};this.onerror=n,this.onmessage=n,this.onopen=n;const i=new Date,s=Math.random().toString().substring(2,8),o=this.onclose;this.onclose=e=>{const n=(new Date).getTime()-i.getTime();t(`Discarded socket (#${s}) closed after ${n}ms, with code/reason: ${e.code}/${e.reason}`)},this.close(),o?.call(e,{code:4001,reason:`Quick discarding socket (#${s}) without waiting for the shutdown sequence.`,wasClean:!1})}}const n={LF:"\n",NULL:"\0"};class i{get body(){return!this._body&&this.isBinaryBody&&(this._body=(new TextDecoder).decode(this._binaryBody)),this._body||""}get binaryBody(){return this._binaryBody||this.isBinaryBody||(this._binaryBody=(new TextEncoder).encode(this._body)),this._binaryBody}constructor(e){const{command:t,headers:n,body:i,binaryBody:s,escapeHeaderValues:o,skipContentLengthHeader:r}=e;this.command=t,this.headers=Object.assign({},n||{}),s?(this._binaryBody=s,this.isBinaryBody=!0):(this._body=i||"",this.isBinaryBody=!1),this.escapeHeaderValues=o||!1,this.skipContentLengthHeader=r||!1}static fromRawFrame(e,t){const n={},s=e=>e.replace(/^\s+|\s+$/g,"");for(const o of e.headers.reverse()){o.indexOf(":");const r=s(o[0]);let c=s(o[1]);t&&"CONNECT"!==e.command&&"CONNECTED"!==e.command&&(c=i.hdrValueUnEscape(c)),n[r]=c}return new i({command:e.command,headers:n,binaryBody:e.binaryBody,escapeHeaderValues:t})}toString(){return this.serializeCmdAndHeaders()}serialize(){const e=this.serializeCmdAndHeaders();return this.isBinaryBody?i.toUnit8Array(e,this._binaryBody).buffer:e+this._body+n.NULL}serializeCmdAndHeaders(){const e=[this.command];this.skipContentLengthHeader&&delete this.headers["content-length"];for(const t of Object.keys(this.headers||{})){const n=this.headers[t];this.escapeHeaderValues&&"CONNECT"!==this.command&&"CONNECTED"!==this.command?e.push(`${t}:${i.hdrValueEscape(`${n}`)}`):e.push(`${t}:${n}`)}return(this.isBinaryBody||!this.isBodyEmpty()&&!this.skipContentLengthHeader)&&e.push(`content-length:${this.bodyLength()}`),e.join(n.LF)+n.LF+n.LF}isBodyEmpty(){return 0===this.bodyLength()}bodyLength(){const e=this.binaryBody;return e?e.length:0}static sizeOfUTF8(e){return e?(new TextEncoder).encode(e).length:0}static toUnit8Array(e,t){const n=(new TextEncoder).encode(e),i=new Uint8Array([0]),s=new Uint8Array(n.length+t.length+i.length);return s.set(n),s.set(t,n.length),s.set(i,n.length+t.length),s}static marshall(e){const t=new i(e);return t.serialize()}static hdrValueEscape(e){return e.replace(/\\/g,"\\\\").replace(/\r/g,"\\r").replace(/\n/g,"\\n").replace(/:/g,"\\c")}static hdrValueUnEscape(e){return e.replace(/\\r/g,"\r").replace(/\\n/g,"\n").replace(/\\c/g,":").replace(/\\\\/g,"\\")}}const s=0,o=10,r=13,c=58;class a{constructor(e,t){this.onFrame=e,this.onIncomingPing=t,this._encoder=new TextEncoder,this._decoder=new TextDecoder,this._token=[],this._initState()}parseChunk(e,t=!1){let n;if(n="string"===typeof e?this._encoder.encode(e):new Uint8Array(e),t&&0!==n[n.length-1]){const e=new Uint8Array(n.length+1);e.set(n,0),e[n.length]=0,n=e}for(let i=0;i"content-length"===e[0]))[0];e?(this._bodyBytesRemaining=parseInt(e[1],10),this._onByte=this._collectBodyFixedSize):this._onByte=this._collectBodyNullTerminated}_collectBodyNullTerminated(e){e!==s?this._consumeByte(e):this._retrievedBody()}_collectBodyFixedSize(e){0!==this._bodyBytesRemaining--?this._consumeByte(e):this._retrievedBody()}_retrievedBody(){this._results.binaryBody=this._consumeTokenAsRaw();try{this.onFrame(this._results)}catch(e){console.log("Ignoring an exception thrown by a frame handler. Original exception: ",e)}this._initState()}_consumeByte(e){this._token.push(e)}_consumeTokenAsUTF8(){return this._decoder.decode(this._consumeTokenAsRaw())}_consumeTokenAsRaw(){const e=new Uint8Array(this._token);return this._token=[],e}_initState(){this._results={command:void 0,headers:[],binaryBody:void 0},this._token=[],this._headerKey=void 0,this._onByte=this._collectFrame}}e.StompSocketState=void 0,function(e){e[e["CONNECTING"]=0]="CONNECTING",e[e["OPEN"]=1]="OPEN",e[e["CLOSING"]=2]="CLOSING",e[e["CLOSED"]=3]="CLOSED"}(e.StompSocketState||(e.StompSocketState={})),e.ActivationState=void 0,function(e){e[e["ACTIVE"]=0]="ACTIVE",e[e["DEACTIVATING"]=1]="DEACTIVATING",e[e["INACTIVE"]=2]="INACTIVE"}(e.ActivationState||(e.ActivationState={})),e.ReconnectionTimeMode=void 0,function(e){e[e["LINEAR"]=0]="LINEAR",e[e["EXPONENTIAL"]=1]="EXPONENTIAL"}(e.ReconnectionTimeMode||(e.ReconnectionTimeMode={})),e.TickerStrategy=void 0,function(e){e["Interval"]="interval",e["Worker"]="worker"}(e.TickerStrategy||(e.TickerStrategy={}));class h{constructor(t,n=e.TickerStrategy.Interval,i){this._interval=t,this._strategy=n,this._debug=i,this._workerScript=`\n var startTime = Date.now();\n setInterval(function() {\n self.postMessage(Date.now() - startTime);\n }, ${this._interval});\n `}start(e){this.stop(),this.shouldUseWorker()?this.runWorker(e):this.runInterval(e)}stop(){this.disposeWorker(),this.disposeInterval()}shouldUseWorker(){return"undefined"!==typeof Worker&&this._strategy===e.TickerStrategy.Worker}runWorker(e){this._debug("Using runWorker for outgoing pings"),this._worker||(this._worker=new Worker(URL.createObjectURL(new Blob([this._workerScript],{type:"text/javascript"}))),this._worker.onmessage=t=>e(t.data))}runInterval(e){if(this._debug("Using runInterval for outgoing pings"),!this._timer){const t=Date.now();this._timer=setInterval((()=>{e(Date.now()-t)}),this._interval)}}disposeWorker(){this._worker&&(this._worker.terminate(),delete this._worker,this._debug("Outgoing ping disposeWorker"))}disposeInterval(){this._timer&&(clearInterval(this._timer),delete this._timer,this._debug("Outgoing ping disposeInterval"))}}class d{constructor(e){this.versions=e}supportedVersions(){return this.versions.join(",")}protocolVersions(){return this.versions.map((e=>`v${e.replace(".","")}.stomp`))}}d.V1_0="1.0",d.V1_1="1.1",d.V1_2="1.2",d.default=new d([d.V1_2,d.V1_1,d.V1_0]);class u{get connectedVersion(){return this._connectedVersion}get connected(){return this._connected}constructor(e,t,n){this._client=e,this._webSocket=t,this._connected=!1,this._serverFrameHandlers={CONNECTED:e=>{this.debug(`connected to server ${e.headers.server}`),this._connected=!0,this._connectedVersion=e.headers.version,this._connectedVersion===d.V1_2&&(this._escapeHeaderValues=!0),this._setupHeartbeat(e.headers),this.onConnect(e)},MESSAGE:e=>{const t=e.headers.subscription,n=this._subscriptions[t]||this.onUnhandledMessage,i=e,s=this,o=this._connectedVersion===d.V1_2?i.headers.ack:i.headers["message-id"];i.ack=(e={})=>s.ack(o,t,e),i.nack=(e={})=>s.nack(o,t,e),n(i)},RECEIPT:e=>{const t=this._receiptWatchers[e.headers["receipt-id"]];t?(t(e),delete this._receiptWatchers[e.headers["receipt-id"]]):this.onUnhandledReceipt(e)},ERROR:e=>{this.onStompError(e)}},this._counter=0,this._subscriptions={},this._receiptWatchers={},this._partialData="",this._escapeHeaderValues=!1,this._lastServerActivityTS=Date.now(),this.debug=n.debug,this.stompVersions=n.stompVersions,this.connectHeaders=n.connectHeaders,this.disconnectHeaders=n.disconnectHeaders,this.heartbeatIncoming=n.heartbeatIncoming,this.heartbeatOutgoing=n.heartbeatOutgoing,this.splitLargeFrames=n.splitLargeFrames,this.maxWebSocketChunkSize=n.maxWebSocketChunkSize,this.forceBinaryWSFrames=n.forceBinaryWSFrames,this.logRawCommunication=n.logRawCommunication,this.appendMissingNULLonIncoming=n.appendMissingNULLonIncoming,this.discardWebsocketOnCommFailure=n.discardWebsocketOnCommFailure,this.onConnect=n.onConnect,this.onDisconnect=n.onDisconnect,this.onStompError=n.onStompError,this.onWebSocketClose=n.onWebSocketClose,this.onWebSocketError=n.onWebSocketError,this.onUnhandledMessage=n.onUnhandledMessage,this.onUnhandledReceipt=n.onUnhandledReceipt,this.onUnhandledFrame=n.onUnhandledFrame}start(){const e=new a((e=>{const t=i.fromRawFrame(e,this._escapeHeaderValues);this.logRawCommunication||this.debug(`<<< ${t}`);const n=this._serverFrameHandlers[t.command]||this.onUnhandledFrame;n(t)}),(()=>{this.debug("<<< PONG")}));this._webSocket.onmessage=t=>{if(this.debug("Received data"),this._lastServerActivityTS=Date.now(),this.logRawCommunication){const e=t.data instanceof ArrayBuffer?(new TextDecoder).decode(t.data):t.data;this.debug(`<<< ${e}`)}e.parseChunk(t.data,this.appendMissingNULLonIncoming)},this._webSocket.onclose=e=>{this.debug(`Connection closed to ${this._webSocket.url}`),this._cleanUp(),this.onWebSocketClose(e)},this._webSocket.onerror=e=>{this.onWebSocketError(e)},this._webSocket.onopen=()=>{const e=Object.assign({},this.connectHeaders);this.debug("Web Socket Opened..."),e["accept-version"]=this.stompVersions.supportedVersions(),e["heart-beat"]=[this.heartbeatOutgoing,this.heartbeatIncoming].join(","),this._transmit({command:"CONNECT",headers:e})}}_setupHeartbeat(t){if(t.version!==d.V1_1&&t.version!==d.V1_2)return;if(!t["heart-beat"])return;const[i,s]=t["heart-beat"].split(",").map((e=>parseInt(e,10)));if(0!==this.heartbeatOutgoing&&0!==s){const t=Math.max(this.heartbeatOutgoing,s);this.debug(`send PING every ${t}ms`),this._pinger=new h(t,this._client.heartbeatStrategy,this.debug),this._pinger.start((()=>{this._webSocket.readyState===e.StompSocketState.OPEN&&(this._webSocket.send(n.LF),this.debug(">>> PING"))}))}if(0!==this.heartbeatIncoming&&0!==i){const e=Math.max(this.heartbeatIncoming,i);this.debug(`check PONG every ${e}ms`),this._ponger=setInterval((()=>{const t=Date.now()-this._lastServerActivityTS;t>2*e&&(this.debug(`did not receive server activity for the last ${t}ms`),this._closeOrDiscardWebsocket())}),e)}}_closeOrDiscardWebsocket(){this.discardWebsocketOnCommFailure?(this.debug("Discarding websocket, the underlying socket may linger for a while"),this.discardWebsocket()):(this.debug("Issuing close on the websocket"),this._closeWebsocket())}forceDisconnect(){this._webSocket&&(this._webSocket.readyState!==e.StompSocketState.CONNECTING&&this._webSocket.readyState!==e.StompSocketState.OPEN||this._closeOrDiscardWebsocket())}_closeWebsocket(){this._webSocket.onmessage=()=>{},this._webSocket.close()}discardWebsocket(){"function"!==typeof this._webSocket.terminate&&t(this._webSocket,(e=>this.debug(e))),this._webSocket.terminate()}_transmit(e){const{command:t,headers:n,body:s,binaryBody:o,skipContentLengthHeader:r}=e,c=new i({command:t,headers:n,body:s,binaryBody:o,escapeHeaderValues:this._escapeHeaderValues,skipContentLengthHeader:r});let a=c.serialize();if(this.logRawCommunication?this.debug(`>>> ${a}`):this.debug(`>>> ${c}`),this.forceBinaryWSFrames&&"string"===typeof a&&(a=(new TextEncoder).encode(a)),"string"===typeof a&&this.splitLargeFrames){let e=a;while(e.length>0){const t=e.substring(0,this.maxWebSocketChunkSize);e=e.substring(this.maxWebSocketChunkSize),this._webSocket.send(t),this.debug(`chunk sent = ${t.length}, remaining = ${e.length}`)}}else this._webSocket.send(a)}dispose(){if(this.connected)try{const e=Object.assign({},this.disconnectHeaders);e.receipt||(e.receipt="close-"+this._counter++),this.watchForReceipt(e.receipt,(e=>{this._closeWebsocket(),this._cleanUp(),this.onDisconnect(e)})),this._transmit({command:"DISCONNECT",headers:e})}catch(t){this.debug(`Ignoring error during disconnect ${t}`)}else this._webSocket.readyState!==e.StompSocketState.CONNECTING&&this._webSocket.readyState!==e.StompSocketState.OPEN||this._closeWebsocket()}_cleanUp(){this._connected=!1,this._pinger&&(this._pinger.stop(),this._pinger=void 0),this._ponger&&(clearInterval(this._ponger),this._ponger=void 0)}publish(e){const{destination:t,headers:n,body:i,binaryBody:s,skipContentLengthHeader:o}=e,r=Object.assign({destination:t},n);this._transmit({command:"SEND",headers:r,body:i,binaryBody:s,skipContentLengthHeader:o})}watchForReceipt(e,t){this._receiptWatchers[e]=t}subscribe(e,t,n={}){n=Object.assign({},n),n.id||(n.id="sub-"+this._counter++),n.destination=e,this._subscriptions[n.id]=t,this._transmit({command:"SUBSCRIBE",headers:n});const i=this;return{id:n.id,unsubscribe(e){return i.unsubscribe(n.id,e)}}}unsubscribe(e,t={}){t=Object.assign({},t),delete this._subscriptions[e],t.id=e,this._transmit({command:"UNSUBSCRIBE",headers:t})}begin(e){const t=e||"tx-"+this._counter++;this._transmit({command:"BEGIN",headers:{transaction:t}});const n=this;return{id:t,commit(){n.commit(t)},abort(){n.abort(t)}}}commit(e){this._transmit({command:"COMMIT",headers:{transaction:e}})}abort(e){this._transmit({command:"ABORT",headers:{transaction:e}})}ack(e,t,n={}){n=Object.assign({},n),this._connectedVersion===d.V1_2?n.id=e:n["message-id"]=e,n.subscription=t,this._transmit({command:"ACK",headers:n})}nack(e,t,n={}){return n=Object.assign({},n),this._connectedVersion===d.V1_2?n.id=e:n["message-id"]=e,n.subscription=t,this._transmit({command:"NACK",headers:n})}}class l{get webSocket(){return this._stompHandler?._webSocket}get disconnectHeaders(){return this._disconnectHeaders}set disconnectHeaders(e){this._disconnectHeaders=e,this._stompHandler&&(this._stompHandler.disconnectHeaders=this._disconnectHeaders)}get connected(){return!!this._stompHandler&&this._stompHandler.connected}get connectedVersion(){return this._stompHandler?this._stompHandler.connectedVersion:void 0}get active(){return this.state===e.ActivationState.ACTIVE}_changeState(e){this.state=e,this.onChangeState(e)}constructor(t={}){this.stompVersions=d.default,this.connectionTimeout=0,this.reconnectDelay=5e3,this._nextReconnectDelay=0,this.maxReconnectDelay=9e5,this.reconnectTimeMode=e.ReconnectionTimeMode.LINEAR,this.heartbeatIncoming=1e4,this.heartbeatOutgoing=1e4,this.heartbeatStrategy=e.TickerStrategy.Interval,this.splitLargeFrames=!1,this.maxWebSocketChunkSize=8192,this.forceBinaryWSFrames=!1,this.appendMissingNULLonIncoming=!1,this.discardWebsocketOnCommFailure=!1,this.state=e.ActivationState.INACTIVE;const n=()=>{};this.debug=n,this.beforeConnect=n,this.onConnect=n,this.onDisconnect=n,this.onUnhandledMessage=n,this.onUnhandledReceipt=n,this.onUnhandledFrame=n,this.onStompError=n,this.onWebSocketClose=n,this.onWebSocketError=n,this.logRawCommunication=!1,this.onChangeState=n,this.connectHeaders={},this._disconnectHeaders={},this.configure(t)}configure(e){Object.assign(this,e),this.maxReconnectDelay>0&&this.maxReconnectDelay{this.active?this.debug("Already ACTIVE, ignoring request to activate"):(this._changeState(e.ActivationState.ACTIVE),this._nextReconnectDelay=this.reconnectDelay,this._connect())};this.state===e.ActivationState.DEACTIVATING?(this.debug("Waiting for deactivation to finish before activating"),this.deactivate().then((()=>{t()}))):t()}async _connect(){if(await this.beforeConnect(this),this._stompHandler)return void this.debug("There is already a stompHandler, skipping the call to connect");if(!this.active)return void this.debug("Client has been marked inactive, will not attempt to connect");this.connectionTimeout>0&&(this._connectionWatcher&&clearTimeout(this._connectionWatcher),this._connectionWatcher=setTimeout((()=>{this.connected||(this.debug(`Connection not established in ${this.connectionTimeout}ms, closing socket`),this.forceDisconnect())}),this.connectionTimeout)),this.debug("Opening Web Socket...");const t=this._createWebSocket();this._stompHandler=new u(this,t,{debug:this.debug,stompVersions:this.stompVersions,connectHeaders:this.connectHeaders,disconnectHeaders:this._disconnectHeaders,heartbeatIncoming:this.heartbeatIncoming,heartbeatOutgoing:this.heartbeatOutgoing,heartbeatStrategy:this.heartbeatStrategy,splitLargeFrames:this.splitLargeFrames,maxWebSocketChunkSize:this.maxWebSocketChunkSize,forceBinaryWSFrames:this.forceBinaryWSFrames,logRawCommunication:this.logRawCommunication,appendMissingNULLonIncoming:this.appendMissingNULLonIncoming,discardWebsocketOnCommFailure:this.discardWebsocketOnCommFailure,onConnect:e=>{if(this._connectionWatcher&&(clearTimeout(this._connectionWatcher),this._connectionWatcher=void 0),!this.active)return this.debug("STOMP got connected while deactivate was issued, will disconnect now"),void this._disposeStompHandler();this.onConnect(e)},onDisconnect:e=>{this.onDisconnect(e)},onStompError:e=>{this.onStompError(e)},onWebSocketClose:t=>{this._stompHandler=void 0,this.state===e.ActivationState.DEACTIVATING&&this._changeState(e.ActivationState.INACTIVE),this.onWebSocketClose(t),this.active&&this._schedule_reconnect()},onWebSocketError:e=>{this.onWebSocketError(e)},onUnhandledMessage:e=>{this.onUnhandledMessage(e)},onUnhandledReceipt:e=>{this.onUnhandledReceipt(e)},onUnhandledFrame:e=>{this.onUnhandledFrame(e)}}),this._stompHandler.start()}_createWebSocket(){let e;if(this.webSocketFactory)e=this.webSocketFactory();else{if(!this.brokerURL)throw new Error("Either brokerURL or webSocketFactory must be provided");e=new WebSocket(this.brokerURL,this.stompVersions.protocolVersions())}return e.binaryType="arraybuffer",e}_schedule_reconnect(){this._nextReconnectDelay>0&&(this.debug(`STOMP: scheduling reconnection in ${this._nextReconnectDelay}ms`),this._reconnector=setTimeout((()=>{this.reconnectTimeMode===e.ReconnectionTimeMode.EXPONENTIAL&&(this._nextReconnectDelay=2*this._nextReconnectDelay,0!==this.maxReconnectDelay&&(this._nextReconnectDelay=Math.min(this._nextReconnectDelay,this.maxReconnectDelay))),this._connect()}),this._nextReconnectDelay))}async deactivate(t={}){const n=t.force||!1,i=this.active;let s;if(this.state===e.ActivationState.INACTIVE)return this.debug("Already INACTIVE, nothing more to do"),Promise.resolve();if(this._changeState(e.ActivationState.DEACTIVATING),this._nextReconnectDelay=0,this._reconnector&&(clearTimeout(this._reconnector),this._reconnector=void 0),!this._stompHandler||this.webSocket.readyState===e.StompSocketState.CLOSED)return this._changeState(e.ActivationState.INACTIVE),Promise.resolve();{const e=this._stompHandler.onWebSocketClose;s=new Promise(((t,n)=>{this._stompHandler.onWebSocketClose=n=>{e(n),t()}}))}return n?this._stompHandler?.discardWebsocket():i&&this._disposeStompHandler(),s}forceDisconnect(){this._stompHandler&&this._stompHandler.forceDisconnect()}_disposeStompHandler(){this._stompHandler&&this._stompHandler.dispose()}publish(e){this._checkConnection(),this._stompHandler.publish(e)}_checkConnection(){if(!this.connected)throw new TypeError("There is no underlying STOMP connection")}watchForReceipt(e,t){this._checkConnection(),this._stompHandler.watchForReceipt(e,t)}subscribe(e,t,n={}){return this._checkConnection(),this._stompHandler.subscribe(e,t,n)}unsubscribe(e,t={}){this._checkConnection(),this._stompHandler.unsubscribe(e,t)}begin(e){return this._checkConnection(),this._stompHandler.begin(e)}commit(e){this._checkConnection(),this._stompHandler.commit(e)}abort(e){this._checkConnection(),this._stompHandler.abort(e)}ack(e,t,n={}){this._checkConnection(),this._stompHandler.ack(e,t,n)}nack(e,t,n={}){this._checkConnection(),this._stompHandler.nack(e,t,n)}}class m{}class _{}class p{constructor(e){this.client=e}get outgoing(){return this.client.heartbeatOutgoing}set outgoing(e){this.client.heartbeatOutgoing=e}get incoming(){return this.client.heartbeatIncoming}set incoming(e){this.client.heartbeatIncoming=e}}class b extends l{constructor(e){super(),this.maxWebSocketFrameSize=16384,this._heartbeatInfo=new p(this),this.reconnect_delay=0,this.webSocketFactory=e,this.debug=(...e)=>{console.log(...e)}}_parseConnect(...e){let t,n,i,s={};if(e.length<2)throw new Error("Connect requires at least 2 arguments");if("function"===typeof e[1])[s,n,i,t]=e;else switch(e.length){case 6:[s.login,s.passcode,n,i,t,s.host]=e;break;default:[s.login,s.passcode,n,i,t]=e}return[s,n,i,t]}connect(...e){const t=this._parseConnect(...e);t[0]&&(this.connectHeaders=t[0]),t[1]&&(this.onConnect=t[1]),t[2]&&(this.onStompError=t[2]),t[3]&&(this.onWebSocketClose=t[3]),super.activate()}disconnect(e,t={}){e&&(this.onDisconnect=e),this.disconnectHeaders=t,super.deactivate()}send(e,t={},n=""){t=Object.assign({},t);const i=!1===t["content-length"];i&&delete t["content-length"],this.publish({destination:e,headers:t,body:n,skipContentLengthHeader:i})}set reconnect_delay(e){this.reconnectDelay=e}get ws(){return this.webSocket}get version(){return this.connectedVersion}get onreceive(){return this.onUnhandledMessage}set onreceive(e){this.onUnhandledMessage=e}get onreceipt(){return this.onUnhandledReceipt}set onreceipt(e){this.onUnhandledReceipt=e}get heartbeat(){return this._heartbeatInfo}set heartbeat(e){this.heartbeatIncoming=e.incoming,this.heartbeatOutgoing=e.outgoing}}class g{static client(e,t){null==t&&(t=d.default.protocolVersions());const n=()=>{const n=g.WebSocketClass||WebSocket;return new n(e,t)};return new b(n)}static over(e){let t;return"function"===typeof e?t=e:(console.warn("Stomp.over did not receive a factory, auto reconnect will not work. Please see https://stomp-js.github.io/api-docs/latest/classes/Stomp.html#over"),t=()=>e),new b(t)}}g.WebSocketClass=null,e.Client=l,e.CompatClient=b,e.FrameImpl=i,e.Parser=a,e.Stomp=g,e.StompConfig=m,e.StompHeaders=_,e.Versions=d}))},96083:function(e){"use strict";var t=!("undefined"===typeof window||!window.document||!window.document.createElement),n={canUseDOM:t,canUseWorkers:"undefined"!==typeof Worker,canUseEventListeners:t&&!(!window.addEventListener&&!window.attachEvent),canUseViewport:t&&!!window.screen,isInWorker:!t};e.exports=n},99438:function(e,t,n){"use strict";var i=n(32456),s=n(50586),o=10,r=40,c=800;function a(e){var t=0,n=0,i=0,s=0;return"detail"in e&&(n=e.detail),"wheelDelta"in e&&(n=-e.wheelDelta/120),"wheelDeltaY"in e&&(n=-e.wheelDeltaY/120),"wheelDeltaX"in e&&(t=-e.wheelDeltaX/120),"axis"in e&&e.axis===e.HORIZONTAL_AXIS&&(t=n,n=0),i=t*o,s=n*o,"deltaY"in e&&(s=e.deltaY),"deltaX"in e&&(i=e.deltaX),(i||s)&&e.deltaMode&&(1==e.deltaMode?(i*=r,s*=r):(i*=c,s*=c)),i&&!t&&(t=i<1?-1:1),s&&!n&&(n=s<1?-1:1),{spinX:t,spinY:n,pixelX:i,pixelY:s}}a.getEventType=function(){return i.firefox()?"DOMMouseScroll":s("wheel")?"wheel":"mousewheel"},e.exports=a}}]); \ No newline at end of file diff --git a/mining-pool/test/js/chunk-vendors-89d5c698.2190b4ca.js.gz b/mining-pool/test/js/chunk-vendors-89d5c698.2190b4ca.js.gz new file mode 100644 index 0000000..20be87d Binary files /dev/null and b/mining-pool/test/js/chunk-vendors-89d5c698.2190b4ca.js.gz differ diff --git a/mining-pool/test/js/chunk-vendors-945ce2fe.648a91a9.js b/mining-pool/test/js/chunk-vendors-945ce2fe.648a91a9.js new file mode 100644 index 0000000..bb7481a --- /dev/null +++ b/mining-pool/test/js/chunk-vendors-945ce2fe.648a91a9.js @@ -0,0 +1,3 @@ +"use strict";(self["webpackChunkmining_pool"]=self["webpackChunkmining_pool"]||[]).push([[220],{50:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(5065)),i=r(75088),s="enum";function a(e,t,r,n,a){var u=[],l=e.required||!e.required&&n.hasOwnProperty(e.field);if(l){if((0,i.isEmptyValue)(t)&&!e.required)return r();o.default.required(e,t,n,u,a),t&&o.default[s](e,t,n,u,a)}r(u)}t["default"]=a},422:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(48296)),i=n(r(5065));function s(e,t,r,n,s){var a=[],u=Array.isArray(t)?"array":"undefined"===typeof t?"undefined":(0,o.default)(t);i.default.required(e,t,n,a,s,u),r(a)}t["default"]=s},5065:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(51656)),i=n(r(45672)),s=n(r(61789)),a=n(r(29572)),u=n(r(78e3)),l=n(r(12599));t["default"]={required:o.default,whitespace:i.default,type:s.default,range:a.default,enum:u.default,pattern:l.default}},12599:function(e,t,r){var n=r(91774)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,r(44114);var o=n(r(75088));function i(e,t,r,n,i){if(e.pattern)if(e.pattern instanceof RegExp)e.pattern.lastIndex=0,e.pattern.test(t)||n.push(o.format(i.messages.pattern.mismatch,e.fullField,t,e.pattern));else if("string"===typeof e.pattern){var s=new RegExp(e.pattern);s.test(t)||n.push(o.format(i.messages.pattern.mismatch,e.fullField,t,e.pattern))}}t["default"]=i},14366:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,r(44114),r(18111),r(7588),r(61701);var o=n(r(95780)),i=n(r(48296)),s=r(75088),a=n(r(94135)),u=r(31228);function l(e){this.rules=null,this._messages=u.messages,this.define(e)}l.prototype={messages:function(e){return e&&(this._messages=(0,s.deepMerge)((0,u.newMessages)(),e)),this._messages},define:function(e){if(!e)throw new Error("Cannot configure a schema with no rules");if("object"!==("undefined"===typeof e?"undefined":(0,i.default)(e))||Array.isArray(e))throw new Error("Rules must be an object");this.rules={};var t=void 0,r=void 0;for(t in e)e.hasOwnProperty(t)&&(r=e[t],this.rules[t]=Array.isArray(r)?r:[r])},validate:function(e){var t=this,r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments[2],a=e,f=r,c=n;if("function"===typeof f&&(c=f,f={}),this.rules&&0!==Object.keys(this.rules).length){if(f.messages){var d=this.messages();d===u.messages&&(d=(0,u.newMessages)()),(0,s.deepMerge)(d,f.messages),f.messages=d}else f.messages=this.messages();var p=void 0,h=void 0,m={},y=f.keys||Object.keys(this.rules);y.forEach((function(r){p=t.rules[r],h=a[r],p.forEach((function(n){var i=n;"function"===typeof i.transform&&(a===e&&(a=(0,o.default)({},a)),h=a[r]=i.transform(h)),i="function"===typeof i?{validator:i}:(0,o.default)({},i),i.validator=t.getValidationMethod(i),i.field=r,i.fullField=i.fullField||r,i.type=t.getType(i),i.validator&&(m[r]=m[r]||[],m[r].push({rule:i,value:h,source:a,field:r}))}))}));var g={};(0,s.asyncMap)(m,f,(function(e,t){var r=e.rule,n=("object"===r.type||"array"===r.type)&&("object"===(0,i.default)(r.fields)||"object"===(0,i.default)(r.defaultField));function a(e,t){return(0,o.default)({},t,{fullField:r.fullField+"."+e})}function u(){var i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],u=i;if(Array.isArray(u)||(u=[u]),u.length&&(0,s.warning)("async-validator:",u),u.length&&r.message&&(u=[].concat(r.message)),u=u.map((0,s.complementError)(r)),f.first&&u.length)return g[r.field]=1,t(u);if(n){if(r.required&&!e.value)return u=r.message?[].concat(r.message).map((0,s.complementError)(r)):f.error?[f.error(r,(0,s.format)(f.messages.required,r.field))]:[],t(u);var c={};if(r.defaultField)for(var d in e.value)e.value.hasOwnProperty(d)&&(c[d]=r.defaultField);for(var p in c=(0,o.default)({},c,e.rule.fields),c)if(c.hasOwnProperty(p)){var h=Array.isArray(c[p])?c[p]:[c[p]];c[p]=h.map(a.bind(null,p))}var m=new l(c);m.messages(f.messages),e.rule.options&&(e.rule.options.messages=f.messages,e.rule.options.error=f.error),m.validate(e.value,e.rule.options||f,(function(e){t(e&&e.length?u.concat(e):e)}))}else t(u)}n=n&&(r.required||!r.required&&e.value),r.field=e.field;var c=r.validator(r,e.value,u,e.source,f);c&&c.then&&c.then((function(){return u()}),(function(e){return u(e)}))}),(function(e){b(e)}))}else c&&c();function b(e){var t=void 0,r=void 0,n=[],o={};function i(e){Array.isArray(e)?n=n.concat.apply(n,e):n.push(e)}for(t=0;te.max?n.push(o.format(i.messages[c].max,e.fullField,e.max)):a&&u&&(fe.max)&&n.push(o.format(i.messages[c].range,e.fullField,e.min,e.max))}t["default"]=i},31228:function(e,t){function r(){return{default:"Validation error on field %s",required:"%s is required",enum:"%s must be one of %s",whitespace:"%s cannot be empty",date:{format:"%s date %s is invalid for format %s",parse:"%s date could not be parsed, %s is invalid ",invalid:"%s date %s is invalid"},types:{string:"%s is not a %s",method:"%s is not a %s (function)",array:"%s is not an %s",object:"%s is not an %s",number:"%s is not a %s",date:"%s is not a %s",boolean:"%s is not a %s",integer:"%s is not an %s",float:"%s is not a %s",regexp:"%s is not a valid %s",email:"%s is not a valid %s",url:"%s is not a valid %s",hex:"%s is not a valid %s"},string:{len:"%s must be exactly %s characters",min:"%s must be at least %s characters",max:"%s cannot be longer than %s characters",range:"%s must be between %s and %s characters"},number:{len:"%s must equal %s",min:"%s cannot be less than %s",max:"%s cannot be greater than %s",range:"%s must be between %s and %s"},array:{len:"%s must be exactly %s in length",min:"%s cannot be less than %s in length",max:"%s cannot be greater than %s in length",range:"%s must be between %s and %s in length"},pattern:{mismatch:"%s value %s does not match pattern %s"},clone:function(){var e=JSON.parse(JSON.stringify(this));return e.clone=this.clone,e}}}Object.defineProperty(t,"__esModule",{value:!0}),t.messages=void 0,t.newMessages=r;t.messages=r()},45672:function(e,t,r){var n=r(91774)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,r(44114);var o=n(r(75088));function i(e,t,r,n,i){(/^\s+$/.test(t)||""===t)&&n.push(o.format(i.messages.whitespace,e.fullField))}t["default"]=i},49233:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(5065)),i=r(75088);function s(e,t,r,n,s){var a=[],u=e.required||!e.required&&n.hasOwnProperty(e.field);if(u){if((0,i.isEmptyValue)(t,"string")&&!e.required)return r();o.default.required(e,t,n,a,s),(0,i.isEmptyValue)(t,"string")||o.default.pattern(e,t,n,a,s)}r(a)}t["default"]=s},51656:function(e,t,r){var n=r(91774)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,r(44114);var o=n(r(75088));function i(e,t,r,n,i,s){!e.required||r.hasOwnProperty(e.field)&&!o.isEmptyValue(t,s||e.type)||n.push(o.format(i.messages.required,e.fullField))}t["default"]=i},57339:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(5065)),i=r(75088);function s(e,t,r,n,s){var a=e.type,u=[],l=e.required||!e.required&&n.hasOwnProperty(e.field);if(l){if((0,i.isEmptyValue)(t,a)&&!e.required)return r();o.default.required(e,t,n,u,s,a),(0,i.isEmptyValue)(t,a)||o.default.type(e,t,n,u,s)}r(u)}t["default"]=s},61789:function(e,t,r){var n=r(91774)["default"],o=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0,r(44114);var i=o(r(48296)),s=n(r(75088)),a=o(r(51656)),u={email:/^(([^<>()\[\]\\.,;:\s@"]+(\.[^<>()\[\]\\.,;:\s@"]+)*)|(".+"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}])|(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$/,url:new RegExp("^(?!mailto:)(?:(?:http|https|ftp)://|//)(?:\\S+(?::\\S*)?@)?(?:(?:(?:[1-9]\\d?|1\\d\\d|2[01]\\d|22[0-3])(?:\\.(?:1?\\d{1,2}|2[0-4]\\d|25[0-5])){2}(?:\\.(?:[0-9]\\d?|1\\d\\d|2[0-4]\\d|25[0-4]))|(?:(?:[a-z\\u00a1-\\uffff0-9]+-?)*[a-z\\u00a1-\\uffff0-9]+)(?:\\.(?:[a-z\\u00a1-\\uffff0-9]+-?)*[a-z\\u00a1-\\uffff0-9]+)*(?:\\.(?:[a-z\\u00a1-\\uffff]{2,})))|localhost)(?::\\d{2,5})?(?:(/|\\?|#)[^\\s]*)?$","i"),hex:/^#?([a-f0-9]{6}|[a-f0-9]{3})$/i},l={integer:function(e){return l.number(e)&&parseInt(e,10)===e},float:function(e){return l.number(e)&&!l.integer(e)},array:function(e){return Array.isArray(e)},regexp:function(e){if(e instanceof RegExp)return!0;try{return!!new RegExp(e)}catch(t){return!1}},date:function(e){return"function"===typeof e.getTime&&"function"===typeof e.getMonth&&"function"===typeof e.getYear},number:function(e){return!isNaN(e)&&"number"===typeof e},object:function(e){return"object"===("undefined"===typeof e?"undefined":(0,i.default)(e))&&!l.array(e)},method:function(e){return"function"===typeof e},email:function(e){return"string"===typeof e&&!!e.match(u.email)&&e.length<255},url:function(e){return"string"===typeof e&&!!e.match(u.url)},hex:function(e){return"string"===typeof e&&!!e.match(u.hex)}};function f(e,t,r,n,o){if(e.required&&void 0===t)(0,a.default)(e,t,r,n,o);else{var u=["integer","float","array","regexp","object","method","email","number","date","url","hex"],f=e.type;u.indexOf(f)>-1?l[f](t)||n.push(s.format(o.messages.types[f],e.fullField,e.type)):f&&("undefined"===typeof t?"undefined":(0,i.default)(t))!==e.type&&n.push(s.format(o.messages.types[f],e.fullField,e.type))}}t["default"]=f},66632:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(5065)),i=r(75088);function s(e,t,r,n,s){var a=[],u=e.required||!e.required&&n.hasOwnProperty(e.field);if(u){if((0,i.isEmptyValue)(t)&&!e.required)return r();o.default.required(e,t,n,a,s),void 0!==t&&o.default.type(e,t,n,a,s)}r(a)}t["default"]=s},70018:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(5065)),i=r(75088);function s(e,t,r,n,s){var a=[],u=e.required||!e.required&&n.hasOwnProperty(e.field);if(u){if((0,i.isEmptyValue)(t)&&!e.required)return r();o.default.required(e,t,n,a,s),(0,i.isEmptyValue)(t)||o.default.type(e,t,n,a,s)}r(a)}t["default"]=s},71382:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(5065)),i=r(75088);function s(e,t,r,n,s){var a=[],u=e.required||!e.required&&n.hasOwnProperty(e.field);if(u){if((0,i.isEmptyValue)(t,"string")&&!e.required)return r();o.default.required(e,t,n,a,s,"string"),(0,i.isEmptyValue)(t,"string")||(o.default.type(e,t,n,a,s),o.default.range(e,t,n,a,s),o.default.pattern(e,t,n,a,s),!0===e.whitespace&&o.default.whitespace(e,t,n,a,s))}r(a)}t["default"]=s},75088:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t.asyncMap=h,t.complementError=m,t.deepMerge=y,t.format=a,t.isEmptyObject=f,t.isEmptyValue=l,t.warning=void 0,r(44114),r(18111),r(81148),r(7588);var o=n(r(95780)),i=n(r(48296)),s=/%[sdj%]/g;t.warning=function(){};function a(){for(var e=arguments.length,t=Array(e),r=0;r=i)return e;switch(e){case"%s":return String(t[n++]);case"%d":return Number(t[n++]);case"%j":try{return JSON.stringify(t[n++])}catch(r){return"[Circular]"}break;default:return e}})),u=t[n];nt=>{const r=o.call(t);return e[r]||(e[r]=r.slice(8,-1).toLowerCase())})(Object.create(null)),a=e=>(e=e.toLowerCase(),t=>s(t)===e),u=e=>t=>typeof t===e,{isArray:l}=Array,f=u("undefined");function c(e){return null!==e&&!f(e)&&null!==e.constructor&&!f(e.constructor)&&m(e.constructor.isBuffer)&&e.constructor.isBuffer(e)}const d=a("ArrayBuffer");function p(e){let t;return t="undefined"!==typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&d(e.buffer),t}const h=u("string"),m=u("function"),y=u("number"),g=e=>null!==e&&"object"===typeof e,b=e=>!0===e||!1===e,v=e=>{if("object"!==s(e))return!1;const t=i(e);return(null===t||t===Object.prototype||null===Object.getPrototypeOf(t))&&!(Symbol.toStringTag in e)&&!(Symbol.iterator in e)},w=a("Date"),E=a("File"),O=a("Blob"),R=a("FileList"),S=e=>g(e)&&m(e.pipe),A=e=>{let t;return e&&("function"===typeof FormData&&e instanceof FormData||m(e.append)&&("formdata"===(t=s(e))||"object"===t&&m(e.toString)&&"[object FormData]"===e.toString()))},j=a("URLSearchParams"),[_,T,x,P]=["ReadableStream","Request","Response","Headers"].map(a),q=e=>e.trim?e.trim():e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,"");function F(e,t,{allOwnKeys:r=!1}={}){if(null===e||"undefined"===typeof e)return;let n,o;if("object"!==typeof e&&(e=[e]),l(e))for(n=0,o=e.length;n0)if(n=r[o],t===n.toLowerCase())return n;return null}const N=(()=>"undefined"!==typeof globalThis?globalThis:"undefined"!==typeof self?self:"undefined"!==typeof window?window:r.g)(),U=e=>!f(e)&&e!==N;function k(){const{caseless:e}=U(this)&&this||{},t={},r=(r,n)=>{const o=e&&C(t,n)||n;v(t[o])&&v(r)?t[o]=k(t[o],r):v(r)?t[o]=k({},r):l(r)?t[o]=r.slice():t[o]=r};for(let n=0,o=arguments.length;n(F(t,((t,o)=>{r&&m(t)?e[o]=n(t,r):e[o]=t}),{allOwnKeys:o}),e),B=e=>(65279===e.charCodeAt(0)&&(e=e.slice(1)),e),M=(e,t,r,n)=>{e.prototype=Object.create(t.prototype,n),e.prototype.constructor=e,Object.defineProperty(e,"super",{value:t.prototype}),r&&Object.assign(e.prototype,r)},D=(e,t,r,n)=>{let o,s,a;const u={};if(t=t||{},null==e)return t;do{o=Object.getOwnPropertyNames(e),s=o.length;while(s-- >0)a=o[s],n&&!n(a,e,t)||u[a]||(t[a]=e[a],u[a]=!0);e=!1!==r&&i(e)}while(e&&(!r||r(e,t))&&e!==Object.prototype);return t},V=(e,t,r)=>{e=String(e),(void 0===r||r>e.length)&&(r=e.length),r-=t.length;const n=e.indexOf(t,r);return-1!==n&&n===r},z=e=>{if(!e)return null;if(l(e))return e;let t=e.length;if(!y(t))return null;const r=new Array(t);while(t-- >0)r[t]=e[t];return r},I=(e=>t=>e&&t instanceof e)("undefined"!==typeof Uint8Array&&i(Uint8Array)),J=(e,t)=>{const r=e&&e[Symbol.iterator],n=r.call(e);let o;while((o=n.next())&&!o.done){const r=o.value;t.call(e,r[0],r[1])}},H=(e,t)=>{let r;const n=[];while(null!==(r=e.exec(t)))n.push(r);return n},W=a("HTMLFormElement"),K=e=>e.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,(function(e,t,r){return t.toUpperCase()+r})),$=(({hasOwnProperty:e})=>(t,r)=>e.call(t,r))(Object.prototype),X=a("RegExp"),G=(e,t)=>{const r=Object.getOwnPropertyDescriptors(e),n={};F(r,((r,o)=>{let i;!1!==(i=t(r,o,e))&&(n[o]=i||r)})),Object.defineProperties(e,n)},Z=e=>{G(e,((t,r)=>{if(m(e)&&-1!==["arguments","caller","callee"].indexOf(r))return!1;const n=e[r];m(n)&&(t.enumerable=!1,"writable"in t?t.writable=!1:t.set||(t.set=()=>{throw Error("Can not rewrite read-only method '"+r+"'")}))}))},Q=(e,t)=>{const r={},n=e=>{e.forEach((e=>{r[e]=!0}))};return l(e)?n(e):n(String(e).split(t)),r},Y=()=>{},ee=(e,t)=>null!=e&&Number.isFinite(e=+e)?e:t;function te(e){return!!(e&&m(e.append)&&"FormData"===e[Symbol.toStringTag]&&e[Symbol.iterator])}const re=e=>{const t=new Array(10),r=(e,n)=>{if(g(e)){if(t.indexOf(e)>=0)return;if(!("toJSON"in e)){t[n]=e;const o=l(e)?[]:{};return F(e,((e,t)=>{const i=r(e,n+1);!f(i)&&(o[t]=i)})),t[n]=void 0,o}}return e};return r(e,0)},ne=a("AsyncFunction"),oe=e=>e&&(g(e)||m(e))&&m(e.then)&&m(e.catch),ie=((e,t)=>e?setImmediate:t?((e,t)=>(N.addEventListener("message",(({source:r,data:n})=>{r===N&&n===e&&t.length&&t.shift()()}),!1),r=>{t.push(r),N.postMessage(e,"*")}))(`axios@${Math.random()}`,[]):e=>setTimeout(e))("function"===typeof setImmediate,m(N.postMessage)),se="undefined"!==typeof queueMicrotask?queueMicrotask.bind(N):"undefined"!==typeof process&&process.nextTick||ie;var ae={isArray:l,isArrayBuffer:d,isBuffer:c,isFormData:A,isArrayBufferView:p,isString:h,isNumber:y,isBoolean:b,isObject:g,isPlainObject:v,isReadableStream:_,isRequest:T,isResponse:x,isHeaders:P,isUndefined:f,isDate:w,isFile:E,isBlob:O,isRegExp:X,isFunction:m,isStream:S,isURLSearchParams:j,isTypedArray:I,isFileList:R,forEach:F,merge:k,extend:L,trim:q,stripBOM:B,inherits:M,toFlatObject:D,kindOf:s,kindOfTest:a,endsWith:V,toArray:z,forEachEntry:J,matchAll:H,isHTMLForm:W,hasOwnProperty:$,hasOwnProp:$,reduceDescriptors:G,freezeMethods:Z,toObjectSet:Q,toCamelCase:K,noop:Y,toFiniteNumber:ee,findKey:C,global:N,isContextDefined:U,isSpecCompliantForm:te,toJSONObject:re,isAsyncFn:ne,isThenable:oe,setImmediate:ie,asap:se};function ue(e,t,r,n,o){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=(new Error).stack,this.message=e,this.name="AxiosError",t&&(this.code=t),r&&(this.config=r),n&&(this.request=n),o&&(this.response=o,this.status=o.status?o.status:null)}ae.inherits(ue,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:ae.toJSONObject(this.config),code:this.code,status:this.status}}});const le=ue.prototype,fe={};["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach((e=>{fe[e]={value:e}})),Object.defineProperties(ue,fe),Object.defineProperty(le,"isAxiosError",{value:!0}),ue.from=(e,t,r,n,o,i)=>{const s=Object.create(le);return ae.toFlatObject(e,s,(function(e){return e!==Error.prototype}),(e=>"isAxiosError"!==e)),ue.call(s,e.message,t,r,n,o),s.cause=e,s.name=e.name,i&&Object.assign(s,i),s};var ce=null;function de(e){return ae.isPlainObject(e)||ae.isArray(e)}function pe(e){return ae.endsWith(e,"[]")?e.slice(0,-2):e}function he(e,t,r){return e?e.concat(t).map((function(e,t){return e=pe(e),!r&&t?"["+e+"]":e})).join(r?".":""):t}function me(e){return ae.isArray(e)&&!e.some(de)}const ye=ae.toFlatObject(ae,{},null,(function(e){return/^is[A-Z]/.test(e)}));function ge(e,t,r){if(!ae.isObject(e))throw new TypeError("target must be an object");t=t||new FormData,r=ae.toFlatObject(r,{metaTokens:!0,dots:!1,indexes:!1},!1,(function(e,t){return!ae.isUndefined(t[e])}));const n=r.metaTokens,o=r.visitor||f,i=r.dots,s=r.indexes,a=r.Blob||"undefined"!==typeof Blob&&Blob,u=a&&ae.isSpecCompliantForm(t);if(!ae.isFunction(o))throw new TypeError("visitor must be a function");function l(e){if(null===e)return"";if(ae.isDate(e))return e.toISOString();if(!u&&ae.isBlob(e))throw new ue("Blob is not supported. Use a Buffer instead.");return ae.isArrayBuffer(e)||ae.isTypedArray(e)?u&&"function"===typeof Blob?new Blob([e]):Buffer.from(e):e}function f(e,r,o){let a=e;if(e&&!o&&"object"===typeof e)if(ae.endsWith(r,"{}"))r=n?r:r.slice(0,-2),e=JSON.stringify(e);else if(ae.isArray(e)&&me(e)||(ae.isFileList(e)||ae.endsWith(r,"[]"))&&(a=ae.toArray(e)))return r=pe(r),a.forEach((function(e,n){!ae.isUndefined(e)&&null!==e&&t.append(!0===s?he([r],n,i):null===s?r:r+"[]",l(e))})),!1;return!!de(e)||(t.append(he(o,r,i),l(e)),!1)}const c=[],d=Object.assign(ye,{defaultVisitor:f,convertValue:l,isVisitable:de});function p(e,r){if(!ae.isUndefined(e)){if(-1!==c.indexOf(e))throw Error("Circular reference detected in "+r.join("."));c.push(e),ae.forEach(e,(function(e,n){const i=!(ae.isUndefined(e)||null===e)&&o.call(t,e,ae.isString(n)?n.trim():n,r,d);!0===i&&p(e,r?r.concat(n):[n])})),c.pop()}}if(!ae.isObject(e))throw new TypeError("data must be an object");return p(e),t}function be(e){const t={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g,(function(e){return t[e]}))}function ve(e,t){this._pairs=[],e&&ge(e,this,t)}const we=ve.prototype;function Ee(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function Oe(e,t,r){if(!t)return e;const n=r&&r.encode||Ee;ae.isFunction(r)&&(r={serialize:r});const o=r&&r.serialize;let i;if(i=o?o(t,r):ae.isURLSearchParams(t)?t.toString():new ve(t,r).toString(n),i){const t=e.indexOf("#");-1!==t&&(e=e.slice(0,t)),e+=(-1===e.indexOf("?")?"?":"&")+i}return e}we.append=function(e,t){this._pairs.push([e,t])},we.toString=function(e){const t=e?function(t){return e.call(this,t,be)}:be;return this._pairs.map((function(e){return t(e[0])+"="+t(e[1])}),"").join("&")};class Re{constructor(){this.handlers=[]}use(e,t,r){return this.handlers.push({fulfilled:e,rejected:t,synchronous:!!r&&r.synchronous,runWhen:r?r.runWhen:null}),this.handlers.length-1}eject(e){this.handlers[e]&&(this.handlers[e]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(e){ae.forEach(this.handlers,(function(t){null!==t&&e(t)}))}}var Se=Re,Ae={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},je="undefined"!==typeof URLSearchParams?URLSearchParams:ve,_e="undefined"!==typeof FormData?FormData:null,Te="undefined"!==typeof Blob?Blob:null,xe={isBrowser:!0,classes:{URLSearchParams:je,FormData:_e,Blob:Te},protocols:["http","https","file","blob","url","data"]};const Pe="undefined"!==typeof window&&"undefined"!==typeof document,qe="object"===typeof navigator&&navigator||void 0,Fe=Pe&&(!qe||["ReactNative","NativeScript","NS"].indexOf(qe.product)<0),Ce=(()=>"undefined"!==typeof WorkerGlobalScope&&self instanceof WorkerGlobalScope&&"function"===typeof self.importScripts)(),Ne=Pe&&window.location.href||"http://localhost";var Ue=Object.freeze({__proto__:null,hasBrowserEnv:Pe,hasStandardBrowserWebWorkerEnv:Ce,hasStandardBrowserEnv:Fe,navigator:qe,origin:Ne}),ke={...Ue,...xe};function Le(e,t){return ge(e,new ke.classes.URLSearchParams,Object.assign({visitor:function(e,t,r,n){return ke.isNode&&ae.isBuffer(e)?(this.append(t,e.toString("base64")),!1):n.defaultVisitor.apply(this,arguments)}},t))}function Be(e){return ae.matchAll(/\w+|\[(\w*)]/g,e).map((e=>"[]"===e[0]?"":e[1]||e[0]))}function Me(e){const t={},r=Object.keys(e);let n;const o=r.length;let i;for(n=0;n=e.length;if(i=!i&&ae.isArray(n)?n.length:i,a)return ae.hasOwnProp(n,i)?n[i]=[n[i],r]:n[i]=r,!s;n[i]&&ae.isObject(n[i])||(n[i]=[]);const u=t(e,r,n[i],o);return u&&ae.isArray(n[i])&&(n[i]=Me(n[i])),!s}if(ae.isFormData(e)&&ae.isFunction(e.entries)){const r={};return ae.forEachEntry(e,((e,n)=>{t(Be(e),n,r,0)})),r}return null}function Ve(e,t,r){if(ae.isString(e))try{return(t||JSON.parse)(e),ae.trim(e)}catch(n){if("SyntaxError"!==n.name)throw n}return(r||JSON.stringify)(e)}const ze={transitional:Ae,adapter:["xhr","http","fetch"],transformRequest:[function(e,t){const r=t.getContentType()||"",n=r.indexOf("application/json")>-1,o=ae.isObject(e);o&&ae.isHTMLForm(e)&&(e=new FormData(e));const i=ae.isFormData(e);if(i)return n?JSON.stringify(De(e)):e;if(ae.isArrayBuffer(e)||ae.isBuffer(e)||ae.isStream(e)||ae.isFile(e)||ae.isBlob(e)||ae.isReadableStream(e))return e;if(ae.isArrayBufferView(e))return e.buffer;if(ae.isURLSearchParams(e))return t.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),e.toString();let s;if(o){if(r.indexOf("application/x-www-form-urlencoded")>-1)return Le(e,this.formSerializer).toString();if((s=ae.isFileList(e))||r.indexOf("multipart/form-data")>-1){const t=this.env&&this.env.FormData;return ge(s?{"files[]":e}:e,t&&new t,this.formSerializer)}}return o||n?(t.setContentType("application/json",!1),Ve(e)):e}],transformResponse:[function(e){const t=this.transitional||ze.transitional,r=t&&t.forcedJSONParsing,n="json"===this.responseType;if(ae.isResponse(e)||ae.isReadableStream(e))return e;if(e&&ae.isString(e)&&(r&&!this.responseType||n)){const r=t&&t.silentJSONParsing,i=!r&&n;try{return JSON.parse(e)}catch(o){if(i){if("SyntaxError"===o.name)throw ue.from(o,ue.ERR_BAD_RESPONSE,this,null,this.response);throw o}}}return e}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:ke.classes.FormData,Blob:ke.classes.Blob},validateStatus:function(e){return e>=200&&e<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};ae.forEach(["delete","get","head","post","put","patch"],(e=>{ze.headers[e]={}}));var Ie=ze;const Je=ae.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]);var He=e=>{const t={};let r,n,o;return e&&e.split("\n").forEach((function(e){o=e.indexOf(":"),r=e.substring(0,o).trim().toLowerCase(),n=e.substring(o+1).trim(),!r||t[r]&&Je[r]||("set-cookie"===r?t[r]?t[r].push(n):t[r]=[n]:t[r]=t[r]?t[r]+", "+n:n)})),t};const We=Symbol("internals");function Ke(e){return e&&String(e).trim().toLowerCase()}function $e(e){return!1===e||null==e?e:ae.isArray(e)?e.map($e):String(e)}function Xe(e){const t=Object.create(null),r=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let n;while(n=r.exec(e))t[n[1]]=n[2];return t}const Ge=e=>/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim());function Ze(e,t,r,n,o){return ae.isFunction(n)?n.call(this,t,r):(o&&(t=r),ae.isString(t)?ae.isString(n)?-1!==t.indexOf(n):ae.isRegExp(n)?n.test(t):void 0:void 0)}function Qe(e){return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,((e,t,r)=>t.toUpperCase()+r))}function Ye(e,t){const r=ae.toCamelCase(" "+t);["get","set","has"].forEach((n=>{Object.defineProperty(e,n+r,{value:function(e,r,o){return this[n].call(this,t,e,r,o)},configurable:!0})}))}class et{constructor(e){e&&this.set(e)}set(e,t,r){const n=this;function o(e,t,r){const o=Ke(t);if(!o)throw new Error("header name must be a non-empty string");const i=ae.findKey(n,o);(!i||void 0===n[i]||!0===r||void 0===r&&!1!==n[i])&&(n[i||t]=$e(e))}const i=(e,t)=>ae.forEach(e,((e,r)=>o(e,r,t)));if(ae.isPlainObject(e)||e instanceof this.constructor)i(e,t);else if(ae.isString(e)&&(e=e.trim())&&!Ge(e))i(He(e),t);else if(ae.isHeaders(e))for(const[s,a]of e.entries())o(a,s,r);else null!=e&&o(t,e,r);return this}get(e,t){if(e=Ke(e),e){const r=ae.findKey(this,e);if(r){const e=this[r];if(!t)return e;if(!0===t)return Xe(e);if(ae.isFunction(t))return t.call(this,e,r);if(ae.isRegExp(t))return t.exec(e);throw new TypeError("parser must be boolean|regexp|function")}}}has(e,t){if(e=Ke(e),e){const r=ae.findKey(this,e);return!(!r||void 0===this[r]||t&&!Ze(this,this[r],r,t))}return!1}delete(e,t){const r=this;let n=!1;function o(e){if(e=Ke(e),e){const o=ae.findKey(r,e);!o||t&&!Ze(r,r[o],o,t)||(delete r[o],n=!0)}}return ae.isArray(e)?e.forEach(o):o(e),n}clear(e){const t=Object.keys(this);let r=t.length,n=!1;while(r--){const o=t[r];e&&!Ze(this,this[o],o,e,!0)||(delete this[o],n=!0)}return n}normalize(e){const t=this,r={};return ae.forEach(this,((n,o)=>{const i=ae.findKey(r,o);if(i)return t[i]=$e(n),void delete t[o];const s=e?Qe(o):String(o).trim();s!==o&&delete t[o],t[s]=$e(n),r[s]=!0})),this}concat(...e){return this.constructor.concat(this,...e)}toJSON(e){const t=Object.create(null);return ae.forEach(this,((r,n)=>{null!=r&&!1!==r&&(t[n]=e&&ae.isArray(r)?r.join(", "):r)})),t}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map((([e,t])=>e+": "+t)).join("\n")}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(e){return e instanceof this?e:new this(e)}static concat(e,...t){const r=new this(e);return t.forEach((e=>r.set(e))),r}static accessor(e){const t=this[We]=this[We]={accessors:{}},r=t.accessors,n=this.prototype;function o(e){const t=Ke(e);r[t]||(Ye(n,e),r[t]=!0)}return ae.isArray(e)?e.forEach(o):o(e),this}}et.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]),ae.reduceDescriptors(et.prototype,(({value:e},t)=>{let r=t[0].toUpperCase()+t.slice(1);return{get:()=>e,set(e){this[r]=e}}})),ae.freezeMethods(et);var tt=et;function rt(e,t){const r=this||Ie,n=t||r,o=tt.from(n.headers);let i=n.data;return ae.forEach(e,(function(e){i=e.call(r,i,o.normalize(),t?t.status:void 0)})),o.normalize(),i}function nt(e){return!(!e||!e.__CANCEL__)}function ot(e,t,r){ue.call(this,null==e?"canceled":e,ue.ERR_CANCELED,t,r),this.name="CanceledError"}function it(e,t,r){const n=r.config.validateStatus;r.status&&n&&!n(r.status)?t(new ue("Request failed with status code "+r.status,[ue.ERR_BAD_REQUEST,ue.ERR_BAD_RESPONSE][Math.floor(r.status/100)-4],r.config,r.request,r)):e(r)}function st(e){const t=/^([-+\w]{1,25})(:?\/\/|:)/.exec(e);return t&&t[1]||""}function at(e,t){e=e||10;const r=new Array(e),n=new Array(e);let o,i=0,s=0;return t=void 0!==t?t:1e3,function(a){const u=Date.now(),l=n[s];o||(o=u),r[i]=a,n[i]=u;let f=s,c=0;while(f!==i)c+=r[f++],f%=e;if(i=(i+1)%e,i===s&&(s=(s+1)%e),u-o{o=i,r=null,n&&(clearTimeout(n),n=null),e.apply(null,t)},a=(...e)=>{const t=Date.now(),a=t-o;a>=i?s(e,t):(r=e,n||(n=setTimeout((()=>{n=null,s(r)}),i-a)))},u=()=>r&&s(r);return[a,u]}ae.inherits(ot,ue,{__CANCEL__:!0});const lt=(e,t,r=3)=>{let n=0;const o=at(50,250);return ut((r=>{const i=r.loaded,s=r.lengthComputable?r.total:void 0,a=i-n,u=o(a),l=i<=s;n=i;const f={loaded:i,total:s,progress:s?i/s:void 0,bytes:a,rate:u||void 0,estimated:u&&s&&l?(s-i)/u:void 0,event:r,lengthComputable:null!=s,[t?"download":"upload"]:!0};e(f)}),r)},ft=(e,t)=>{const r=null!=e;return[n=>t[0]({lengthComputable:r,total:e,loaded:n}),t[1]]},ct=e=>(...t)=>ae.asap((()=>e(...t)));var dt=ke.hasStandardBrowserEnv?((e,t)=>r=>(r=new URL(r,ke.origin),e.protocol===r.protocol&&e.host===r.host&&(t||e.port===r.port)))(new URL(ke.origin),ke.navigator&&/(msie|trident)/i.test(ke.navigator.userAgent)):()=>!0,pt=ke.hasStandardBrowserEnv?{write(e,t,r,n,o,i){const s=[e+"="+encodeURIComponent(t)];ae.isNumber(r)&&s.push("expires="+new Date(r).toGMTString()),ae.isString(n)&&s.push("path="+n),ae.isString(o)&&s.push("domain="+o),!0===i&&s.push("secure"),document.cookie=s.join("; ")},read(e){const t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove(e){this.write(e,"",Date.now()-864e5)}}:{write(){},read(){return null},remove(){}};function ht(e){return/^([a-z][a-z\d+\-.]*:)?\/\//i.test(e)}function mt(e,t){return t?e.replace(/\/?\/$/,"")+"/"+t.replace(/^\/+/,""):e}function yt(e,t,r){let n=!ht(t);return e&&(n||0==r)?mt(e,t):t}const gt=e=>e instanceof tt?{...e}:e;function bt(e,t){t=t||{};const r={};function n(e,t,r,n){return ae.isPlainObject(e)&&ae.isPlainObject(t)?ae.merge.call({caseless:n},e,t):ae.isPlainObject(t)?ae.merge({},t):ae.isArray(t)?t.slice():t}function o(e,t,r,o){return ae.isUndefined(t)?ae.isUndefined(e)?void 0:n(void 0,e,r,o):n(e,t,r,o)}function i(e,t){if(!ae.isUndefined(t))return n(void 0,t)}function s(e,t){return ae.isUndefined(t)?ae.isUndefined(e)?void 0:n(void 0,e):n(void 0,t)}function a(r,o,i){return i in t?n(r,o):i in e?n(void 0,r):void 0}const u={url:i,method:i,data:i,baseURL:s,transformRequest:s,transformResponse:s,paramsSerializer:s,timeout:s,timeoutMessage:s,withCredentials:s,withXSRFToken:s,adapter:s,responseType:s,xsrfCookieName:s,xsrfHeaderName:s,onUploadProgress:s,onDownloadProgress:s,decompress:s,maxContentLength:s,maxBodyLength:s,beforeRedirect:s,transport:s,httpAgent:s,httpsAgent:s,cancelToken:s,socketPath:s,responseEncoding:s,validateStatus:a,headers:(e,t,r)=>o(gt(e),gt(t),r,!0)};return ae.forEach(Object.keys(Object.assign({},e,t)),(function(n){const i=u[n]||o,s=i(e[n],t[n],n);ae.isUndefined(s)&&i!==a||(r[n]=s)})),r}var vt=e=>{const t=bt({},e);let r,{data:n,withXSRFToken:o,xsrfHeaderName:i,xsrfCookieName:s,headers:a,auth:u}=t;if(t.headers=a=tt.from(a),t.url=Oe(yt(t.baseURL,t.url,t.allowAbsoluteUrls),e.params,e.paramsSerializer),u&&a.set("Authorization","Basic "+btoa((u.username||"")+":"+(u.password?unescape(encodeURIComponent(u.password)):""))),ae.isFormData(n))if(ke.hasStandardBrowserEnv||ke.hasStandardBrowserWebWorkerEnv)a.setContentType(void 0);else if(!1!==(r=a.getContentType())){const[e,...t]=r?r.split(";").map((e=>e.trim())).filter(Boolean):[];a.setContentType([e||"multipart/form-data",...t].join("; "))}if(ke.hasStandardBrowserEnv&&(o&&ae.isFunction(o)&&(o=o(t)),o||!1!==o&&dt(t.url))){const e=i&&s&&pt.read(s);e&&a.set(i,e)}return t};const wt="undefined"!==typeof XMLHttpRequest;var Et=wt&&function(e){return new Promise((function(t,r){const n=vt(e);let o=n.data;const i=tt.from(n.headers).normalize();let s,a,u,l,f,{responseType:c,onUploadProgress:d,onDownloadProgress:p}=n;function h(){l&&l(),f&&f(),n.cancelToken&&n.cancelToken.unsubscribe(s),n.signal&&n.signal.removeEventListener("abort",s)}let m=new XMLHttpRequest;function y(){if(!m)return;const n=tt.from("getAllResponseHeaders"in m&&m.getAllResponseHeaders()),o=c&&"text"!==c&&"json"!==c?m.response:m.responseText,i={data:o,status:m.status,statusText:m.statusText,headers:n,config:e,request:m};it((function(e){t(e),h()}),(function(e){r(e),h()}),i),m=null}m.open(n.method.toUpperCase(),n.url,!0),m.timeout=n.timeout,"onloadend"in m?m.onloadend=y:m.onreadystatechange=function(){m&&4===m.readyState&&(0!==m.status||m.responseURL&&0===m.responseURL.indexOf("file:"))&&setTimeout(y)},m.onabort=function(){m&&(r(new ue("Request aborted",ue.ECONNABORTED,e,m)),m=null)},m.onerror=function(){r(new ue("Network Error",ue.ERR_NETWORK,e,m)),m=null},m.ontimeout=function(){let t=n.timeout?"timeout of "+n.timeout+"ms exceeded":"timeout exceeded";const o=n.transitional||Ae;n.timeoutErrorMessage&&(t=n.timeoutErrorMessage),r(new ue(t,o.clarifyTimeoutError?ue.ETIMEDOUT:ue.ECONNABORTED,e,m)),m=null},void 0===o&&i.setContentType(null),"setRequestHeader"in m&&ae.forEach(i.toJSON(),(function(e,t){m.setRequestHeader(t,e)})),ae.isUndefined(n.withCredentials)||(m.withCredentials=!!n.withCredentials),c&&"json"!==c&&(m.responseType=n.responseType),p&&([u,f]=lt(p,!0),m.addEventListener("progress",u)),d&&m.upload&&([a,l]=lt(d),m.upload.addEventListener("progress",a),m.upload.addEventListener("loadend",l)),(n.cancelToken||n.signal)&&(s=t=>{m&&(r(!t||t.type?new ot(null,e,m):t),m.abort(),m=null)},n.cancelToken&&n.cancelToken.subscribe(s),n.signal&&(n.signal.aborted?s():n.signal.addEventListener("abort",s)));const g=st(n.url);g&&-1===ke.protocols.indexOf(g)?r(new ue("Unsupported protocol "+g+":",ue.ERR_BAD_REQUEST,e)):m.send(o||null)}))};const Ot=(e,t)=>{const{length:r}=e=e?e.filter(Boolean):[];if(t||r){let r,n=new AbortController;const o=function(e){if(!r){r=!0,s();const t=e instanceof Error?e:this.reason;n.abort(t instanceof ue?t:new ot(t instanceof Error?t.message:t))}};let i=t&&setTimeout((()=>{i=null,o(new ue(`timeout ${t} of ms exceeded`,ue.ETIMEDOUT))}),t);const s=()=>{e&&(i&&clearTimeout(i),i=null,e.forEach((e=>{e.unsubscribe?e.unsubscribe(o):e.removeEventListener("abort",o)})),e=null)};e.forEach((e=>e.addEventListener("abort",o)));const{signal:a}=n;return a.unsubscribe=()=>ae.asap(s),a}};var Rt=Ot;const St=function*(e,t){let r=e.byteLength;if(!t||r{const o=At(e,t);let i,s=0,a=e=>{i||(i=!0,n&&n(e))};return new ReadableStream({async pull(e){try{const{done:t,value:n}=await o.next();if(t)return a(),void e.close();let i=n.byteLength;if(r){let e=s+=i;r(e)}e.enqueue(new Uint8Array(n))}catch(t){throw a(t),t}},cancel(e){return a(e),o.return()}},{highWaterMark:2})},Tt="function"===typeof fetch&&"function"===typeof Request&&"function"===typeof Response,xt=Tt&&"function"===typeof ReadableStream,Pt=Tt&&("function"===typeof TextEncoder?(e=>t=>e.encode(t))(new TextEncoder):async e=>new Uint8Array(await new Response(e).arrayBuffer())),qt=(e,...t)=>{try{return!!e(...t)}catch(r){return!1}},Ft=xt&&qt((()=>{let e=!1;const t=new Request(ke.origin,{body:new ReadableStream,method:"POST",get duplex(){return e=!0,"half"}}).headers.has("Content-Type");return e&&!t})),Ct=65536,Nt=xt&&qt((()=>ae.isReadableStream(new Response("").body))),Ut={stream:Nt&&(e=>e.body)};Tt&&(e=>{["text","arrayBuffer","blob","formData","stream"].forEach((t=>{!Ut[t]&&(Ut[t]=ae.isFunction(e[t])?e=>e[t]():(e,r)=>{throw new ue(`Response type '${t}' is not supported`,ue.ERR_NOT_SUPPORT,r)})}))})(new Response);const kt=async e=>{if(null==e)return 0;if(ae.isBlob(e))return e.size;if(ae.isSpecCompliantForm(e)){const t=new Request(ke.origin,{method:"POST",body:e});return(await t.arrayBuffer()).byteLength}return ae.isArrayBufferView(e)||ae.isArrayBuffer(e)?e.byteLength:(ae.isURLSearchParams(e)&&(e+=""),ae.isString(e)?(await Pt(e)).byteLength:void 0)},Lt=async(e,t)=>{const r=ae.toFiniteNumber(e.getContentLength());return null==r?kt(t):r};var Bt=Tt&&(async e=>{let{url:t,method:r,data:n,signal:o,cancelToken:i,timeout:s,onDownloadProgress:a,onUploadProgress:u,responseType:l,headers:f,withCredentials:c="same-origin",fetchOptions:d}=vt(e);l=l?(l+"").toLowerCase():"text";let p,h=Rt([o,i&&i.toAbortSignal()],s);const m=h&&h.unsubscribe&&(()=>{h.unsubscribe()});let y;try{if(u&&Ft&&"get"!==r&&"head"!==r&&0!==(y=await Lt(f,n))){let e,r=new Request(t,{method:"POST",body:n,duplex:"half"});if(ae.isFormData(n)&&(e=r.headers.get("content-type"))&&f.setContentType(e),r.body){const[e,t]=ft(y,lt(ct(u)));n=_t(r.body,Ct,e,t)}}ae.isString(c)||(c=c?"include":"omit");const o="credentials"in Request.prototype;p=new Request(t,{...d,signal:h,method:r.toUpperCase(),headers:f.normalize().toJSON(),body:n,duplex:"half",credentials:o?c:void 0});let i=await fetch(p);const s=Nt&&("stream"===l||"response"===l);if(Nt&&(a||s&&m)){const e={};["status","statusText","headers"].forEach((t=>{e[t]=i[t]}));const t=ae.toFiniteNumber(i.headers.get("content-length")),[r,n]=a&&ft(t,lt(ct(a),!0))||[];i=new Response(_t(i.body,Ct,r,(()=>{n&&n(),m&&m()})),e)}l=l||"text";let g=await Ut[ae.findKey(Ut,l)||"text"](i,e);return!s&&m&&m(),await new Promise(((t,r)=>{it(t,r,{data:g,headers:tt.from(i.headers),status:i.status,statusText:i.statusText,config:e,request:p})}))}catch(g){if(m&&m(),g&&"TypeError"===g.name&&/fetch/i.test(g.message))throw Object.assign(new ue("Network Error",ue.ERR_NETWORK,e,p),{cause:g.cause||g});throw ue.from(g,g&&g.code,e,p)}});const Mt={http:ce,xhr:Et,fetch:Bt};ae.forEach(Mt,((e,t)=>{if(e){try{Object.defineProperty(e,"name",{value:t})}catch(r){}Object.defineProperty(e,"adapterName",{value:t})}}));const Dt=e=>`- ${e}`,Vt=e=>ae.isFunction(e)||null===e||!1===e;var zt={getAdapter:e=>{e=ae.isArray(e)?e:[e];const{length:t}=e;let r,n;const o={};for(let i=0;i`adapter ${e} `+(!1===t?"is not supported by the environment":"is not available in the build")));let r=t?e.length>1?"since :\n"+e.map(Dt).join("\n"):" "+Dt(e[0]):"as no adapter specified";throw new ue("There is no suitable adapter to dispatch the request "+r,"ERR_NOT_SUPPORT")}return n},adapters:Mt};function It(e){if(e.cancelToken&&e.cancelToken.throwIfRequested(),e.signal&&e.signal.aborted)throw new ot(null,e)}function Jt(e){It(e),e.headers=tt.from(e.headers),e.data=rt.call(e,e.transformRequest),-1!==["post","put","patch"].indexOf(e.method)&&e.headers.setContentType("application/x-www-form-urlencoded",!1);const t=zt.getAdapter(e.adapter||Ie.adapter);return t(e).then((function(t){return It(e),t.data=rt.call(e,e.transformResponse,t),t.headers=tt.from(t.headers),t}),(function(t){return nt(t)||(It(e),t&&t.response&&(t.response.data=rt.call(e,e.transformResponse,t.response),t.response.headers=tt.from(t.response.headers))),Promise.reject(t)}))}const Ht="1.8.4",Wt={};["object","boolean","number","function","string","symbol"].forEach(((e,t)=>{Wt[e]=function(r){return typeof r===e||"a"+(t<1?"n ":" ")+e}}));const Kt={};function $t(e,t,r){if("object"!==typeof e)throw new ue("options must be an object",ue.ERR_BAD_OPTION_VALUE);const n=Object.keys(e);let o=n.length;while(o-- >0){const i=n[o],s=t[i];if(s){const t=e[i],r=void 0===t||s(t,i,e);if(!0!==r)throw new ue("option "+i+" must be "+r,ue.ERR_BAD_OPTION_VALUE)}else if(!0!==r)throw new ue("Unknown option "+i,ue.ERR_BAD_OPTION)}}Wt.transitional=function(e,t,r){function n(e,t){return"[Axios v"+Ht+"] Transitional option '"+e+"'"+t+(r?". "+r:"")}return(r,o,i)=>{if(!1===e)throw new ue(n(o," has been removed"+(t?" in "+t:"")),ue.ERR_DEPRECATED);return t&&!Kt[o]&&(Kt[o]=!0,console.warn(n(o," has been deprecated since v"+t+" and will be removed in the near future"))),!e||e(r,o,i)}},Wt.spelling=function(e){return(t,r)=>(console.warn(`${r} is likely a misspelling of ${e}`),!0)};var Xt={assertOptions:$t,validators:Wt};const Gt=Xt.validators;class Zt{constructor(e){this.defaults=e,this.interceptors={request:new Se,response:new Se}}async request(e,t){try{return await this._request(e,t)}catch(r){if(r instanceof Error){let e={};Error.captureStackTrace?Error.captureStackTrace(e):e=new Error;const t=e.stack?e.stack.replace(/^.+\n/,""):"";try{r.stack?t&&!String(r.stack).endsWith(t.replace(/^.+\n.+\n/,""))&&(r.stack+="\n"+t):r.stack=t}catch(n){}}throw r}}_request(e,t){"string"===typeof e?(t=t||{},t.url=e):t=e||{},t=bt(this.defaults,t);const{transitional:r,paramsSerializer:n,headers:o}=t;void 0!==r&&Xt.assertOptions(r,{silentJSONParsing:Gt.transitional(Gt.boolean),forcedJSONParsing:Gt.transitional(Gt.boolean),clarifyTimeoutError:Gt.transitional(Gt.boolean)},!1),null!=n&&(ae.isFunction(n)?t.paramsSerializer={serialize:n}:Xt.assertOptions(n,{encode:Gt.function,serialize:Gt.function},!0)),void 0!==t.allowAbsoluteUrls||(void 0!==this.defaults.allowAbsoluteUrls?t.allowAbsoluteUrls=this.defaults.allowAbsoluteUrls:t.allowAbsoluteUrls=!0),Xt.assertOptions(t,{baseUrl:Gt.spelling("baseURL"),withXsrfToken:Gt.spelling("withXSRFToken")},!0),t.method=(t.method||this.defaults.method||"get").toLowerCase();let i=o&&ae.merge(o.common,o[t.method]);o&&ae.forEach(["delete","get","head","post","put","patch","common"],(e=>{delete o[e]})),t.headers=tt.concat(i,o);const s=[];let a=!0;this.interceptors.request.forEach((function(e){"function"===typeof e.runWhen&&!1===e.runWhen(t)||(a=a&&e.synchronous,s.unshift(e.fulfilled,e.rejected))}));const u=[];let l;this.interceptors.response.forEach((function(e){u.push(e.fulfilled,e.rejected)}));let f,c=0;if(!a){const e=[Jt.bind(this),void 0];e.unshift.apply(e,s),e.push.apply(e,u),f=e.length,l=Promise.resolve(t);while(c{if(!r._listeners)return;let t=r._listeners.length;while(t-- >0)r._listeners[t](e);r._listeners=null})),this.promise.then=e=>{let t;const n=new Promise((e=>{r.subscribe(e),t=e})).then(e);return n.cancel=function(){r.unsubscribe(t)},n},e((function(e,n,o){r.reason||(r.reason=new ot(e,n,o),t(r.reason))}))}throwIfRequested(){if(this.reason)throw this.reason}subscribe(e){this.reason?e(this.reason):this._listeners?this._listeners.push(e):this._listeners=[e]}unsubscribe(e){if(!this._listeners)return;const t=this._listeners.indexOf(e);-1!==t&&this._listeners.splice(t,1)}toAbortSignal(){const e=new AbortController,t=t=>{e.abort(t)};return this.subscribe(t),e.signal.unsubscribe=()=>this.unsubscribe(t),e.signal}static source(){let e;const t=new Yt((function(t){e=t}));return{token:t,cancel:e}}}var er=Yt;function tr(e){return function(t){return e.apply(null,t)}}function rr(e){return ae.isObject(e)&&!0===e.isAxiosError}const nr={Continue:100,SwitchingProtocols:101,Processing:102,EarlyHints:103,Ok:200,Created:201,Accepted:202,NonAuthoritativeInformation:203,NoContent:204,ResetContent:205,PartialContent:206,MultiStatus:207,AlreadyReported:208,ImUsed:226,MultipleChoices:300,MovedPermanently:301,Found:302,SeeOther:303,NotModified:304,UseProxy:305,Unused:306,TemporaryRedirect:307,PermanentRedirect:308,BadRequest:400,Unauthorized:401,PaymentRequired:402,Forbidden:403,NotFound:404,MethodNotAllowed:405,NotAcceptable:406,ProxyAuthenticationRequired:407,RequestTimeout:408,Conflict:409,Gone:410,LengthRequired:411,PreconditionFailed:412,PayloadTooLarge:413,UriTooLong:414,UnsupportedMediaType:415,RangeNotSatisfiable:416,ExpectationFailed:417,ImATeapot:418,MisdirectedRequest:421,UnprocessableEntity:422,Locked:423,FailedDependency:424,TooEarly:425,UpgradeRequired:426,PreconditionRequired:428,TooManyRequests:429,RequestHeaderFieldsTooLarge:431,UnavailableForLegalReasons:451,InternalServerError:500,NotImplemented:501,BadGateway:502,ServiceUnavailable:503,GatewayTimeout:504,HttpVersionNotSupported:505,VariantAlsoNegotiates:506,InsufficientStorage:507,LoopDetected:508,NotExtended:510,NetworkAuthenticationRequired:511};Object.entries(nr).forEach((([e,t])=>{nr[t]=e}));var or=nr;function ir(e){const t=new Qt(e),r=n(Qt.prototype.request,t);return ae.extend(r,Qt.prototype,t,{allOwnKeys:!0}),ae.extend(r,t,null,{allOwnKeys:!0}),r.create=function(t){return ir(bt(e,t))},r}const sr=ir(Ie);sr.Axios=Qt,sr.CanceledError=ot,sr.CancelToken=er,sr.isCancel=nt,sr.VERSION=Ht,sr.toFormData=ge,sr.AxiosError=ue,sr.Cancel=sr.CanceledError,sr.all=function(e){return Promise.all(e)},sr.spread=tr,sr.isAxiosError=rr,sr.mergeConfig=bt,sr.AxiosHeaders=tt,sr.formToJSON=e=>De(ae.isHTMLForm(e)?new FormData(e):e),sr.getAdapter=zt.getAdapter,sr.HttpStatusCode=or,sr.default=sr,e.exports=sr},91777:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(5065)),i=r(75088);function s(e,t,r,n,s){var a=[],u=e.required||!e.required&&n.hasOwnProperty(e.field);if(u){if((0,i.isEmptyValue)(t)&&!e.required)return r();o.default.required(e,t,n,a,s),void 0!==t&&(o.default.type(e,t,n,a,s),o.default.range(e,t,n,a,s))}r(a)}t["default"]=s},94135:function(e,t,r){var n=r(3999)["default"];Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=void 0;var o=n(r(71382)),i=n(r(22686)),s=n(r(24894)),a=n(r(23783)),u=n(r(70018)),l=n(r(24833)),f=n(r(91777)),c=n(r(76818)),d=n(r(66632)),p=n(r(50)),h=n(r(49233)),m=n(r(21039)),y=n(r(422)),g=n(r(57339));t["default"]={string:o.default,method:i.default,number:s.default,boolean:a.default,regexp:u.default,integer:l.default,float:f.default,array:c.default,object:d.default,enum:p.default,pattern:h.default,date:m.default,url:g.default,hex:g.default,email:g.default,required:y.default}}}]); \ No newline at end of file diff --git a/mining-pool/test/js/chunk-vendors-945ce2fe.648a91a9.js.gz b/mining-pool/test/js/chunk-vendors-945ce2fe.648a91a9.js.gz new file mode 100644 index 0000000..950e2f9 Binary files /dev/null and b/mining-pool/test/js/chunk-vendors-945ce2fe.648a91a9.js.gz differ diff --git a/mining-pool/test/sitemap-en.xml b/mining-pool/test/sitemap-en.xml index 85c3c8c..e311ba6 100644 --- a/mining-pool/test/sitemap-en.xml +++ b/mining-pool/test/sitemap-en.xml @@ -1 +1 @@ -https://m2pool.com/en2025-04-18T06:25:55.062Zdaily1.0https://m2pool.com/en/dataDisplay2025-04-18T06:25:55.062Zweekly0.8https://m2pool.com/en/ServiceTerms2025-04-18T06:25:55.062Zmonthly0.6https://m2pool.com/en/apiFile2025-04-18T06:25:55.062Zweekly0.7https://m2pool.com/en/rate2025-04-18T06:25:55.062Zweekly0.8https://m2pool.com/en/AccessMiningPool/nexaAccess2025-04-18T06:25:55.062Zweekly0.7https://m2pool.com/en/AccessMiningPool/grsAccess2025-04-18T06:25:55.062Zweekly0.7https://m2pool.com/en/AccessMiningPool/monaAccess2025-04-18T06:25:55.062Zweekly0.7https://m2pool.com/en/AccessMiningPool/dgbsAccess2025-04-18T06:25:55.062Zweekly0.7https://m2pool.com/en/AccessMiningPool/dgbqAccess2025-04-18T06:25:55.062Zweekly0.7https://m2pool.com/en/AccessMiningPool/dgboAccess2025-04-18T06:25:55.062Zweekly0.7https://m2pool.com/en/AccessMiningPool/rxdAccess2025-04-18T06:25:55.062Zweekly0.7 \ No newline at end of file +https://m2pool.com/en2025-04-22T06:17:28.553Zdaily1.0https://m2pool.com/en/dataDisplay2025-04-22T06:17:28.553Zweekly0.8https://m2pool.com/en/ServiceTerms2025-04-22T06:17:28.553Zmonthly0.6https://m2pool.com/en/apiFile2025-04-22T06:17:28.553Zweekly0.7https://m2pool.com/en/rate2025-04-22T06:17:28.553Zweekly0.8https://m2pool.com/en/AccessMiningPool/nexaAccess2025-04-22T06:17:28.553Zweekly0.7https://m2pool.com/en/AccessMiningPool/grsAccess2025-04-22T06:17:28.553Zweekly0.7https://m2pool.com/en/AccessMiningPool/monaAccess2025-04-22T06:17:28.553Zweekly0.7https://m2pool.com/en/AccessMiningPool/dgbsAccess2025-04-22T06:17:28.553Zweekly0.7https://m2pool.com/en/AccessMiningPool/dgbqAccess2025-04-22T06:17:28.553Zweekly0.7https://m2pool.com/en/AccessMiningPool/dgboAccess2025-04-22T06:17:28.553Zweekly0.7https://m2pool.com/en/AccessMiningPool/rxdAccess2025-04-22T06:17:28.553Zweekly0.7 \ No newline at end of file diff --git a/mining-pool/test/sitemap-en.xml.gz b/mining-pool/test/sitemap-en.xml.gz index 39c8802..f813aa6 100644 Binary files a/mining-pool/test/sitemap-en.xml.gz and b/mining-pool/test/sitemap-en.xml.gz differ diff --git a/mining-pool/test/sitemap-zh.xml b/mining-pool/test/sitemap-zh.xml index eb3f2da..08aee29 100644 --- a/mining-pool/test/sitemap-zh.xml +++ b/mining-pool/test/sitemap-zh.xml @@ -1 +1 @@ -https://m2pool.com/zh2025-04-18T06:25:55.043Zdaily0.7https://m2pool.com/zh/dataDisplay2025-04-18T06:25:55.052Zweekly0.7https://m2pool.com/zh/ServiceTerms2025-04-18T06:25:55.052Zmonthly0.7https://m2pool.com/zh/apiFile2025-04-18T06:25:55.052Zweekly0.7https://m2pool.com/zh/rate2025-04-18T06:25:55.052Zweekly0.7https://m2pool.com/zh/AccessMiningPool/nexaAccess2025-04-18T06:25:55.052Zweekly0.7https://m2pool.com/zh/AccessMiningPool/grsAccess2025-04-18T06:25:55.052Zweekly0.7https://m2pool.com/zh/AccessMiningPool/monaAccess2025-04-18T06:25:55.052Zweekly0.7https://m2pool.com/zh/AccessMiningPool/dgbsAccess2025-04-18T06:25:55.052Zweekly0.7https://m2pool.com/zh/AccessMiningPool/dgbqAccess2025-04-18T06:25:55.053Zweekly0.7https://m2pool.com/zh/AccessMiningPool/dgboAccess2025-04-18T06:25:55.053Zweekly0.7https://m2pool.com/zh/AccessMiningPool/rxdAccess2025-04-18T06:25:55.053Zweekly0.7 \ No newline at end of file +https://m2pool.com/zh2025-04-22T06:17:28.543Zdaily0.7https://m2pool.com/zh/dataDisplay2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/ServiceTerms2025-04-22T06:17:28.543Zmonthly0.7https://m2pool.com/zh/apiFile2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/rate2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/AccessMiningPool/nexaAccess2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/AccessMiningPool/grsAccess2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/AccessMiningPool/monaAccess2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/AccessMiningPool/dgbsAccess2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/AccessMiningPool/dgbqAccess2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/AccessMiningPool/dgboAccess2025-04-22T06:17:28.543Zweekly0.7https://m2pool.com/zh/AccessMiningPool/rxdAccess2025-04-22T06:17:28.543Zweekly0.7 \ No newline at end of file diff --git a/mining-pool/test/sitemap-zh.xml.gz b/mining-pool/test/sitemap-zh.xml.gz index 9d398ed..0ef9ad6 100644 Binary files a/mining-pool/test/sitemap-zh.xml.gz and b/mining-pool/test/sitemap-zh.xml.gz differ