Compare commits

...

4 Commits

  1. 13
      package-lock.json
  2. 2
      package.json
  3. 197
      src/mixins/tableResizeMixin copy.js
  4. 149
      src/mixins/tableResizeMixin.js
  5. 110
      src/style/theme/common.scss
  6. 60
      src/views/elementGroups.vue
  7. 806
      src/views/super/Ranking/RankBatchList copy.vue
  8. 548
      src/views/super/Ranking/RankBatchList.vue
  9. 8
      src/views/super/Ranking/RankDetail.vue
  10. 11
      src/views/super/Ranking/RankList.vue

13
package-lock.json

@ -11,8 +11,10 @@
"axios": "^1.8.3",
"core-js": "^3.40.0",
"element-ui": "^2.15.14",
"lodash-es": "^4.17.21",
"lottie-web": "^5.12.2",
"regenerator-runtime": "^0.14.1",
"resize-observer-polyfill": "^1.5.1",
"vue": "^2.6.14",
"vue-clickaway": "^2.2.2",
"vue-router": "^3.5.1",
@ -7568,6 +7570,12 @@
"integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==",
"dev": true
},
"node_modules/lodash-es": {
"version": "4.17.21",
"resolved": "https://registry.npmjs.org/lodash-es/-/lodash-es-4.17.21.tgz",
"integrity": "sha512-mKnC+QJ9pWVzv+C4/U3rRsHapFfHvQFoFB92e52xeyGMcX6/OlIl78je1u8vePzYZSkkogMPJ2yjxxsb89cxyw==",
"license": "MIT"
},
"node_modules/lodash.debounce": {
"version": "4.0.8",
"resolved": "https://registry.npmmirror.com/lodash.debounce/-/lodash.debounce-4.0.8.tgz",
@ -9695,8 +9703,9 @@
},
"node_modules/resize-observer-polyfill": {
"version": "1.5.1",
"resolved": "https://registry.npmmirror.com/resize-observer-polyfill/-/resize-observer-polyfill-1.5.1.tgz",
"integrity": "sha512-LwZrotdHOo12nQuZlHEmtuXdqGoOD0OhaxopaNFxWzInpEgaLWoVuAMbTzixuosCx2nEG58ngzW3vxdWoxIgdg=="
"resolved": "https://registry.npmjs.org/resize-observer-polyfill/-/resize-observer-polyfill-1.5.1.tgz",
"integrity": "sha512-LwZrotdHOo12nQuZlHEmtuXdqGoOD0OhaxopaNFxWzInpEgaLWoVuAMbTzixuosCx2nEG58ngzW3vxdWoxIgdg==",
"license": "MIT"
},
"node_modules/resolve": {
"version": "1.22.10",

2
package.json

@ -11,8 +11,10 @@
"axios": "^1.8.3",
"core-js": "^3.40.0",
"element-ui": "^2.15.14",
"lodash-es": "^4.17.21",
"lottie-web": "^5.12.2",
"regenerator-runtime": "^0.14.1",
"resize-observer-polyfill": "^1.5.1",
"vue": "^2.6.14",
"vue-clickaway": "^2.2.2",
"vue-router": "^3.5.1",

197
src/mixins/tableResizeMixin copy.js

@ -0,0 +1,197 @@
// 在有边框,可以进行拖拽的情况下,实现宽度跟随变化(不太行,基本pass)
import ResizeObserver from 'resize-observer-polyfill';
import {
debounce
} from 'lodash';
export default {
data() {
return {
tableResizeObserver: null,
tableWidth: 0,
isDragging: false, // 新增拖拽状态标志
lastDragTime: 0 // 记录最后一次拖拽时间
};
},
methods: {
// 销毁观察者
destroyTableResizeObserver() {
if (this.tableResizeObserver) {
this.tableResizeObserver.disconnect();
this.tableResizeObserver = null;
}
},
// 初始化监听
initTableResizeObserver(tableRef, containerRef) {
this.$nextTick(() => {
const container = containerRef ? this.$refs[containerRef] : this.$el;
if (!container) return;
this.destroyTableResizeObserver();
this.tableResizeObserver = new ResizeObserver(
debounce(entries => {
if (this.isDragging || Date.now() - this.lastDragTime < 300) return;
const entry = entries[0];
const newWidth = entry.contentRect.width;
if (Math.abs(newWidth - this.tableWidth) > 5) {
this.tableWidth = newWidth;
this.forceSyncTableLayout(tableRef);
}
}, 100)
);
this.tableResizeObserver.observe(container);
});
},
// 强制同步表头和表体布局
forceSyncTableLayout(tableRef) {
const table = this.$refs[tableRef].$refs.guiptable;
if (!table) return;
// 先获取当前实际宽度
const currentWidths = this.getCurrentColumnWidths(table);
// 计算理论宽度
const calculatedWidths = this.calculateColumnWidths();
if (!calculatedWidths) return;
this.$nextTick(() => {
// 1. 设置列定义的宽度
table.columns.forEach(column => {
const prop = column.property || column.id;
column.width = currentWidths[prop] || calculatedWidths[prop];
});
// 2. 同步DOM宽度
this.updateDOMWidths(table);
// 3. 特殊处理固定列
this.handleFixedColumns(table);
// 4. 强制重新布局(两次确保生效)
table.doLayout();
setTimeout(() => table.doLayout(), 50);
});
},
// 获取当前DOM中的实际列宽
getCurrentColumnWidths(table) {
const widths = {};
const headerCells = table.$el.querySelectorAll('.el-table__header .cell');
headerCells.forEach(cell => {
const col = cell.closest('th');
if (col && col.style.width) {
const prop = col.getAttribute('data-property') ||
col.querySelector('.cell').getAttribute('data-property');
if (prop) {
widths[prop] = parseInt(col.style.width);
}
}
});
return widths;
},
// 更新DOM元素宽度
updateDOMWidths(table) {
const headerCols = table.$el.querySelectorAll('.el-table__header col');
const bodyCols = table.$el.querySelectorAll('.el-table__body col');
const headerCells = table.$el.querySelectorAll('.el-table__header th');
const bodyCells = table.$el.querySelectorAll('.el-table__body td');
table.columns.forEach((column, index) => {
const width = column.width;
if (!width) return;
// 设置colgroup中的宽度
if (headerCols[index]) {
headerCols[index].width = width;
// headerCols[index].style.width = `${width}px`;
headerCols[index].style.setProperty('width', `${width}px`, 'important');
}
if (bodyCols[index]) {
bodyCols[index].width = width;
// bodyCols[index].style.width = `${width}px`;
bodyCols[index].style.setProperty('width', `${width}px`, 'important');
}
// 设置实际单元格宽度
if (headerCells[index]) {
// headerCells[index].style.width = `${width}px`;
headerCells[index].style.setProperty('width', `${width}px`, 'important');
headerCells[index].style.minWidth = `${width}px`;
}
if (bodyCells[index]) {
// bodyCells[index].style.width = `${width}px`;
bodyCells[index].style.setProperty('width', `${width}px`, 'important');
bodyCells[index].style.minWidth = `${width}px`;
}
});
},
// 处理固定列
handleFixedColumns(table) {
const fixedLeft = table.$el.querySelector('.el-table__fixed');
const fixedRight = table.$el.querySelector('.el-table__fixed-right');
if (fixedLeft) fixedLeft.style.height = 'auto';
if (fixedRight) fixedRight.style.height = 'auto';
},
// 处理拖拽开始
handleHeaderDragStart() {
this.isDragging = true;
},
// 处理拖拽结束
handleHeaderDragEnd(newWidth, oldWidth, column) {
this.isDragging = false;
this.lastDragTime = Date.now();
// 更新列比例配置
const table = this.$refs[Object.keys(this.$refs).find(k => k.startsWith('myTable'))];
if (!table || !this.tableWidth) return;
const availableWidth = this.tableWidth - 20;
const newRatio = newWidth / availableWidth;
// 更新当前列的ratio
if (this.columnRatios && column.property) {
this.columnRatios[column.property] = newRatio;
}
// 重新平衡其他列的比例
this.balanceColumnRatios(column.property);
},
// 平衡其他列的比例
balanceColumnRatios(changedColumnProp) {
if (!this.columnRatios) return;
const otherColumns = Object.keys(this.columnRatios)
.filter(prop => prop !== changedColumnProp);
const totalUsedRatio = Object.values(this.columnRatios).reduce((sum, r) => sum + r, 0);
const overflow = totalUsedRatio - 1;
if (overflow > 0) {
const otherTotalRatio = otherColumns.reduce((sum, prop) => sum + this.columnRatios[prop], 0);
otherColumns.forEach(prop => {
this.columnRatios[prop] -= (this.columnRatios[prop] / otherTotalRatio) * overflow;
});
}
}
}
};

149
src/mixins/tableResizeMixin.js

@ -0,0 +1,149 @@
import ResizeObserver from 'resize-observer-polyfill';
import {
debounce
} from 'lodash-es';
export default {
data() {
return {
tableResizeObserver: null,
tableWidth: 0
};
},
methods: {
// 初始化表格宽度监听
initTableResizeObserver(tableRef, containerRef) {
this.$nextTick(() => {
const container = containerRef ? this.$refs[containerRef] : this.$el;
if (!container) {
console.warn('Table container not found');
return;
}
// 先断开已有观察者
this.destroyTableResizeObserver();
this.tableResizeObserver = new ResizeObserver(
debounce(entries => {
const entry = entries[0];
const newWidth = entry.contentRect.width;
if (Math.abs(newWidth - this.tableWidth) > 5) {
this.tableWidth = newWidth;
this.syncTableColumns(tableRef);
}
}, 100)
);
try {
this.tableResizeObserver.observe(container);
} catch (err) {
console.error('Failed to observe table:', err);
}
});
},
// 同步表头和表体列宽
syncTableColumns(tableRef) {
// const table = this.$refs[tableRef];
const table = this.$refs[tableRef].$refs.guiptable;
// console.log(table, 'table====--');
if (!table) return;
let columns = table.columns;
// console.log(table,table['columns'],table.bodyWidth,'table.columns===');
// 计算各列宽度(由具体组件实现)
const columnWidths = this.calculateColumnWidths();
if (!columnWidths) return;
// console.log(columnWidths, 'table.columns===');
// 设置列宽并同步表头表体
this.$nextTick(() => {
// 设置列定义中的宽度
columns.forEach(column => {
// console.log(column.property,'columns====columns');
if (columnWidths[column.property]) {
column.width = columnWidths[column.property];
}
});
// 同步DOM元素的宽度
// const headerCols = table.$el.querySelectorAll('.el-table__header col');
// const bodyCols = table.$el.querySelectorAll('.el-table__body col');
// columns.forEach((column, index) => {
// if (columnWidths[column.property] && headerCols[index] && bodyCols[index]) {
// const width = columnWidths[column.property];
// headerCols[index].width = width;
// headerCols[index].style.setProperty('width',`${width}px`, 'important');
// // headerCols[index].style.width = `${width}px`;
// bodyCols[index].width = width;
// bodyCols[index].style.setProperty('width',`${width}px`, 'important');
// // bodyCols[index].style.width = `${width}px`;
// }
// });
// 强制表格重新布局
table.doLayout();
// this.syncFixedColumns(table);
this.$nextTick(() => {
// 3. 同步主表格
this.syncColumns(
table.$el,
columnWidths,
table.columns
);
// 4. 同步固定列
const fixedLeft = table.$el.querySelector('.el-table__fixed');
const fixedRight = table.$el.querySelector('.el-table__fixed-right');
if (fixedLeft) this.syncColumns(fixedLeft, columnWidths, table.columns);
if (fixedRight) this.syncColumns(fixedRight, columnWidths, table.columns);
// 5. 强制布局更新(需要两次nextTick确保固定列更新)
this.$nextTick(() => {
table.doLayout();
setTimeout(() => table.doLayout(), 50);
});
});
});
},
syncColumns(container, columnWidths, columns) {
const headerCols = container.querySelectorAll('.el-table__header col, [class*=-header-wrapper] col');
const bodyCols = container.querySelectorAll('.el-table__body col, [class*=-body-wrapper] col');
columns.forEach((column, index) => {
const width = columnWidths[column.property];
if (width && headerCols[index] && bodyCols[index]) {
headerCols[index].width = width;
// headerCols[index].style.width = `${width}px`;
headerCols[index].style.setProperty('width',`${width}px`, 'important');
bodyCols[index].width = width;
// bodyCols[index].style.width = `${width}px`;
bodyCols[index].style.setProperty('width',`${width}px`, 'important');
}
});
},
// 销毁观察者
destroyTableResizeObserver() {
if (this.tableResizeObserver) {
this.tableResizeObserver.disconnect();
this.tableResizeObserver = null;
}
},
// 需要组件自己实现的计算列宽方法
calculateColumnWidths() {
throw new Error('Component must implement calculateColumnWidths method');
}
},
beforeDestroy() {
this.destroyTableResizeObserver();
}
};

110
src/style/theme/common.scss

@ -151,6 +151,21 @@ body {
}
}
.custom-popover {
position: fixed !important;
max-height: 290px;
overflow-y: auto;
margin-top: 0 !important;
margin-left: 0 !important;
transform: none !important;
}
.tableHeaderSelect ::v-deep .el-input__inner{
font-size: 14px;
font-weight: normal;
letter-spacing: 0.08em;
font-family: Microsoft YaHei UI;
color: #1E2226;
}
.ellipsis{
}
@ -181,7 +196,8 @@ body {
}
.min-flex-right {
min-width: 1033px;
max-width: 1556px;
max-width: 100%;
// max-width: 1556px;
width: 84.75%;
margin: 0 auto;
.flex-common{
@ -260,6 +276,9 @@ body {
}
// end---------
//radio 发生change事件时会有报错
::v-deep .el-radio__original {
display: none !important;
@ -331,6 +350,7 @@ body {
width: 88px;
height: 33px;
border-radius: 2px;
font-size: 12px;
}
.el-button--primary,.el-button--normal{
background: #006AFF;
@ -712,7 +732,9 @@ body {
justify-content: flex-start;
}
}
.el-table__header colgroup col {
width: auto !important;
}
.form-top-icon {
display: flex;
align-items: center;
@ -730,6 +752,80 @@ body {
// table start
/* 确保单元格内容超出时显示省略号 */
// .cell-content {
// white-space: nowrap;
// overflow: hidden;
// text-overflow: ellipsis;
// max-width: 100px; /* 根据实际需要调整 */
// }
.nowrap{
white-space: nowrap !important;
overflow: hidden !important;
text-overflow: ellipsis !important;
}
/* 小屏幕下调整 */
@media screen and (max-width: 1440px) {
.el-table th.el-table__cell > .cell{
white-space: nowrap !important;
}
.cell-content {
display: inline-block;
max-width:60%;
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
.svg-icon-wrapper{
width: 12px !important;
height: 12px !important;
}
}
@media screen and (min-width: 1321px) and (max-width: 1440px){
.el-table{
th,td{
font-size: 13px !important;
}
}
body{
font-size: 13px !important;
}
.tableHeaderSelect .el-input__inner{
font-size: 13px !important;
}
}
@media screen and (max-width: 1320px){
body{
font-size: 12px !important;
}
.el-table{
th,td{
font-size: 12px !important;
}
}
.tableHeaderSelect .el-input__inner{
font-size: 12px !important;
}
}
@media screen and (min-width: 1440px) {
.el-table{
th,td{
font-size: 14px !important;
}
}
.cell-content {
white-space: normal;
max-width: none;
}
.svg-icon-wrapper{
// width: 12px !important;
// height: 12px !important;
}
}
.el-table{
min-height: 258px;
th,td{
@ -743,6 +839,10 @@ body {
}
td{
}
.el-table__header .el-input--suffix{
display: flex;
align-items: center;
}
}
.el-table--enable-row-hover .el-table__body tr:hover>td.el-table__cell {
background-color: #F6F7FA;
@ -774,7 +874,7 @@ body {
}
.el-table .el-table__cell {
padding: 18px 0;
padding: 16px 0 !important;
}
.el-table .cell {
@ -788,11 +888,13 @@ body {
// 表格行内小图标 默认隐藏
.el-table .svg-icon-wrapper{
display: none !important;
margin-left: 8px;
}
//划过时 显示
.el-table__row:hover{
.el-table .el-table__row:hover{
.svg-icon-wrapper{
display: block !important;
margin-left: 8px;
}
}
// table end

60
src/views/elementGroups.vue

@ -22,17 +22,6 @@
:multiple="true" autoColumn="true" :loading="tableLoading">
<!-- <template slot="header"> -->
<el-table-column width="180" fixed="left" label="名称(固定左)"></el-table-column>
<!-- <el-table-column prop="type">
<template slot="header">
<GuipSelect class="custom-select" v-model="chktype" :options="type2filterOptions"
defaultValue="全部检测类型" @change="changeSelectType" />
</template>
<template slot-scope="scope">
{{ type2name[scope.row.type] }}
</template>
</el-table-column> -->
<el-table-column prop="created_at" label="时间" width="200">
<template slot-scope="scope">
<div class="flex cell_render">
@ -40,11 +29,11 @@
<span :class="(scope.row.payment == '0' ? 'normal_payment' : 'self_payment')">{{
scope.row.payment
==
'0' ? '文字居中' : '文字居中' }}</span>
'0' ? '文字居中' : '文字居中' }}</span>
</GuipToolTip>
<GuipToolTip content="图标居中">
<svg-icon size="16" :path="require('@/assets/register/tableEdit.svg')" :color="'#8A9099'"
:hoverColor="'#006AFF'" />
<svg-icon :size="16" :path="require('@/assets/register/tableEdit.svg')"
:color="'#8A9099'" :hoverColor="'#006AFF'" />
</GuipToolTip>
</div>
@ -57,12 +46,12 @@
<span :class="(scope.row.payment == '0' ? 'normal_payment' : 'self_payment')">{{
scope.row.payment
==
'0' ? '单元格局中' : '单元格局中' }}</span>
<svg-icon size="16" :path="require('@/assets/register/tableEdit.svg')" :color="'#8A9099'"
:hoverColor="'#006AFF'" />
'0' ? '单元格局中' : '单元格局中' }}</span>
<svg-icon :size="16" :path="require('@/assets/register/tableEdit.svg')"
:color="'#8A9099'" :hoverColor="'#006AFF'" />
</div>
</GuipToolTip>
</GuipToolTip>
</template>
</el-table-column>
@ -82,8 +71,8 @@
</template> -->
</el-table-column>
<el-table-column prop="address" label="地址1" width="150"> </el-table-column>
<el-table-column prop="address" label="地址2" width="250"> </el-table-column>
<el-table-column prop="address" label="地址3" width="150"> </el-table-column>
<el-table-column prop="address" label="地址2" width="250"> </el-table-column>
<el-table-column prop="address" label="地址3" width="150"> </el-table-column>
<el-table-column prop="address1" label="地址测试" width="100"></el-table-column>
<el-table-column prop="price2" label="价格" width="300">
<template slot-scope="scope">
@ -218,8 +207,8 @@
</div>
<div class="ele-item">
<label for="">文字按钮</label>
<GuipButton type="text" >强引导</GuipButton>
<GuipButton type="grey" >弱引导</GuipButton>
<GuipButton type="text">强引导</GuipButton>
<GuipButton type="grey">弱引导</GuipButton>
</div>
<div class="ele-item">
<label for="">独特按钮可以自定义划过时 图标图片文字颜色</label>
@ -271,7 +260,7 @@
<label for="">提示</label>
<GuipButton type="system" @click="openMessage('success')">成功提示</GuipButton>
<GuipButton type="system" @click="openMessage('error')"> 失败提示</GuipButton>
<GuipButton type="system" @click="openMessage('info')">警告提示</GuipButton>
<GuipButton type="system" @click="openMessage('info')">警告提示</GuipButton>
</div>
<div style="width: 600px;">
@ -344,7 +333,7 @@
</GuipToolTip>
<GuipToolTip placement="bottom" effect="light" content="点击进入编辑">
<svg-icon :path="require('@/assets/register/tableEdit.svg')" :color="'#8A9099'"
:hoverColor="'#006AFF'" />
:hoverColor="'#006AFF'" />
</GuipToolTip>
</div>
@ -395,6 +384,7 @@ export default {
},
data() {
return {
tableWidth: 0,
currentPage: 1, //
pageSize: 5, //
total: 0, //
@ -556,7 +546,7 @@ export default {
label: "广州",
}
],
tableData:[],
tableData: [],
input: 'hahhahah',
defaultValue: 'asdasda',
radio: 3,
@ -605,9 +595,11 @@ export default {
}],
}
},
mounted() {
this.getList();
this.getStagePurchase()
// this.$loadingFn.show()
// setInterval(()=>{
@ -620,19 +612,20 @@ export default {
},
methods: {
openMessage(type){
openMessage(type) {
console.log(type);
//
switch(type){
switch (type) {
case 'success':
this.$Message.success('成功,文案自定义')
break;
break;
case 'error':
this.$Message.error('失败,文案自定义')
break;
break;
case 'info':
this.$Message.info('提示,文案自定义')
break;
break;
}
//
// this.$Message({
@ -666,15 +659,15 @@ export default {
type: 0,
cur_page: 1,
page_size: 5,
},{
headers:{
}, {
headers: {
'AUTH': '3c901fa4a19a7ad9d01238890863d499'
}
}).then(response => {
this.tableLoading = false
this.$nextTick(() => {
that.tableData = response.data.list
console.log(that.tableData,'---that.tableData');
console.log(that.tableData, '---that.tableData');
// that.type2name = response.data.type2name
that.total = response.data.total
})
@ -830,6 +823,7 @@ export default {
// loading
this.$store.dispatch('hideContentLoading')
}
}

806
src/views/super/Ranking/RankBatchList copy.vue

@ -0,0 +1,806 @@
<template>
<div class="demo-wrap min-flex-right">
<div class="flex-between">
<h2>{{ pageTitle }}</h2>
<CustomDropdown ref="dropdownRef" :placeholder="'('+viewDesc[this.view]+')'+text" width="280px">
<DateSelect slot="normal" :view="view" v-model="selectedDate" @update-count="handleUpdateView"
@change="handleDateChange" />
</CustomDropdown>
</div>
<div v-if="dataRank == 1 && (dataType == 'ver_type' || dataType == 'check_type')"
style="margin-bottom: 20px;text-align: left">
<el-alert type="info" :closable="false" show-icon>
<template #title>
未计成本
</template>
<div style="margin-top: 8px; line-height: 1.6; font-size: 14px; color: #606266;">
<template v-if="dataType == 'ver_type'">
1. AI服务器成本 <span v-if="view == 'year'" style="color:red;">2025年后计入成本</span><br />
2. Turnitin <span v-if="view == 'year'" style="color:red;">2025年后计入成本</span><br />
3. 学术知网PMLC硕博VIP<span v-if="view == 'year'" style="color:red;">2025年后计入成本</span><br />
</template>
<template v-if="dataType == 'check_type'">
1. AI服务器成本<br />
2. Turnitin国际版TurnitinUK版Turnitin国际版+AI<br />
3. 知网PMLC硕博VIP <span v-if="view == 'year'" style="color:red;">2025年后计入成本</span><br />
</template>
</div>
</el-alert>
</div>
<div class=" flex-common" id="">
<el-form>
<div class="table-container" ref="tableContainer">
<!-- @cell-mouse-enter="handleRowHover" -->
<GuipTable :tableData="tableData" style="width: 100%;" @sort-change="handleSortChange"
ref="elTable" :loading="tableLoading">
<el-table-column prop="sort" label="排序" show-overflow-tooltip></el-table-column>
<el-table-column
v-if="(dataRank == 1 || dataRank == 2) && (dataType == 'ver_type' || dataType == 'check_type')"
prop="name" :key="selectedType" :label="type_select[selectedType]">
<template slot="header">
<el-select class="custom-select tableHeaderSelect" height="34px" popper-class="custom-select-dropdown"
v-model="selectedType" @change="changeRankType">
<el-option v-for="(item,type) in type_select" :key="type" :label="item"
:value="type">
</el-option>
</el-select>
</template>
<template slot-scope="scope">
<GuipToolTip :content="scope.row.name">
<div class="cell-content nowrap">{{ scope.row.name }}</div>
</GuipToolTip>
</template>
</el-table-column>
<el-table-column v-else prop="name" :label="type_desc[dataType]">
<template slot-scope="scope">
<GuipToolTip :content="scope.row.name">
<div class="cell-content nowrap">{{ scope.row.name }}</div>
</GuipToolTip>
</template>
</el-table-column>
<el-table-column v-for="(field, index) in valueFields" :key="field"
:label="labels[index] + (index == 3 ? current_month : '')" :prop="'value_' + String(index + 1)"
sortable="custom">
<!--产品利润排行展示查看更多-->
<template v-slot="{ row, $index }" v-if="index == 3 && dataRank == 1">
<el-popover popper-class="custom-popover" v-model="row.id_popover" placement="top" trigger="manual"
:ref="`popover-${row.id}`" :visible-arrow="true" :append-to-body="false" @show="popshow">
<div v-if="type != 'agent'" class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }}
<span class="lookMore" @click="goLookMoreData(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="value_1" width="200" label="日期"></el-table-column>
<el-table-column width="200" :label="rank_type_desc[dataRank]">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.value_2 }}
</div>
</template>
</el-table-column>
</el-table>
</div>
<div v-else class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }}
<span class="lookMore" @click="goLookCheckTypeRank(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="sort" width="95" label="排序"></el-table-column>
<el-table-column prop="name" width="250" label="服务名称"></el-table-column>
<el-table-column prop="rate" width="130" label="毛利占比">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.rate }} %
</div>
</template>
</el-table-column>
<el-table-column width="150" :label="rank_type_desc[dataRank]">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.value_1 }}
</div>
</template>
</el-table-column>
<el-table-column prop="value_2" width="130" label="订单数"></el-table-column>
</el-table>
</div>
<div class="flex" slot="reference">
{{ row[field] }}
<svg-icon :size="16" :path="require('@/assets/super/list-detail.svg')"
:color="'#8A9099'" :hoverColor="'#006AFF'"
@click="handleClick(row, $index, 'id')" />
</div>
</el-popover>
</template>
<template v-else slot-scope="scope">
<div class="flex">
{{ scope.row[field] }}
</div>
</template>
</el-table-column>
<!--产品利润排行展示代理商排行-->
<el-table-column v-if="dataRank == 1 && (dataType == 'ver_type' || dataType == 'check_type')"
key="top" prop="id" :label="'代理商排行'+current_month" :width="valueFields.id">
<template v-slot="{ row, $index }">
<el-popover v-model="row.id_popover_2" :append-to-body="false"
popper-class="custom-popover" trigger="manual" :visible-arrow="true"
:ref="`popover_2-${row.id}`" @show="popshow">
<div class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ row.name }} 代理商排行
<span class="lookMore" @click="goLookAgentRank(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="sort" width="100" label="排行"></el-table-column>
<el-table-column prop="name" width="200" label="代理商"></el-table-column>
<el-table-column prop="value_1" width="200" label="销售额"></el-table-column>
</el-table>
</div>
<div slot="reference">
<GuipToolTip :content="' No.1 '+top_list[row.id]['name']"
v-if="top_list[row.id]">
<div class="flex">
<span class="cell-content nowrap"> No.1 {{ top_list[row.id]['name']
}}</span>
<svg-icon :size="16" :path="require('@/assets/super/list-detail.svg')"
:color="'#8A9099'" :hoverColor="'#006AFF'"
@click="handleClick2(row, $index, 'id')" />
</div>
</GuipToolTip>
<span class="cell-content" v-else>暂无排行</span>
</div>
</el-popover>
</template>
</el-table-column>
</GuipTable>
</div>
<el-pagination background @size-change='handleSizeChange' @current-change='handleCurrentChange'
:current-page="currentPage" :page-size=pageSize layout="prev, pager, next,jumper" :total="total">
</el-pagination>
</el-form>
</div>
</div>
</template>
<script>
import DateSelect from '@/components/super/DateSelect.vue';
import CustomDropdown from '@/components/CustomDropdown.vue';
import GuipTable from '@/components/GuipTable.vue';
import GuipToolTip from '@/components/GuipToolTip.vue';
import SvgIcon from '@/components/SvgIcon.vue';
import tableResizeMixin from '@/mixins/tableResizeMixin'
export default {
name: 'rank_batch_list',
mixins: [tableResizeMixin],
props: {
pageTitle: {
type: String,
default: ''
},
rank_type: {
type: Number,
default: 0
},
type: {
type: String,
default: ''
}
},
components: {
// HoverImage,
GuipToolTip,
DateSelect,
GuipTable,
SvgIcon,
CustomDropdown
},
data() {
return {
popoverRefs: {},
resizePending: false,
resizeObserver: null,
viewDesc: {
'month': '月份',
'monthTwo': '月份',
'year': '年份',
},
rank_type_desc: {
1: '毛利润',
2: '订单数',
3: '退单数',
4: '充值金额',
},
type_desc: {
'agent': '代理商昵称',
'ver_type': '品牌名称',
'check_type': '服务名称',
},
type_select: {
'ver_type': '按品牌名称',
'check_type': '按服务名称',
},
tableWidth: 0,
//
columnRatios: {
sort: 0.08, // 20%
name: 0.12, // 30%
value_1: 0.14, // 50%
value_2: 0.14, // 50%
value_3: 0.16, // 50%
value_4: 0.18, // 50%
id: 0.18 // 50%
},
//
minWidths: {
name: 120, // 30%
sort: 90, // 20%
value_1: 120, // 50%
value_2: 120, // 50%
value_3: 120, // 50%
value_4: 120, // 50%
id: 120 // 50%
},
selectedType: 'check_type',
view: 'month',
labels: ['', '', '', ''],
current_month: '',
valueFields: ['value_1', 'value_2', 'value_3', 'value_4'],
currentPage: 1, //
pageSize: 20, //
total: 0, //
sort_by: 4,
sort_order: 2,
text: '',//
selectedDate: new Date(),//
dataType: '',
dataRank: '',
tableData: [],
top_list: [],
tableData1: [],
show_detail_index: 0,
tableLoading:false
}
},
mounted() {
this.init()
this.$nextTick(() => {
this.initTableResizeObserver('elTable', 'tableContainer')
});
},
watch: {
'$route'() {
this.init()
}
},
methods: {
handleHeaderDragStart() {
this.$options.methods.handleHeaderDragStart.call(this);
},
handleHeaderDragEnd(newWidth, oldWidth, column) {
this.$options.methods.handleHeaderDragEnd.call(this, newWidth, oldWidth, column);
},
//
calculateColumnWidths() {
if (!this.tableWidth) return {};
const availableWidth = this.tableWidth ;
const widths = {};
Object.keys(this.columnRatios).forEach(prop => {
const calculatedWidth = Math.floor(availableWidth * this.columnRatios[prop]);
// acc[key] = Math.max(calculatedWidth, this.minWidths[key]);
widths[prop] = Math.max(
Math.floor(calculatedWidth, this.minWidths[prop]),
80 //
);
});
return widths;
},
init() {
document.title = this.pageTitle;
this.text = this.getNowDate()
this.dataType = this.type
this.dataRank = this.rank_type
this.getRankingData();
},
handleUpdateView(newView) {
this.view = newView;
},
getNowDate() {
const now = new Date();
const year = now.getFullYear();
const month = String(now.getMonth() + 1).padStart(2, '0'); // 0
const currentYearMonth = `${year}-${month}`;
return `${currentYearMonth}`
},
getDate(dateStr) {
const date = new Date(dateStr);
const year = date.getFullYear(); // 2025
const month = date.getMonth() + 1; // 3 (3)
if (this.view == 'year') {
return `${year}`
} else {
return `${year}-${month}`
}
},
handleDateChange(date) {
this.text = this.getDate(date)
this.selectedDate = date;
localStorage.setItem('date', JSON.stringify(date))
this.$refs.dropdownRef.closeDropdown();
this.currentPage = 1;
this.getRankingData()
},
goLookMoreData(id) {
let query = {}
query.date = this.text
query.rank_type = this.dataRank
if (this.dataType == 'agent') {
query.aid = id
}
if (this.dataType == 'ver_type') {
query.ver_type = id
}
if (this.dataType == 'check_type') {
query.check_type = id
}
window.open(this.$router.resolve({
path: '/super/ranking/detail',
query: query
}).href, '_blank')
},
goLookAgentRank(id) {
let query = {}
query.date = this.text
query.rank_type = this.dataRank
query.type = 'agent'
if (this.dataType == 'ver_type') {
query.ver_type = id
}
if (this.dataType == 'check_type') {
query.check_type = id
}
window.open(this.$router.resolve({
path: '/super/ranking/list',
query: query
}).href, '_blank')
},
goLookCheckTypeRank(id) {
let query = {}
query.date = this.text
query.rank_type = this.dataRank
query.type = 'check_type'
query.aid = id
window.open(this.$router.resolve({
path: '/super/ranking/list',
query: query
}).href, '_blank')
},
closePop(row, type) {
row[type + '_popover'] = false;
row[type + '_popover_2'] = false;
},
setPopoverRef(id, el) {
if (el) {
this.popoverRefs[id] = el
}
},
getPopoverRef(id) {
return this.popoverRefs[id]
},
handleClick(row, index, type) {
//
this.tableData.forEach((item, i) => {
item[type + '_popover_2'] = false;
if (i !== index) {
item[type + '_popover'] = false;
}
});
// //
row[type + '_popover'] = true;
let obj = {}
if (this.dataType == 'agent') {
obj.aid = row.id
}
if (this.dataType == 'ver_type') {
obj.ver_type = row.id
}
if (this.dataType == 'check_type') {
obj.check_type = row.id
}
if (this.dataType == 'agent') {
let obj = {}
obj.aid = row.id
this.getCheckTypeRankingList(obj);
} else {
this.getRankingDetail(obj);
}
},
handleClick2(row, index, type) {
//
this.tableData.forEach((item, i) => {
item[type + '_popover'] = false;
if (i !== index) {
item[type + '_popover_2'] = false;
}
});
//
row[type + '_popover_2'] = true;
let obj = {}
if (this.dataType == 'agent') {
obj.aid = row.id
}
if (this.dataType == 'ver_type') {
obj.ver_type = row.id
}
if (this.dataType == 'check_type') {
obj.check_type = row.id
}
this.getAgentRankingList(obj);
},
popshow() {
var ariaEls = document.querySelectorAll('.el-popover')
ariaEls.forEach((item) => {
item.removeAttribute('aria-hidden')
})
ariaEls = document.querySelectorAll('.el-radio__original')
ariaEls.forEach((item) => {
item.removeAttribute('aria-hidden')
})
},
handleSortChange({ prop, order }) {
this.sort_by = 4;
this.sort_order = 2;
if (order == 'ascending') {
this.sort_by = prop;
this.sort_order = 1;
}
if (order == 'descending') {
this.sort_by = prop;
this.sort_order = 2;
}
this.currentPage = 1;
this.getRankingData()
},
handleRowHover(row) {
this.show_detail_index = row.sort
},
changeRankType() {
this.dataType = this.selectedType
this.getRankingData()
},
getRankingData() {
this.setLabelText();
if (this.dataType == 'agent') {
this.getAgentRanking()
}
if (this.dataType == 'ver_type') {
this.getVerRanking()
}
if (this.dataType == 'check_type') {
this.getTypeRanking()
}
},
setLabelText() {
const date = new Date(this.text);
const year = date.getFullYear();
const month = date.getMonth() + 1;
const currentYear = new Date().getFullYear();
const currentMonth = new Date().getMonth() + 1;
this.current_month = '';
if (this.view === 'month' && year == currentYear && month == currentMonth) {
this.current_month = '(当月)';
}
this.labels = [];
if (this.view === 'year') {
for (let i = 3; i >= 0; i--) {
this.labels.push((year - i) + '年' + this.rank_type_desc[this.dataRank]);
}
} else {
const monthLabels = [];
for (let i = 3; i >= 0; i--) {
let m = month - i;
if (m <= 0) m += 12;
monthLabels.push(m + '月' + this.rank_type_desc[this.dataRank]);
}
this.labels = monthLabels;
}
},
getAgentRanking() {
//
const that = this
that.tableData = []
this.$http('POST', '/supernew/ajax_get_agent_batch_list', {
date: that.text,
rank_type: that.dataRank,
sort_by: that.sort_by,
sort_order: that.sort_order,
cur_page: that.currentPage,
page_size: that.pageSize,
}).then(response => {
this.$nextTick(() => {
that.tableData = response.data.list
that.total = response.data.total
})
}).catch(error => {
console.error(error, 'error')
})
},
getVerRanking() {
//
const that = this
that.tableData = []
that.top_list = []
this.$http('POST', '/supernew/ajax_get_ver_batch_list', {
date: that.text,
rank_type: that.dataRank,
sort_by: that.sort_by,
sort_order: that.sort_order,
cur_page: that.currentPage,
page_size: that.pageSize,
}).then(response => {
this.$nextTick(() => {
that.tableData = response.data.list
that.top_list = response.data.top_list
that.total = response.data.total
})
}).catch(error => {
console.error(error, 'error')
})
},
async getTypeRanking() {
//
const that = this
that.tableData = [
{
id: 6,
name: "维普大学生版",
sort: 12334234232,
value_1: "23754.25",
value_2: "43012.15",
value_3: "61869.09",
value_4: "425537.45"
},
{
id: 94,
name: "AI中文范文",
sort: 2,
value_1: "8839.00",
value_2: "50174.00",
value_3: "120911.00",
value_4: "158772.50"
},
{
id: 61,
name: "维普大学生版",
sort: 11,
value_1: "23754.25",
value_2: "43012.15",
value_3: "61869.09",
value_4: "425537.45"
},
{
id: 941,
name: "AI中文范文",
sort: 21,
value_1: "8839.00",
value_2: "50174.00",
value_3: "120911.00",
value_4: "158772.50"
},
{
id: 62,
name: "维普大学生版",
sort: 12,
value_1: "23754.25",
value_2: "43012.15",
value_3: "61869.09",
value_4: "425537.45"
},
{
id: 942,
name: "AI中文范文",
sort: 22,
value_1: "8839.00",
value_2: "50174.00",
value_3: "120911.00",
value_4: "158772.50"
},
{
id: 63,
name: "维普大学生版",
sort: 13,
value_1: "23754.25",
value_2: "43012.15",
value_3: "61869.09",
value_4: "425537.45"
},
{
id: 943,
name: "AI中文范文",
sort: 23,
value_1: "8839.00",
value_2: "50174.00",
value_3: "120911.00",
value_4: "158772.50"
},
]
that.top_list = {
6: {
id: "6",
name: "千校论文查重平台",
value_1: "214535.80"
},
94: {
id: "94",
name: "尚志教育",
value_1: "149840.50"
},
61: {
id: "61",
name: "千校论文查重平台",
value_1: "214535.80"
},
941: {
id: "941",
name: "尚志教育",
value_1: "149840.50"
},
62: {
id: "62",
name: "千校论文查重平台",
value_1: "214535.80"
},
942: {
id: "942",
name: "尚志教育",
value_1: "149840.50"
},
}
// this.$http('POST', '/supernew/ajax_get_type_batch_list', {
// date: that.text,
// rank_type: that.dataRank,
// sort_by: that.sort_by,
// sort_order: that.sort_order,
// cur_page: that.currentPage,
// page_size: that.pageSize,
// }).then(response => {
// this.$nextTick(() => {
// that.tableData = response.data.list
// that.top_list = response.data.top_list
// that.total = response.data.total
// })
// }).catch(error => {
// console.error(error, 'error')
// })
},
getRankingDetail(obj) {
const that = this
that.tableData1 = []
this.$http('POST', '/supernew/ajax_get_rank_detail', {
date: that.text,
rank_type: that.dataRank,
sort_by: 2,
sort_order: 2,
...obj
}).then(response => {
this.$nextTick(() => {
that.tableData1 = response.data.list.slice(0, 5)
})
}).catch(error => {
console.error(error, 'error')
})
},
getAgentRankingList(obj) {
const that = this
that.tableData1 = []
this.$http('POST', '/supernew/ajax_get_agent_rank_list', {
date: that.text,
rank_type: that.dataRank,
cur_page: 1,
page_size: 5,
...obj
}).then(response => {
this.$nextTick(() => {
that.tableData1 = response.data.list
})
}).catch(error => {
console.error(error, 'error')
})
},
getCheckTypeRankingList(obj) {
const that = this
that.tableData1 = []
this.$http('POST', '/supernew/ajax_get_type_rank_list', {
date: that.text,
rank_type: that.dataRank,
cur_page: 1,
page_size: 5,
...obj
}).then(response => {
this.$nextTick(() => {
that.tableData1 = response.data.list.slice(0, 5)
})
}).catch(error => {
console.error(error, 'error')
})
},
handleSizeChange(val) {
this.pageSize = val
this.getRankingData()
},
handleCurrentChange(val) {
this.currentPage = val
this.getRankingData()
},
},
beforeDestory() {
if (this.resizeObserver) {
this.resizeObserver.disconnect();
}
}
}
</script>
<style scoped lang="scss">
.lookMore {
cursor: pointer;
font-weight: 400;
}
.table-container {
width: 100%;
overflow: hidden;
}
.tableHeaderSelect ::v-deep .el-input__inner {
font-size: 14px;
font-weight: normal;
letter-spacing: 0.08em;
font-family: Microsoft YaHei UI;
color: #1E2226;
}
</style>

548
src/views/super/Ranking/RankBatchList.vue

@ -2,17 +2,13 @@
<div class="demo-wrap min-flex-right">
<div class="flex-between">
<h2>{{ pageTitle }}</h2>
<CustomDropdown ref="dropdownRef"
:placeholder="'('+viewDesc[this.view]+')'+text"
width="280px">
<DateSelect slot="normal"
:view="view"
v-model="selectedDate"
@update-count="handleUpdateView"
@change="handleDateChange"/>
<CustomDropdown ref="dropdownRef" :placeholder="'('+viewDesc[this.view]+')'+text" width="280px">
<DateSelect slot="normal" :view="view" v-model="selectedDate" @update-count="handleUpdateView"
@change="handleDateChange" />
</CustomDropdown>
</div>
<div v-if="dataRank == 1 && (dataType == 'ver_type' || dataType == 'check_type')" style="margin-bottom: 20px;text-align: left">
<div v-if="dataRank == 1 && (dataType == 'ver_type' || dataType == 'check_type')"
style="margin-bottom: 20px;text-align: left">
<el-alert type="info" :closable="false" show-icon>
<template #title>
未计成本
@ -33,162 +29,162 @@
</div>
<div class=" flex-common" id="">
<el-form>
<el-table :data="tableData"
style="width: 100%"
@sort-change="handleSortChange"
@cell-mouse-enter="handleRowHover">
<div class="table-container" ref="tableContainer">
<!-- @cell-mouse-enter="handleRowHover" -->
<GuipTable :tableData="tableData" style="width: 100%;" @sort-change="handleSortChange"
ref="elTable" :loading="tableLoading">
<el-table-column prop="sort" label="排序" show-overflow-tooltip></el-table-column>
<el-table-column
v-if="(dataRank == 1 || dataRank == 2) && (dataType == 'ver_type' || dataType == 'check_type')"
prop="name" :key="selectedType" :label="type_select[selectedType]">
<el-table-column prop="sort" label="排序" width="95"></el-table-column>
<template slot="header">
<el-select class="custom-select tableHeaderSelect" height="34px" popper-class="custom-select-dropdown"
v-model="selectedType" @change="changeRankType">
<el-option v-for="(item,type) in type_select" :key="type" :label="item"
:value="type">
</el-option>
</el-select>
</template>
<el-table-column
v-if="(dataRank == 1 || dataRank == 2) && (dataType == 'ver_type' || dataType == 'check_type')"
prop="name"
:key="selectedType"
:label="type_select[selectedType]" width="250">
<template slot-scope="scope">
<GuipToolTip :content="scope.row.name">
<div class="cell-content nowrap">{{ scope.row.name }}</div>
</GuipToolTip>
</template>
<template slot="header">
<el-select class="custom-select" popper-class="custom-select-dropdown" v-model="selectedType" @change="changeRankType">
<el-option v-for="(item,type) in type_select"
:key="type"
:label="item"
:value="type">
</el-option>
</el-select>
</template>
</el-table-column>
<el-table-column v-else prop="name" :label="type_desc[dataType]">
<template slot-scope="scope">
<GuipToolTip :content="scope.row.name">
<div class="cell-content nowrap">{{ scope.row.name }}</div>
</GuipToolTip>
</template>
<template slot-scope="scope">
{{ scope.row.name }}
</template>
</el-table-column>
</el-table-column>
<el-table-column v-else prop="name" :label="type_desc[dataType]" width="250"></el-table-column>
<el-table-column v-for="(field, index) in valueFields" :key="field"
:label="labels[index] + (index == 3 ? current_month : '')" :prop="'value_' + String(index + 1)"
sortable="custom">
<el-table-column v-for="(field, index) in valueFields"
:key="field"
:label="labels[index] + (index == 3 ? current_month : '')"
:prop="String(index + 1)"
sortable="custom">
<!--产品利润排行展示查看更多-->
<template v-slot="{ row, $index }" v-if="index == 3 && dataRank == 1">
<el-popover popper-class="custom-popover" v-model="row.id_popover" placement="top" trigger="manual"
:ref="`popover-${row.id}`" :visible-arrow="true" :append-to-body="false" @show="popshow">
<!--产品利润排行展示查看更多-->
<template v-if="index == 3 && dataRank == 1" v-slot="{ row, $index }">
<el-popover v-model="row.id_popover"
placement="top"
trigger="manual"
:ref="`popover-${$index}`"
@show="popshow">
<div v-if="type != 'agent'" class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }}
<span class="lookMore" @click="goLookMoreData(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="value_1" width="200" label="日期"></el-table-column>
<div v-if="type != 'agent'" class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }}
<span @click="goLookMoreData(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
<el-table-column width="200" :label="rank_type_desc[dataRank]">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.value_2 }}
</div>
</template>
</el-table-column>
</el-table>
</div>
<div v-else class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }}
<span class="lookMore" @click="goLookCheckTypeRank(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="sort" width="95" label="排序"></el-table-column>
<el-table-column prop="name" width="250" label="服务名称"></el-table-column>
<el-table-column prop="rate" width="130" label="毛利占比">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.rate }} %
</div>
</template>
</el-table-column>
<el-table-column width="150" :label="rank_type_desc[dataRank]">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.value_1 }}
</div>
</template>
</el-table-column>
<el-table-column prop="value_2" width="130" label="订单数"></el-table-column>
</el-table>
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="value_1" width="200" label="日期"></el-table-column>
<el-table-column width="200" :label="rank_type_desc[dataRank]">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.value_2 }}
</div>
</template>
</el-table-column>
</el-table>
</div>
<div v-else class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }}
<span @click="goLookCheckTypeRank(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
<div class="flex" slot="reference">
{{ row[field] }}
<svg-icon :size="16" :path="require('@/assets/super/list-detail.svg')"
:color="'#8A9099'" :hoverColor="'#006AFF'"
@click="handleClick(row, $index, 'id')" />
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="sort" width="95" label="排序"></el-table-column>
<el-table-column prop="name" width="250" label="服务名称"></el-table-column>
<el-table-column prop="rate" width="130" label="毛利占比">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.rate }} %
</div>
</template>
</el-table-column>
<el-table-column width="150" :label="rank_type_desc[dataRank]">
<template slot-scope="scope">
<div class="flex">
{{ scope.row.value_1 }}
</div>
</template>
</el-table-column>
<el-table-column prop="value_2" width="130" label="订单数"></el-table-column>
</el-table>
</el-popover>
</template>
<template v-else slot-scope="scope">
<div class="flex">
{{ scope.row[field] }}
</div>
</template>
</el-table-column>
<div class="flex" slot="reference">
{{ row[field] }}
<HoverImage v-if="show_detail_index == row.sort && row[field] > 0"
@click="handleClick(row, $index, 'id')"
:normal="require('@/assets/super/list-detail.svg')"
:hover="require('@/assets/super/list-detail-hover.svg')"/>
</div>
</el-popover>
</template>
<template v-else slot-scope="scope">
<div class="flex">
{{ scope.row[field] }}
</div>
</template>
</el-table-column>
<!--产品利润排行展示代理商排行-->
<el-table-column v-if="dataRank == 1 && (dataType == 'ver_type' || dataType == 'check_type')"
key="top" prop="id" :label="'代理商排行'+current_month" :width="valueFields.id">
<template v-slot="{ row, $index }">
<el-popover v-model="row.id_popover_2" :append-to-body="false"
popper-class="custom-popover" trigger="manual" :visible-arrow="true"
:ref="`popover_2-${row.id}`" @show="popshow">
<div class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ row.name }} 代理商排行
<span class="lookMore" @click="goLookAgentRank(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="sort" width="100" label="排行"></el-table-column>
<el-table-column prop="name" width="200" label="代理商"></el-table-column>
<el-table-column prop="value_1" width="200" label="销售额"></el-table-column>
</el-table>
</div>
<div slot="reference">
<GuipToolTip :content="' No.1 '+top_list[row.id]['name']"
v-if="top_list[row.id]">
<div class="flex">
<span class="cell-content nowrap"> No.1 {{ top_list[row.id]['name']
}}</span>
<svg-icon :size="16" :path="require('@/assets/super/list-detail.svg')"
:color="'#8A9099'" :hoverColor="'#006AFF'"
@click="handleClick2(row, $index, 'id')" />
</div>
</GuipToolTip>
<!--产品利润排行展示代理商排行-->
<el-table-column v-if="dataRank == 1 && (dataType == 'ver_type' || dataType == 'check_type')" key="top" prop="top" :label="'代理商排行'+current_month" width="250">
<template v-slot="{ row, $index }">
<el-popover v-model="row.id_popover_2"
placement="top"
trigger="manual"
:ref="`popover_2-${$index}`"
@show="popshow">
<div class="pop-wrap">
<div class="flex-between flex pop-top">
<h3>
{{ row.name }} 代理商排行
<span @click="goLookAgentRank(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
</span>
<span class="cell-content" v-else>暂无排行</span>
</div>
<el-table :data="tableData1" style="width: 100%">
<el-table-column prop="sort" width="100" label="排行"></el-table-column>
<el-table-column prop="name" width="200" label="代理商"></el-table-column>
<el-table-column prop="value_1" width="200" label="销售额"></el-table-column>
</el-table>
</div>
<span v-if="top_list[row.id]" slot="reference">
No.1 {{ top_list[row.id]['name'] }}
<HoverImage v-if="show_detail_index == row.sort"
@click="handleClick2(row, $index, 'id')"
:normal="require('@/assets/super/list-detail.svg')"
:hover="require('@/assets/super/list-detail-hover.svg')"/>
</span>
<span v-else slot="reference">暂无排行</span>
</el-popover>
</template>
</el-table-column>
</el-table>
<el-pagination background
@size-change='handleSizeChange'
@current-change='handleCurrentChange'
:current-page="currentPage"
:page-size=pageSize
layout="prev, pager, next,jumper"
:total="parseInt(total)">
</el-popover>
</template>
</el-table-column>
</GuipTable>
</div>
<el-pagination background @size-change='handleSizeChange' @current-change='handleCurrentChange'
:current-page="currentPage" :page-size=pageSize layout="prev, pager, next,jumper" :total="total">
</el-pagination>
</el-form>
</div>
@ -196,11 +192,14 @@
</template>
<script>
import DateSelect from '@/components/super/DateSelect.vue';
import HoverImage from '@/components/super/HoverImage.vue';
import CustomDropdown from '@/components/CustomDropdown.vue';
import GuipTable from '@/components/GuipTable.vue';
import GuipToolTip from '@/components/GuipToolTip.vue';
import SvgIcon from '@/components/SvgIcon.vue';
import tableResizeMixin from '@/mixins/tableResizeMixin'
export default {
name: 'rank_batch_list',
mixins: [tableResizeMixin],
props: {
pageTitle: {
type: String,
@ -216,12 +215,19 @@ export default {
}
},
components: {
HoverImage,
// HoverImage,
GuipToolTip,
DateSelect,
GuipTable,
SvgIcon,
CustomDropdown
},
data() {
return {
popoverRefs: {},
resizePending: false,
resizeObserver: null,
viewDesc: {
'month': '月份',
'monthTwo': '月份',
@ -242,10 +248,31 @@ export default {
'ver_type': '按品牌名称',
'check_type': '按服务名称',
},
tableWidth: 0,
//
columnRatios: {
sort: 0.08, // 20%
name: 0.12, // 30%
value_1: 0.14, // 50%
value_2: 0.14, // 50%
value_3: 0.16, // 50%
value_4: 0.18, // 50%
id: 0.18 // 50%
},
//
minWidths: {
name: 120, // 30%
sort: 90, // 20%
value_1: 120, // 50%
value_2: 120, // 50%
value_3: 120, // 50%
value_4: 120, // 50%
id: 120 // 50%
},
selectedType: 'check_type',
view: 'month',
labels: ['', '', '', ''],
current_month:'',
current_month: '',
valueFields: ['value_1', 'value_2', 'value_3', 'value_4'],
currentPage: 1, //
pageSize: 20, //
@ -260,18 +287,46 @@ export default {
top_list: [],
tableData1: [],
show_detail_index: 0,
tableLoading:false
}
},
mounted() {
this.init()
this.$nextTick(() => {
this.initTableResizeObserver('elTable', 'tableContainer')
});
},
computed: {},
watch: {
'$route'() {
this.init()
}
},
methods: {
handleHeaderDragStart() {
this.$options.methods.handleHeaderDragStart.call(this);
},
handleHeaderDragEnd(newWidth, oldWidth, column) {
this.$options.methods.handleHeaderDragEnd.call(this, newWidth, oldWidth, column);
},
//
calculateColumnWidths() {
if (!this.tableWidth) return {};
const availableWidth = this.tableWidth ;
const widths = {};
Object.keys(this.columnRatios).forEach(prop => {
const calculatedWidth = Math.floor(availableWidth * this.columnRatios[prop]);
// acc[key] = Math.max(calculatedWidth, this.minWidths[key]);
widths[prop] = Math.max(
Math.floor(calculatedWidth, this.minWidths[prop]),
80 //
);
});
return widths;
},
init() {
document.title = this.pageTitle;
@ -360,6 +415,14 @@ export default {
row[type + '_popover'] = false;
row[type + '_popover_2'] = false;
},
setPopoverRef(id, el) {
if (el) {
this.popoverRefs[id] = el
}
},
getPopoverRef(id) {
return this.popoverRefs[id]
},
handleClick(row, index, type) {
//
this.tableData.forEach((item, i) => {
@ -368,7 +431,7 @@ export default {
item[type + '_popover'] = false;
}
});
//
// //
row[type + '_popover'] = true;
let obj = {}
@ -381,11 +444,11 @@ export default {
if (this.dataType == 'check_type') {
obj.check_type = row.id
}
if(this.dataType == 'agent'){
if (this.dataType == 'agent') {
let obj = {}
obj.aid = row.id
this.getCheckTypeRankingList(obj);
}else{
} else {
this.getRankingDetail(obj);
}
},
@ -423,7 +486,7 @@ export default {
item.removeAttribute('aria-hidden')
})
},
handleSortChange({prop, order}) {
handleSortChange({ prop, order }) {
this.sort_by = 4;
this.sort_order = 2;
if (order == 'ascending') {
@ -466,7 +529,7 @@ export default {
const currentMonth = new Date().getMonth() + 1;
this.current_month = '';
if(this.view === 'month' && year == currentYear && month == currentMonth){
if (this.view === 'month' && year == currentYear && month == currentMonth) {
this.current_month = '(当月)';
}
@ -528,27 +591,132 @@ export default {
console.error(error, 'error')
})
},
getTypeRanking() {
async getTypeRanking() {
//
const that = this
that.tableData = []
that.top_list = []
this.$http('POST', '/supernew/ajax_get_type_batch_list', {
date: that.text,
rank_type: that.dataRank,
sort_by: that.sort_by,
sort_order: that.sort_order,
cur_page: that.currentPage,
page_size: that.pageSize,
}).then(response => {
this.$nextTick(() => {
that.tableData = response.data.list
that.top_list = response.data.top_list
that.total = response.data.total
})
}).catch(error => {
console.error(error, 'error')
})
that.tableData = [
{
id: 6,
name: "维普大学生版",
sort: 12334234232,
value_1: "23754.25",
value_2: "43012.15",
value_3: "61869.09",
value_4: "425537.45"
},
{
id: 94,
name: "AI中文范文",
sort: 2,
value_1: "8839.00",
value_2: "50174.00",
value_3: "120911.00",
value_4: "158772.50"
},
{
id: 61,
name: "维普大学生版",
sort: 11,
value_1: "23754.25",
value_2: "43012.15",
value_3: "61869.09",
value_4: "425537.45"
},
{
id: 941,
name: "AI中文范文",
sort: 21,
value_1: "8839.00",
value_2: "50174.00",
value_3: "120911.00",
value_4: "158772.50"
},
{
id: 62,
name: "维普大学生版",
sort: 12,
value_1: "23754.25",
value_2: "43012.15",
value_3: "61869.09",
value_4: "425537.45"
},
{
id: 942,
name: "AI中文范文",
sort: 22,
value_1: "8839.00",
value_2: "50174.00",
value_3: "120911.00",
value_4: "158772.50"
},
{
id: 63,
name: "维普大学生版",
sort: 13,
value_1: "23754.25",
value_2: "43012.15",
value_3: "61869.09",
value_4: "425537.45"
},
{
id: 943,
name: "AI中文范文",
sort: 23,
value_1: "8839.00",
value_2: "50174.00",
value_3: "120911.00",
value_4: "158772.50"
},
]
that.top_list = {
6: {
id: "6",
name: "千校论文查重平台",
value_1: "214535.80"
},
94: {
id: "94",
name: "尚志教育",
value_1: "149840.50"
},
61: {
id: "61",
name: "千校论文查重平台",
value_1: "214535.80"
},
941: {
id: "941",
name: "尚志教育",
value_1: "149840.50"
},
62: {
id: "62",
name: "千校论文查重平台",
value_1: "214535.80"
},
942: {
id: "942",
name: "尚志教育",
value_1: "149840.50"
},
}
// this.$http('POST', '/supernew/ajax_get_type_batch_list', {
// date: that.text,
// rank_type: that.dataRank,
// sort_by: that.sort_by,
// sort_order: that.sort_order,
// cur_page: that.currentPage,
// page_size: that.pageSize,
// }).then(response => {
// this.$nextTick(() => {
// that.tableData = response.data.list
// that.top_list = response.data.top_list
// that.total = response.data.total
// })
// }).catch(error => {
// console.error(error, 'error')
// })
},
getRankingDetail(obj) {
const that = this
@ -609,8 +777,30 @@ export default {
this.currentPage = val
this.getRankingData()
},
},
beforeDestory() {
if (this.resizeObserver) {
this.resizeObserver.disconnect();
}
}
}
</script>
<style scoped lang="scss">
.lookMore {
cursor: pointer;
font-weight: 400;
}
.table-container {
width: 100%;
overflow: hidden;
}
.tableHeaderSelect ::v-deep .el-input__inner {
font-size: 14px;
font-weight: normal;
letter-spacing: 0.08em;
font-family: Microsoft YaHei UI;
color: #1E2226;
}
</style>

8
src/views/super/Ranking/RankDetail.vue

@ -61,7 +61,7 @@
<div class="flex-between flex pop-top">
<h3>
{{ row.value_1 }} {{ rank_type_desc[dataRank] }}
<span @click="goLookMoreData(row.value_1)">查看更多</span>
<span class="lookMore" @click="goLookMoreData(row.value_1)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
@ -123,7 +123,7 @@
<div class="flex-between flex pop-top">
<h3>
{{ row.value_1 }} {{ rank_type_desc[dataRank] }}
<span @click="goLookMoreData(row.value_1)">查看更多</span>
<span class="lookMore" @click="goLookMoreData(row.value_1)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
@ -539,4 +539,8 @@ export default {
}
}
}
.lookMore {
cursor: pointer;
font-weight: 400;
}
</style>

11
src/views/super/Ranking/RankList.vue

@ -89,7 +89,7 @@
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }} {{ rank_type_desc[dataRank] }}
<span @click="goLookMoreData(row.id)">查看更多</span>
<span class="lookMore" @click="goLookMoreData(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
@ -127,7 +127,7 @@
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }} {{ rank_type_desc[dataRank] }}
<span @click="goLookMoreData(row.id)">查看更多</span>
<span class="lookMore" @click="goLookMoreData(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
@ -161,7 +161,7 @@
<div class="flex-between flex pop-top">
<h3>
{{ text }} {{ row.name }} {{ rank_type_desc[dataRank] }}
<span @click="goLookMoreRank(row.id)">查看更多</span>
<span class="lookMore" @click="goLookMoreRank(row.id)">查看更多</span>
</h3>
<span class="flex point" @click="closePop(row,'id')">
关闭<img src="@/assets/register/close.svg">
@ -635,7 +635,10 @@ export default {
.color-red{
color: #FF4D4F;
}
.lookMore {
cursor: pointer;
font-weight: 400;
}
.pop-wrap {
display: flex;
flex-direction: column;

Loading…
Cancel
Save