8 Commits

29 changed files with 7235 additions and 925 deletions

524
scholarCrawlers2222.vue Normal file
View File

@@ -0,0 +1,524 @@
<template>
<div class="scholar-container">
<div class="sidebar">
<el-card class="params-card" shadow="never">
<div slot="header" class="card-header" style="font-weight: bold;"><i class="el-icon-search"></i> Scholar Search</div>
<el-form :model="form" ref="searchForm" :rules="rules" label-position="top">
<el-form-item label="Keyword" prop="keyword">
<el-input v-model="form.keyword" placeholder="e.g. cancer" clearable></el-input>
</el-form-item>
<div class="form-row">
<el-form-item label="Per Page (Articles)" class="half-width">
<el-input-number v-model="per_page" :controls="false" :min="1" :max="100"></el-input-number>
</el-form-item>
<el-form-item label="Page Number" class="half-width">
<el-input-number v-model="page" :controls="false" :min="1" :max="maxPages"></el-input-number>
</el-form-item>
</div>
<div style="display: flex; gap: 10px; margin-top: 15px;">
<el-button type="primary" class="fetch-btn" style="flex: 3;" :loading="loading" @click="handleExecute">
<i v-if="!loading" class="el-icon-coin"></i>
{{ loading ? 'Fetching...' : 'Execute Fetch' }}
</el-button>
<el-button @click="resetForm" class="custom-reset-btn">
<i class="el-icon-refresh-left"></i> Reset
</el-button>
</div>
</el-form>
</el-card>
<div class="info-box">
<h4>INFORMATION</h4>
<p>
"This tool allows for systematic extraction of scholar data from academic publications. Note that per_page refers to the
number of articles scanned, which may yield multiple scholar records."
</p>
</div>
</div>
<div class="main-content" :style="{border:hasSearched && !loading ? 'none' : '2px solid #e2e2e2'}">
<div v-if="!hasSearched && !loading" class="main-content-center">
<div class="empty-state">
<div class="state-icon"><i class="el-icon-user"></i></div>
<h3>Scholar Search</h3>
<p>
Enter a research keyword and specify the search depth to retrieve expert profiles from professional academic
databases.
</p>
</div>
</div>
<div v-if="loading" class="main-content-center">
<div class="processing-state">
<div class="spinner-box"><i class="el-icon-loading"></i></div>
<h3>PROCESSING REQUEST</h3>
<p>Connecting to api.tmrjournals.com...</p>
</div>
</div>
<div v-if="hasSearched && !loading" class="results-container">
<div class="results-header">
<div class="results-stats">
<i class="el-icon-user"></i> RESULTS FOUND: <strong>{{ total }}</strong>
<span class="divider">|</span>
<span class="page-info">PAGE {{ page }} OF APPROX. {{ maxPages }}</span>
<template v-if="Source">
<span class="divider">|</span>
<span class="page-info">Source {{ Source }}</span>
</template>
</div>
<div class="results-nav">
<el-button
class="nav-btn"
size="mini"
icon="el-icon-arrow-left"
:disabled="page <= 1"
@click="changePage(-1)"
></el-button>
<el-button
class="nav-btn"
size="mini"
icon="el-icon-arrow-right"
:disabled="page >= maxPages"
@click="changePage(1)"
></el-button>
</div>
</div>
<el-table :data="exportFiles" class="custom-table" border stripe header-row-class-name="dark-table-header">
<el-table-column prop="name" label="File name" min-width="200"></el-table-column>
<el-table-column prop="url" label="File url" min-width="250">
<template slot-scope="scope">
<el-link class="file-link" :href="mediaUrl+scope.row.url" target="_blank">
{{ scope.row.url }}
<i class="el-icon-download download-icon"></i>
</el-link>
</template>
</el-table-column>
<el-table-column prop="count" label="Count" width="120" align="center"></el-table-column>
</el-table>
</div>
</div>
</div>
</template>
<script>
import Common from '@/components/common/common'
export default {
name: 'scholarCrawlers',
data() {
return {
mediaUrl: Common.mediaUrl,
form: { keyword: '' },
rules: {
keyword: [{ required: true, message: 'Required', trigger: 'blur' }]
},
loading: false,
exportLoading: false,
hasSearched: false,
page: 1,
per_page: 20,
maxPages: 100, // 初始上限
total: 0,
Source: '',
exportFiles: [] // 模拟图二的文件列表数据
};
},
methods: {
resetForm() {
this.form = { keyword: '' };
this.page = 1;
this.per_page=20;
this.$refs.searchForm.resetFields();
},
async handleExecute() {
this.$refs.searchForm.validate(async (valid) => {
if (!valid) return;
this.loading = true;
this.hasSearched = false;
try {
// 1. 调用 Search 接口获取页数上限
const searchRes = await this.$api.post('/api/expert_finder/search', {
keyword: this.form.keyword,
page: this.page,
per_page: this.per_page
});
if (searchRes && searchRes.code === 0) {
this.total = searchRes.data.total || 0;
this.maxPages = searchRes.data.total_pages || 1; // 2. 模拟处理延迟(配合图一动画)
this.Source = searchRes.data.source || '';
await new Promise((resolve) => setTimeout(resolve, 1500)); // 3. 调用 Export 接口生成文件
const exportRes = await this.$api.post('/api/expert_finder/export', {
keyword: this.form.keyword,
page: this.page,
per_page: this.per_page
});
if (exportRes && (exportRes.code === 0 || exportRes.status === 1)) {
// 构造图二展示的数据格式
const fileUrl = exportRes.data ? exportRes.data.file_url || exportRes.file_url : '';
const fileName = fileUrl ? fileUrl.split('/').pop() : `experts_${this.form.keyword}_p${this.page}.xlsx`;
this.exportFiles = [
{
url: fileUrl,
name: fileName,
count: searchRes.data.experts ? searchRes.data.experts.length : 0
}
];
this.hasSearched = true;
}
}
} catch (error) {
this.$message.error('Execution failed');
console.error(error);
} finally {
this.loading = false;
}
});
},
changePage(step) {
this.page += step;
this.handleExecute();
}
}
};
</script>
<style scoped>
/* 全局基础:背景色与字体 */
.scholar-container {
display: flex;
/* background-color: #E6E6E6; */
padding: 20px 0;
box-sizing: border-box;
/* font-family: "Georgia", "Times New Roman", serif; */
color: #1a1a1a;
}
/* --- 左侧边栏 --- */
.sidebar {
width: 420px;
margin-right: 30px;
}
/* 参数卡片:去掉 Element 默认圆角和阴影 */
.params-card {
border: 2px solid #000 !important;
border-radius: 0 !important;
background: #fff;
/* 核心:右下角的硬阴影效果 */
box-shadow: 6px 6px 0px 0px rgba(0, 0, 0, 0.8) !important;
margin-bottom: 25px;
}
/* 卡片头部标题 */
.card-header {
font-size: 1.2rem;
font-style: italic;
font-weight: 500;
display: flex;
align-items: center;
padding: 5px 0;
}
.card-header i {
margin-right: 8px;
font-style: normal;
}
/* 表单元素重置 */
/deep/ .el-form-item__label {
font-family: 'Arial', sans-serif; /* 标签用无衬线体形成对比 */
font-size: 12px;
font-weight: 800;
color: #333;
padding: 0 !important;
line-height: 20px !important;
letter-spacing: 0.5px;
}
/deep/ .el-input__inner {
border-radius: 0 !important;
border: 1.5px solid #000 !important;
height: 40px;
font-family: 'Georgia', serif;
background-color: #fcfcfc;
/* 内部微阴影感 */
box-shadow: inset 1px 1px 2px rgba(0, 0, 0, 0.1);
}
.form-row {
display: flex;
gap: 15px;
}
/deep/ .el-input-number {
width: 100%;
}
/* 黑色大按钮 */
.fetch-btn {
width: 100%;
height: 55px;
background-color: #000 !important;
border: none !important;
border-radius: 0 !important;
color: #fff !important;
font-weight: 900;
font-size: 16px;
letter-spacing: 1.5px;
margin-top: 10px;
display: flex;
align-items: center;
justify-content: center;
transition: all 0.2s;
}
.fetch-btn:hover {
background-color: #333 !important;
transform: translate(-1px, -1px);
box-shadow: 2px 2px 0 #888;
}
.fetch-btn i {
font-size: 20px;
margin-right: 10px;
}
/* 信息框:黑底白字 */
.info-box {
background-color: #151515;
color: #d0d0d0;
padding: 25px;
border-radius: 0;
line-height: 1.6;
}
.info-box h4 {
color: #fff;
font-family: 'Arial', sans-serif;
font-size: 13px;
letter-spacing: 2px;
margin: 0 0 15px 0;
border-bottom: 1px solid #444;
padding-bottom: 5px;
}
.info-box p {
font-style: italic;
font-size: 13px;
margin: 0;
}
.main-content-center {
width: 100%;
height: 100%;
display: flex;
align-items: center;
justify-content: center;
}
.empty-state {
text-align: center;
max-width: 450px;
}
/* 数据库图标 */
.state-icon {
font-size: 80px;
color: #bcbcbc;
margin-bottom: 15px;
}
.empty-state h3 {
font-size: 24px;
font-style: italic;
font-weight: 400;
color: #444;
margin-bottom: 15px;
}
.empty-state p {
font-size: 14px;
color: #888;
line-height: 1.5;
}
/* 加载动画状态 */
.processing-state {
text-align: center;
}
.spinner-box {
font-size: 50px;
margin-bottom: 20px;
animation: rotating 2s linear infinite;
}
@keyframes rotating {
from {
transform: rotate(0deg);
}
to {
transform: rotate(360deg);
}
}
.processing-state h3 {
letter-spacing: 4px;
font-weight: 900;
color: #000;
}
/* 右侧容器改为顶部对齐 */
.main-content {
flex: 1;
border: 2px dashed #bbb;
display: flex;
align-items: center;
justify-content: center;
justify-content: center;
align-items: flex-start; /* 确保列表从顶部开始 */
/* padding: 20px; */
background-color: rgba(255, 255, 255, 0.3);
}
.results-container {
width: 100%;
/* 模拟图二的实体阴影 */
box-shadow: 8px 8px 0px 0px rgba(0, 0, 0, 0.1);
}
/* 统计栏样式 */
.results-header {
display: flex;
justify-content: space-between;
align-items: center;
padding: 15px 20px;
background: #fff;
border: 2px solid #000;
border-bottom: none; /* 与下方表格衔接 */
}
.results-stats {
font-family: 'Arial', sans-serif;
font-weight: 800;
font-size: 14px;
letter-spacing: 0.5px;
/* text-transform: uppercase; */
}
.results-stats strong {
font-size: 18px;
margin-left: 5px;
}
.divider {
margin: 0 15px;
color: #ccc;
font-weight: 100;
}
.page-info {
color: #999;
font-size: 11px;
}
/* 导航按钮 */
.nav-btn {
border: 1.5px solid #000 !important;
border-radius: 0 !important;
background: #fff !important;
color: #000 !important;
padding: 5px 10px !important;
}
.nav-btn:hover {
background: #000 !important;
color: #fff !important;
}
/* 表格主体还原 */
/deep/ .custom-table {
border: 2px solid #000 !important;
}
/deep/ .dark-table-header th {
background-color: #000 !important;
color: #fff !important;
/* font-family: "Arial", sans-serif; */
font-weight: 900;
letter-spacing: 1px;
padding: 12px 0 !important;
}
/deep/ .el-table__row td {
padding: 15px 0 !important;
color: #333;
/* font-family: "Georgia", serif; */
}
/* 链接样式 */
.file-link {
font-size: 13px;
text-decoration: none !important;
color: #0066cc;
}
.file-link:hover {
text-decoration: underline;
}
.download-icon {
margin-left: 6px;
vertical-align: middle;
font-size: 14px;
}
.custom-reset-btn {
flex: 1;
background-color: #fff;
border: 2px solid #000;
color: #000;
font-weight: 800;
font-family: 'Arial', sans-serif;
font-size: 14px;
cursor: pointer;
display: flex;
align-items: center;
justify-content: center;
transition: all 0.1s;
outline: none;
margin-top: 10px
}
.custom-reset-btn i {
margin-right: 4px;
font-weight: 800;
}
/* 悬浮和点击效果:增加黑白对比度 */
.custom-reset-btn:hover {
background-color: #f0f0f0;
}
.custom-reset-btn:active {
transform: translate(1px, 1px);
box-shadow: none;
}
</style>

View File

@@ -19,8 +19,8 @@ const service = axios.create({
// baseURL: 'https://submission.tmrjournals.com/', //正式 记得切换
// baseURL: 'http://www.tougao.com/', //测试本地 记得切换
// baseURL: 'http://192.168.110.110/tougao/public/index.php/',
baseURL: '/api', //本地
// baseURL: '/', //正式
// baseURL: '/api', //本地
baseURL: '/', //正式
});

View File

@@ -2301,7 +2301,8 @@ str = str.replace(regex, function (match, content, offset, fullString) {
{ selector: '.tox-tbtn[data-mce-name="edit"]', className: 'tinymce-custom-button-edit' },
{ selector: '.tox-tbtn[data-mce-name="save"]', className: 'tinymce-custom-button-save' },
{ selector: '.tox-tbtn[data-mce-name="customblue"]', className: 'tinymce-custom-button-blue' },
{ selector: '.tox-tbtn[data-mce-name="removeblue"]', className: 'tinymce-custom-button-removeblue' }
{ selector: '.tox-tbtn[data-mce-name="removeblue"]', className: 'tinymce-custom-button-removeblue' },
{ selector: '.tox-tbtn[data-mce-name="selecttemplate"]', className: 'tinymce-custom-button-selecttemplate' }
];
// 遍历每个按钮并为每个按钮添加类

View File

@@ -18,14 +18,14 @@
<span slot="title"> {{ item.title }}</span>
</template>
<template v-for="subItem in item.subs">
<el-submenu v-if="subItem.subs" :index="subItem.index" :key="subItem.index">
<el-submenu v-if="subItem.subs" :index="subItem.index" :key="subItem.index + '-submenu'">
<template slot="title">
{{ subItem.title }}
<!-- <el-badge is-dot :hidden="false">{{ subItem.title }}</el-badge> -->
</template>
<template v-for="(threeItem, i) in subItem.subs">
<el-submenu v-if="threeItem.subs" :index="threeItem.index" :key="threeItem.index">
<el-submenu v-if="threeItem.subs" :index="threeItem.index" :key="threeItem.index + '-submenu'">
<template slot="title">
{{ threeItem.title }}
<!-- <el-badge is-dot :hidden="false">{{ subItem.title }}</el-badge> -->
@@ -35,12 +35,12 @@
{{ fourItem.title }}
</el-menu-item>
</el-submenu>
<el-menu-item v-else :index="threeItem.index" :key="threeItem.index"
<el-menu-item v-else :index="threeItem.index" :key="threeItem.index + '-item'"
>{{ threeItem.title }}
</el-menu-item>
</template>
</el-submenu>
<el-menu-item v-else :index="subItem.index" :key="subItem.index">{{ subItem.title }} </el-menu-item>
<el-menu-item v-else :index="subItem.index" :key="subItem.index + '-item'">{{ subItem.title }} </el-menu-item>
</template>
</el-submenu>
</template>
@@ -155,12 +155,14 @@
<!-- 编辑 -->
<template v-if="this.userrole == 1">
<el-submenu index="mailboxManagement">
<template slot="title"> <i class="el-icon-message"></i> {{ $t('sidebar.mailboxManagement') }} </template>
<el-menu-item index="mailboxManagement">
{{ $t('sidebar.mailboxManagement') }}
<template slot="title"> <i class="el-icon-message"></i> {{ $t('sidebar.promotionManagement') }} </template>
<el-menu-item index="expertDatabase">
{{ $t('sidebar.expertDatabase') }}
</el-menu-item>
<el-menu-item index="mailboxConfig">
{{ $t('sidebar.mailboxConfig') }}
{{ $t('sidebar.mailboxManagement') }}
</el-menu-item>
<el-menu-item index="mailboxCollect">
{{ $t('sidebar.mailboxCollect') }}
@@ -168,9 +170,10 @@
<el-menu-item index="mailboxMould">
{{ $t('sidebar.emailTemplates') }}
</el-menu-item>
<el-menu-item index="mailboxStyle">
{{ $t('sidebar.emailStyles') }}
<el-menu-item index="autoPromotion">
{{ $t('sidebar.autoPromotion') }}
</el-menu-item>
</el-submenu>
<el-submenu index="tools">
@@ -900,10 +903,10 @@ export default {
border-right: 0;
}
.el-menu-item:hover {
/* color: #006699 !important;
background-color: #e3e9ef !important; */
}
/* .el-menu-item:hover {
color: #006699 !important;
background-color: #e3e9ef !important;
} */
.el-submenu__title i {
color: #fff !important;

View File

@@ -111,7 +111,27 @@
break;
}
}
})
});
// 按路径关闭指定标签(用于主动销毁 keep-alive 页面)
bus.$on('close_tag_by_path', (payload) => {
const targetPath = payload && payload.path ? payload.path : '';
const fallbackPath = payload && payload.fallback ? payload.fallback : '/';
const silent = payload && payload.silent === true;
if (!targetPath) return;
for (let i = 0, len = this.tagsList.length; i < len; i++) {
const item = this.tagsList[i];
if (item.path === targetPath) {
this.tagsList.splice(i, 1);
// 如果关闭的是当前激活标签,则跳到指定兜底路由
if (!silent && this.$route.fullPath === targetPath) {
this.$router.push(fallbackPath);
}
break;
}
}
bus.$emit('tags', this.tagsList);
});
},
// beforeDestroy() {
// // 销毁监听,防止内存泄漏

View File

@@ -129,7 +129,9 @@ const en = {
doubleConfirmContent: 'Are you sure you want to authorize this rate change? This adjustment will immediately synchronize with the billing system and impact all future financial settlements.',
// 3. 反馈
updateSuccess: 'The journal APC standard has been successfully updated.'
updateSuccess: 'The journal APC standard has been successfully updated.',
executiveEditor:'Executive Editor',
databases:'Database inclusion',
},
@@ -272,9 +274,10 @@ const en = {
emailStyles: 'Email Styles',
tools: 'Assistant tools',
mailboxManagement: 'Mailbox Management',
mailboxConfig: 'Mailbox config',
mailboxCollect: 'Mailbox list',
mailboxConfig: 'Mailbox Management',
scholarCrawlers: 'Scholar Crawlers',
expertDatabase: 'Expert Database',
autoPromotion: 'Auto Promotion',
ReArticles: 'Rejected Manuscripts', // 被拒稿件
editorialBoard: 'Boss System',
editorialBoard1: 'Board Management',
@@ -285,6 +288,30 @@ const en = {
managingDirector: 'Managing Director',
GroupClassification: 'Group List',
JournalInstallment: 'Journal Installment',
mailboxCollect: 'Email List',
promotionManagement: 'Promotion Management',
},
expertDatabase: {
fieldSelectPlaceholder: 'Please select field',
keywordPlaceholder: 'Name / Email / Affiliation',
searchBtn: 'Search',
resetBtn: 'Reset',
downloadExcelBtn: 'Download Excel',
table: {
no: 'No.'
},
columns: {
baseInfo: 'Base Information',
affiliation: 'Affiliation',
researchAreas: 'Research areas'
},
fields: {
nameLabel: 'Name:',
emailLabel: 'Email:',
acquisitionTimeLabel: 'Acquisition Time:'
},
exportWarn: 'Please select a research area or enter a keyword before exporting.',
exportFailed: 'Export failed'
},
mailboxConfig: {
mailSystem: 'Mailbox system',
@@ -292,9 +319,12 @@ const en = {
journal: 'Journal',
allJournal: 'All journals',
query: 'Search',
refresh: 'Refresh',
addAccount: 'Add email account',
noData: 'No data',
smtpFromName: 'Sender name',
no: 'No.',
loading: 'Loading...',
smtpFromName: 'Name',
smtpFromNamePlaceholder: 'Display name when sending',
smtpHost: 'SMTP host',
smtpPort: 'SMTP port',
@@ -312,7 +342,7 @@ const en = {
operation: 'Operation',
edit: 'Edit',
delete: 'Delete',
mailManage: 'Mail manage',
mailManage: 'Email List',
dialogAdd: 'Add email account',
dialogEdit: 'Edit email account',
selectJournal: 'Select journal',
@@ -330,6 +360,7 @@ const en = {
cancel: 'Cancel',
save: 'Save',
deleteConfirm: 'Delete this email config?',
deleteTitle: 'Delete email account',
confirm: 'Confirm',
addSuccess: 'Added successfully',
editSuccess: 'Updated successfully',
@@ -355,6 +386,7 @@ const en = {
mailboxMould: {
title: 'Email Templates',
subtitle: 'Manage and customize your journal email templates.',
no: 'No.',
searchPlaceholder: 'Search by title or scene...',
journalPlaceholder: 'Journal',
scenePlaceholder: 'Scene',
@@ -365,8 +397,8 @@ const en = {
languagePlaceholder: 'Language',
searchBtn: 'Search',
createTemplate: 'Create Template',
colTitle: 'Subject',
colSubject: 'Mail title',
colTitle: 'Template title',
colSubject: 'Email subject',
colScene: 'Scene',
colLanguage: 'Language',
colVersion: 'Version',
@@ -385,6 +417,7 @@ const en = {
mailboxStyle: {
title: 'Email Styles',
subtitle: 'Manage email header and footer styles.',
no: 'No.',
searchPlaceholder: 'Search by name or description...',
journalPlaceholder: 'Journal',
scenePlaceholder: 'Scene',
@@ -471,6 +504,7 @@ const en = {
time: 'Time',
look: 'Look',
emptyText: 'New messages (0)',
loading: 'Loading...',
detailTitle: 'Mail detail',
from: 'From',
to: 'To',
@@ -488,12 +522,15 @@ const en = {
nameColumn: 'Name',
switchColumn: 'Switch',
useBtn: 'Switch',
currentAccountText: 'Current account',
changeAccountBtn: 'Change account',
syncSuccess: 'Sync succeeded',
syncFail: 'Sync failed',
operation: 'Operation',
loadingMore: 'Loading more...',
noMore: 'No more',
yesterday: 'Yesterday',
selectAccountTip: 'Please select an email account first.'
},
mailboxSend: {
title: 'Write mail',
@@ -506,6 +543,7 @@ const en = {
templateSelection: 'Template selection',
sender: 'Sender:',
send: 'Send',
sending: 'Sending...',
selectUser: 'Select User',
batchSelection: 'Batch selection',
email: 'Email',
@@ -532,7 +570,10 @@ const en = {
sendFail: 'Send failed',
sendMock: 'Send (mock): will really send when api/Mail/sendMail is ready',
needAccount: 'Please select a sender account from the mailbox list first',
backToInbox: 'Back to inbox',
selectTemplateStyleFirst: 'Please select template and style first',
recipientLimit: 'You can add up to {count} recipient(s)',
recipientLimitPlaceholder: 'Limit reached (max {count})',
backToInbox: 'Back to email list',
},
home: {
authortop: 'Author guide',
@@ -817,7 +858,157 @@ const en = {
"tooLarge": "Too Large (>1MB)",
"error": "Error: {msg}",
"imgLabel": "Img"
},
mailTemplate: {
noTemplateTip: 'No templates are available for the current journal. Please select another journal or go add templates first.',
addTemplateBtn: 'Go add templates',
templateTab: 'Template',
styleTab: 'Style',
loading: 'Loading...',
refresh: 'Refresh'
},
autoPromotion: {
title: 'Auto Promotion',
journal: 'Journal',
logs: 'Promotion History',
saved: 'Saved',
loading: 'Loading...',
refresh: 'Refresh',
autoSolicit: 'Auto Solicitation',
editConfig: 'Edit Configuration',
running: 'Running',
emailTemplate: 'Email Template',
emailStyle: 'Email Style',
notStarted: 'Auto solicitation plan is not enabled',
notInitializedTip: 'Auto solicitation is not enabled. Please configure template and style first, then enable the plan.',
journalManage: 'Journal Management',
loadListFailed: 'Failed to load journal list',
goConfig: 'Configure',
goManagePlan: 'Manage Plan',
startPlan: 'Start Plan',
startedPlan: 'plan enabled',
updateRetryFailed: 'Update failed, please try again later',
selectTemplateStyleFirst: 'Please select template and style before confirming',
configSaved: 'Configuration saved',
saveFailed: 'Save failed',
notInitializedSwitchTip: 'Auto solicitation is not initialized. Please configure templates first',
planEnabled: 'Plan enabled',
planDisabled: 'Plan disabled',
updateFailed: 'Update failed',
cancel: 'Cancel',
saveAndApply: 'Save and apply configuration',
selectTemplateStyleTitle: 'Choose journal template and style',
clickToChooseTemplate: 'Click to choose journal email template',
noPreview: 'No Preview',
templateName: 'Template Name',
styleName: 'Style Name',
defaultStyle: 'Default',
changeTemplate: 'Change Template',
confirmAndEnable: 'Confirm and Enable',
onlySaveConfig: 'Save configuration only',
enableNowNextDay: 'Enable auto promotion now (starts next day)'
}
,
autoPromotionLogs: {
detail: 'Auto Promotion Details',
configured: 'Configured',
editConfig: 'Edit auto promotion configuration',
startConfig: 'Start auto promotion configuration',
notConfigured: 'Not configured',
searchPlaceholder: 'Name / Email',
statusAll: 'All status',
searchBtn: 'Search',
index: 'No.',
taskName: 'Task Name',
taskParams: 'Parameters',
templateIdLabel: 'Template ID',
styleIdLabel: 'Style ID',
deliveryStats: 'Delivery Stats',
totalCount: 'Total',
sentCount: 'Sent',
failCount: 'Failed',
bounceCount: 'Bounce',
noDeliveryIssue: 'No delivery issues',
deliveryIssue: 'Delivery issues',
completedText: 'Completed',
expertInfo: 'Expert Info',
templateStyle: 'Template / Style',
stylePrefix: 'Style',
runAt: 'Execution time',
status: 'Status',
state0: 'Draft',
state1: 'Running',
state2: 'Paused',
state3: 'Completed',
state4: 'Cancelled',
state5: 'Preparing',
paused: 'Paused',
toRun: 'To run',
operation: 'Operation',
preview: 'Preview',
previewAction: 'Preview',
editAction: 'Edit',
enable: 'Enable',
pause: 'Pause',
previewEditTitle: 'Preview and edit promotion email',
receiver: 'Receiver:',
receiverImmutablePlaceholder: 'Receiver email cannot be changed',
subject: 'Subject:',
subjectPlaceholder: 'Please enter mail subject',
runAtPlaceholder: 'Please select execution time',
cancel: 'Cancel',
confirmEdit: 'Confirm Edit',
mailContentSaved: 'Mail content has been saved. It will be sent with this content.',
templateNotSelected: 'No template selected',
selectTemplateWarning: 'Please select a template before confirming',
configUpdated: 'Configuration updated',
pauseSuccess: 'Paused',
enableSuccess: 'Enabled',
operationFailed: 'Operation failed',
selectTaskForLogs: 'Please select a task first (click the view icon in the list)',
pushLogTitle: 'Task list',
logRefresh: 'Refresh',
taskLogStateFilter: 'Status',
taskLogStateAll: 'All',
taskLogState0: 'Pending',
taskLogState1: 'Sent',
taskLogState2: 'Failed',
taskLogState3: 'Bounced',
taskLogState4: 'Cancelled',
logColExpert: 'Expert',
logColSendTime: 'Sent at',
logColPreparedAt: 'Prepared at',
logColStatus: 'Status',
logColAction: 'Action',
emptyLogs: 'No logs',
viewFailureReason: 'Reason',
editLogTip: 'Edit',
deleteLogTip: 'Delete',
previewLogTip: 'Preview',
logFieldAffiliation: 'Affiliation',
logFieldSubject: 'Subject',
logFieldSendTime: 'Sent at',
logFieldExecutionTime: 'Executed at',
saveDetail: 'Save',
failureReasonTitle: 'Failure reason',
saveDetailSuccess: 'Saved',
saveDetailFailed: 'Save failed',
logDetailLoadFailed: 'Failed to load detail',
logIdMissing: 'Missing log id',
logAlreadySent: 'This record is no longer pending; switched to preview',
deleteLogConfirm: 'Delete this log entry?',
tipTitle: 'Tip',
deleteLogSuccess: 'Deleted',
deleteLogFailed: 'Delete failed',
noFailureReason: 'No failure reason',
deletedSuccess: 'Deleted',
mockPromotionSubject: 'Promotion for {journal}',
mockPromotionContent: '<p>Dear {name},</p><p>Check out our latest journal updates...</p>'
},
tmrEmailEditor: {
preview: 'Preview',
placeholder: 'Please enter email content'
}

View File

@@ -122,7 +122,10 @@ const zh = {
cancel: '取消',
doubleConfirmTitle: '最终操作确认',
doubleConfirmContent: '确定要授权此项金额变更吗?此操作具有法律效力上的即时性,将直接影响后续所有财务结算流程。',
updateSuccess: '期刊计费标准已成功更新。'
updateSuccess: '期刊计费标准已成功更新。',
executiveEditor:'责任编辑',
databases:'收录数据库',
},
paperArticleCount: {
Periodroll: '期卷',
@@ -258,8 +261,11 @@ const zh = {
tools: '辅助工具',
mailboxManagement: '邮箱管理',
mailboxConfig: '邮箱配置管理',
mailboxCollect: '邮箱列表',
scholarCrawlers: '学者抓取',
scholarCrawlers: '学者数据库',
expertDatabase: '专家库',
autoPromotion: '自动推广',
ReArticles: '被拒稿件', // 被拒稿件
editorialBoard: '编委管理',
editorialBoard1: '编委列表',
@@ -270,17 +276,44 @@ const zh = {
managingDirector: '总经理',
GroupClassification: '集团列表',
JournalInstallment: '分期列表',
mailboxCollect: '邮件列表',
promotionManagement: '推广管理',
},
expertDatabase: {
fieldSelectPlaceholder: '请选择研究领域',
keywordPlaceholder: '姓名 / 邮箱 / 单位',
searchBtn: '搜索',
resetBtn: '重置',
downloadExcelBtn: '下载 Excel',
table: {
no: '序号'
},
columns: {
baseInfo: '基础信息',
affiliation: '单位',
researchAreas: '研究领域'
},
fields: {
nameLabel: '姓名:',
emailLabel: '邮箱:',
acquisitionTimeLabel: '采集时间:'
},
exportWarn: '请选择研究领域或输入关键词后再导出。',
exportFailed: '导出失败'
},
mailboxConfig: {
mailSystem: '邮件系统',
title: '邮箱配置管理',
title: '邮箱账号管理',
journal: '所属期刊',
allJournal: '全部期刊',
query: '搜索',
refresh: '刷新',
addAccount: '添加邮箱账号',
noData: '暂无数据',
smtpFromName: '发件人名称',
no: '序号',
loading: '加载中...',
smtpFromName: '名称',
smtpFromNamePlaceholder: '发信时显示的名称',
smtpHost: 'SMTP 地址',
smtpPort: 'SMTP 端口',
@@ -298,7 +331,7 @@ const zh = {
operation: '操作',
edit: '编辑',
delete: '删除',
mailManage: '邮箱管理',
mailManage: '邮件列表',
dialogAdd: '添加邮箱账号',
dialogEdit: '修改邮箱账号信息',
selectJournal: '请选择期刊',
@@ -315,7 +348,8 @@ const zh = {
primaryTip: '每个期刊有且仅有一个主邮箱,用于默认发信与收信。',
cancel: '取消',
save: '保存',
deleteConfirm: '确定删除该邮箱配置',
deleteConfirm: '确定删除该邮箱账号',
deleteTitle: '删除邮箱账号',
confirm: '确定',
addSuccess: '添加成功',
editSuccess: '修改成功',
@@ -341,6 +375,7 @@ const zh = {
mailboxMould: {
title: '邮件模板',
subtitle: '管理并自定义期刊邮件模板。',
no: '序号',
searchPlaceholder: '按标题或场景搜索...',
journalPlaceholder: '期刊',
scenePlaceholder: '场景',
@@ -351,8 +386,8 @@ const zh = {
languagePlaceholder: '语言',
searchBtn: '搜索',
createTemplate: '新建模板',
colTitle: '题',
colSubject: '邮件题',
colTitle: '模版标题',
colSubject: '邮件题',
colScene: '场景',
colLanguage: '语言',
colVersion: '版本',
@@ -371,6 +406,7 @@ const zh = {
mailboxStyle: {
title: '邮件风格',
subtitle: '管理邮件头部和尾部样式。',
no: '序号',
searchPlaceholder: '按名称或描述搜索...',
journalPlaceholder: '期刊',
scenePlaceholder: '场景',
@@ -457,6 +493,7 @@ const zh = {
time: '时间',
look: '查看',
emptyText: '暂无邮件',
loading: '加载中...',
detailTitle: '邮件详情',
from: '发件人',
to: '收件人',
@@ -474,12 +511,15 @@ const zh = {
nameColumn: '名称',
switchColumn: '切换',
useBtn: '切换',
currentAccountText: '当前账号',
changeAccountBtn: '切换邮箱账号',
syncSuccess: '同步成功',
syncFail: '同步失败',
operation: '操作',
loadingMore: '加载更多...',
noMore: '没有更多了',
yesterday: '昨天',
selectAccountTip: '请先选择一个邮箱账号.',
},
mailboxSend: {
title: '写邮件',
@@ -492,6 +532,7 @@ const zh = {
templateSelection: '模板选择',
sender: '发件人:',
send: '发送',
sending: '发送中...',
selectUser: '选择用户',
batchSelection: '批量选择',
email: '邮箱',
@@ -518,6 +559,9 @@ const zh = {
sendFail: '发送失败',
sendMock: '发送(模拟):接口 api/Mail/sendMail 就绪后将真实发送',
needAccount: '请从邮箱列表选择发件账号后再发送',
selectTemplateStyleFirst: '请先选择模板和风格',
recipientLimit: '最多只能添加 {count} 个收件人',
recipientLimitPlaceholder: '已达上限(最多 {count} 个)',
backToInbox: '返回收件箱',
},
home: {
@@ -798,6 +842,157 @@ const zh = {
"tooLarge": "过大跳过(>1MB)",
"error": "失败: {msg}",
"imgLabel": "图"
},
mailTemplate: {
// 如果已经有 mailTemplate就只加这一行
noTemplateTip: '当前期刊暂无可用模板,请重新选择期刊或先去新增模板。',
addTemplateBtn: '去新增模板',
templateTab: '模版',
styleTab: '样式',
loading: '加载中...',
refresh: '刷新'
},
autoPromotion: {
title: '自动推广',
journal: '期刊',
logs: '历史推广记录',
saved: '已保存',
loading: '加载中...',
refresh: '刷新',
autoSolicit: '自动约稿',
editConfig: '修改配置',
running: '运行中',
emailTemplate: '邮件模板',
emailStyle: '邮件风格',
notStarted: '未开启自动约稿计划',
notInitializedTip: '自动约稿未启用,请先完成期刊模版风格配置并开启计划',
journalManage: '期刊管理',
loadListFailed: '期刊列表加载失败',
goConfig: '去配置',
goManagePlan: '去管理约稿计划',
startPlan: '开启约稿计划',
startedPlan: '已开启约稿计划',
updateRetryFailed: '更新失败,请稍后重试',
selectTemplateStyleFirst: '请选择模板和风格后再确认',
configSaved: '约稿配置已保存',
saveFailed: '保存失败',
notInitializedSwitchTip: '自动化约稿没有初始化,请先配置模版',
planEnabled: '已开启约稿计划',
planDisabled: '已关闭约稿计划',
updateFailed: '更新失败',
cancel: '取消',
saveAndApply: '保存并应用配置',
selectTemplateStyleTitle: '选择期刊模版风格',
clickToChooseTemplate: '点击选择期刊邮件模版',
noPreview: '暂无预览',
templateName: '模版名称',
styleName: '风格名称',
defaultStyle: '默认风格',
changeTemplate: '更换模版',
confirmAndEnable: '确认并开启',
onlySaveConfig: '仅保存配置',
enableNowNextDay: '立即激活自动推广(次日开始自动推广)'
}
,
autoPromotionLogs: {
detail: '自动推广详情',
configured: '已配置',
editConfig: '修改期刊自动推广配置',
startConfig: '立即开始期刊自动推广配置',
notConfigured: '尚未配置',
searchPlaceholder: '姓名 / 邮箱',
statusAll: '全部状态',
searchBtn: '搜索',
index: '序号',
taskName: '任务名称',
taskParams: '参数内容',
templateIdLabel: '模板ID',
styleIdLabel: '风格ID',
deliveryStats: '投递统计',
totalCount: '总量',
sentCount: '已发送',
failCount: '失败',
bounceCount: '退信',
noDeliveryIssue: '无发送异常',
deliveryIssue: '投递异常',
completedText: '已完成',
expertInfo: '专家信息',
templateStyle: '模板 / 风格',
stylePrefix: '风格',
runAt: '执行时间',
status: '状态',
state0: '草稿',
state1: '运行中',
state2: '暂停',
state3: '完成',
state4: '取消',
state5: '准备',
paused: '已暂停',
toRun: '待执行',
operation: '操作',
preview: '查看预览',
previewAction: '预览',
editAction: '编辑',
enable: '开启',
pause: '暂停',
previewEditTitle: '预览并修改推广邮件',
receiver: '收件人:',
receiverImmutablePlaceholder: '收件人邮箱不可更改',
subject: '主题:',
subjectPlaceholder: '请输入邮件主题',
runAtPlaceholder: '请选择执行时间',
cancel: '取消',
confirmEdit: '确认修改',
mailContentSaved: '邮件内容已保存,将按此内容执行发送',
templateNotSelected: '未选择模板',
selectTemplateWarning: '请选择一个模板后再确认',
configUpdated: '配置已更新',
pauseSuccess: '已暂停',
enableSuccess: '已开启',
operationFailed: '操作失败',
selectTaskForLogs: '请先选择一条任务(点击列表「查看」图标)',
pushLogTitle: '任务列表',
logRefresh: '刷新',
taskLogStateFilter: '发送状态',
taskLogStateAll: '全部',
taskLogState0: '待发送',
taskLogState1: '已发送',
taskLogState2: '失败',
taskLogState3: '退信',
taskLogState4: '取消',
logColExpert: '专家信息',
logColSendTime: '发送时间',
logColPreparedAt: '预处理完成时间',
logColStatus: '状态',
logColAction: '操作',
emptyLogs: '暂无日志',
viewFailureReason: '原因',
editLogTip: '编辑',
deleteLogTip: '删除',
previewLogTip: '预览',
logFieldAffiliation: '单位/机构',
logFieldSubject: '主题',
logFieldSendTime: '发送时间',
logFieldExecutionTime: '执行时间',
saveDetail: '保存',
failureReasonTitle: '失败原因',
saveDetailSuccess: '保存成功',
saveDetailFailed: '保存失败',
logDetailLoadFailed: '加载详情失败',
logIdMissing: '缺少日志 ID',
logAlreadySent: '该记录已非待发送状态,已切换为预览',
deleteLogConfirm: '确定删除该条发送记录?',
tipTitle: '提示',
deleteLogSuccess: '删除成功',
deleteLogFailed: '删除失败',
noFailureReason: '暂无失败原因',
deletedSuccess: '已删除',
mockPromotionSubject: '自动推广:{journal}',
mockPromotionContent: '<p>亲爱的 {name}</p><p>请查看我们最新的期刊更新...</p>'
},
tmrEmailEditor: {
preview: '预览效果',
placeholder: '请输入邮件内容'
}

View File

@@ -37,6 +37,10 @@
<span class="title">{{ $t('JournalCitationAnalysis.editorinchief') }} :</span
><span>{{ scope.row.editorinchief }}</span>
</div>
<div class="item">
<span class="title">{{ $t('JournalCitationAnalysis.executiveEditor') }} :</span
><span>{{ scope.row.editor_name }}</span>
</div>
<div class="item">
<span class="title">{{ $t('JournalCitationAnalysis.email') }} :</span><span>{{ scope.row.email }}</span>
</div>
@@ -46,6 +50,9 @@
<div class="item">
<span class="title">{{ $t('JournalCitationAnalysis.level') }} :</span><span>{{ scope.row.level }}</span>
</div>
<div class="item">
<span class="title">{{ $t('JournalCitationAnalysis.databases') }} :</span><span>{{ scope.row.databases }}</span>
</div>
<div class="item" v-if="scope.row.journal_topic">
<span class="title">{{ $t('JournalCitationAnalysis.journal_topic') }} :</span
@@ -228,6 +235,12 @@
<el-form-item label="Journal publisher :" prop="publish_author">
<el-input v-model="detailForm.publish_author" placeholder="eg:TMR编辑部"></el-input>
</el-form-item>
<el-form-item label="Journal executive editor :" prop="editor_name">
<el-input v-model="detailForm.editor_name" placeholder=""></el-input>
</el-form-item>
<el-form-item label="Database inclusion :" prop="databases">
<el-input v-model="detailForm.databases" placeholder=""></el-input>
</el-form-item>
<el-form-item label="WeChat Code :" prop="editor_qrcode">
<div class="portrait WeChatCode">
@@ -470,6 +483,20 @@ export default {
trigger: 'blur'
}
],
editor_name: [
{
required: true,
message: 'Please input journal executive editor',
trigger: 'blur'
}
],
databases: [
{
required: true,
message: 'Please input database inclusion',
trigger: 'blur'
}
],
kfen: [
{
required: true,
@@ -666,6 +693,7 @@ export default {
handleEdit() {
this.$refs.detail_form.validate((valid) => {
if (valid) {
if (this.detailForm.editor_qrcode == '' || !this.detailForm.editor_qrcode) {
this.$message.error('Please upload WeChat Code!');
return false;
@@ -861,6 +889,7 @@ export default {
publish_author: data.publish_author,
wechat_name: data.wechat_name,
wechat_app_id: data.wechat_app_id,
editor_name: data.editor_name,
wechat_app_secret: data.wechat_app_secret,
areas: data.journal_topic ? data.journal_topic.split(',') : ['']
};

View File

@@ -0,0 +1,471 @@
<template>
<div class="auto-promo-container" v-loading="loading" :element-loading-text="$t('autoPromotion.loading')">
<div class="page-header">
<el-breadcrumb separator="/">
<el-breadcrumb-item>
<i class="el-icon-s-promotion"></i> {{ $t('autoPromotion.title') }}
</el-breadcrumb-item>
</el-breadcrumb>
<el-button
type="text"
icon="el-icon-refresh"
class="auto-promo-refresh-btn"
:disabled="loading"
:title="$t('autoPromotion.refresh')"
@click="refreshAll"
/>
</div>
<div class="journal-grid">
<div v-for="journal in allJournals" :key="journal.journal_id" class="journal-item">
<div class="item-header">
<div class="journal-info">
<div class="icon-box">
<i class="el-icon-notebook-2"></i>
</div>
<span class="journal-name">{{ journal.title }}</span>
</div>
</div>
<div class="module-wrapper">
<div :class="['module-card', journal.solicit.initialized ? 'is-solicit-active' : 'is-empty']">
<div class="module-top">
<div class="module-top-left">
<span class="module-title">{{ $t('autoPromotion.autoSolicit') }}</span>
<el-button
v-if="journal.solicit.initialized"
type="text"
size="mini"
icon="el-icon-refresh"
class="config-inline-btn"
:disabled="promotionUpdating && String(promotionUpdatingJournalId) === String(journal.journal_id)"
@click="openWizardForJournal(journal)"
>
{{ $t('autoPromotion.editConfig') }}
</el-button>
</div>
<el-switch
v-model="journal.solicit.enabled"
active-color="#409EFF"
@change="handleSwitch(journal, 'solicit', $event)"
size="small"
:disabled="promotionUpdating && String(promotionUpdatingJournalId) === String(journal.journal_id)"
/>
</div>
<div class="module-content">
<template v-if="journal.solicit.initialized">
<div class="status-row" v-if="journal.solicit.enabled">
<span class="dot-running"></span>
<span class="status-text">{{ $t('autoPromotion.running') }}</span>
</div>
<div class="template-info-row">
<div>
<div class="template-info blue-text">{{ $t('autoPromotion.emailTemplate') }}: {{ journal.solicit.templateName || '-' }}</div>
<div class="template-info blue-text">{{ $t('autoPromotion.emailStyle') }}: {{ journal.solicit.styleName || '-' }}</div>
</div>
</div>
</template>
<div v-else class="empty-text">
{{ isSolicitConfigured(journal) ? $t('autoPromotion.notStarted') : $t('autoPromotion.notInitializedTip') }}
</div>
</div>
<div class="module-footer">
<button
class="action-btn btn-blue"
:disabled="promotionUpdating && String(promotionUpdatingJournalId) === String(journal.journal_id)"
@click="handleSolicitAction(journal)"
>
<span v-if="promotionUpdating && String(promotionUpdatingJournalId) === String(journal.journal_id)">
{{ $t('autoPromotion.loading') }}
</span>
<span v-else>
{{ getSolicitActionText(journal) }}
</span>
</button>
</div>
</div>
</div>
</div>
</div>
<journal-detail-dialog v-if="detailVisible" :visible.sync="detailVisible" :journal="currentJournal" />
<auto-promotion-wizard
mode="dialog"
:visible.sync="showWizardDialog"
:config="wizardConfig"
:wizardStartDate.sync="wizardStartDate"
:currentJournalName="wizardJournal ? wizardJournal.title : ''"
:selectedTemplateThumbHtml="selectedTemplateThumbHtml"
:selectedTemplateName="selectedTemplateName"
:selectedStyleName="selectedStyleName"
:saving="saving"
:title="`${$t('autoPromotion.journalManage')}: ${wizardJournal ? wizardJournal.title : ''}`"
@open-template-selector="openTemplateSelector"
@cancel="showWizardDialog = false"
@confirm="saveWizardConfig"
/>
<template-selector-dialog
v-if="showTemplateDialog"
:visible.sync="showTemplateDialog"
:journalId="wizardJournal ? wizardJournal.journal_id : ''"
:journalLabel="wizardJournal ? wizardJournal.title : ''"
:initial-style-id="templateDialogInitialStyleId"
:initial-template-id="templateDialogInitialTemplateId"
:return-source="'autoPromotion'"
@confirm="handleTemplateApply"
@close-all-dialogs="closeAllDialogs"
/>
</div>
</template>
<script>
import JournalDetailDialog from './components/autoPromotion/JournalDetailDialog.vue';
import AutoPromotionWizard from './components/autoPromotion/AutoPromotionWizard.vue';
import TemplateSelectorDialog from '@/components/page/components/email/TemplateSelectorDialog.vue';
export default {
components: { JournalDetailDialog, AutoPromotionWizard, TemplateSelectorDialog },
data() {
return {
loading: true,
detailVisible: false,
currentJournal: null,
showWizardDialog: false,
showTemplateDialog: false,
saving: false,
promotionUpdating: false,
promotionUpdatingJournalId: '',
wizardJournal: null,
wizardStartDate: '',
wizardConfig: {
defaultTemplateId: '',
defaultStyleId: '',
enabled: false
},
selectedTemplateThumbHtml: '',
selectedTemplateName: '',
selectedStyleName: '',
templateDialogInitialStyleId: '',
templateDialogInitialTemplateId: '',
templateNameMap: {},
allJournals: []
};
},
created() {
this.fetchPromotionJournals();
},
methods: {
openTemplateSelector() {
// 更换模板时优先回显当前已选 style/template没有则由选择器回落到第一项
this.templateDialogInitialStyleId = this.wizardConfig && this.wizardConfig.defaultStyleId
? String(this.wizardConfig.defaultStyleId)
: '';
this.templateDialogInitialTemplateId = this.wizardConfig && this.wizardConfig.defaultTemplateId
? String(this.wizardConfig.defaultTemplateId)
: '';
this.showTemplateDialog = true;
},
closeAllDialogs() {
// 进入“新增模板/跳转列表页”前,先关闭当前页所有弹窗,减少卡顿
this.showWizardDialog = false;
this.showTemplateDialog = false;
this.detailVisible = false;
},
/**
* 核心逻辑抽象:统一解析详情接口返回的数据结构
*/
_parseJournalDetail(data) {
const journalInfo = data.journal || data || {};
const tpl = journalInfo.template || data.template || {};
const style = journalInfo.style || data.style || {};
const tplId = String(journalInfo.default_template_id || '0');
const styleId = String(journalInfo.default_style_id || '0');
return {
title: journalInfo.title || journalInfo.journal_title || '',
templateId: tplId,
styleId: styleId,
templateName: tpl.name || tpl.title || journalInfo.default_template_name || (tplId !== '0' ? `模板#${tplId}` : ''),
styleName: style.name || style.title || journalInfo.default_style_name || (styleId !== '0' ? `风格#${styleId}` : ''),
html: `${style.header_html || ''}${tpl.body_html || ''}${style.footer_html || ''}`,
enabled: String(journalInfo.start_promotion || '0') === '1',
initialized: tplId !== '0' && styleId !== '0'
};
},
async fetchPromotionJournals() {
this.loading = true;
try {
const userId = localStorage.getItem('U_id') || '';
const res = await this.$api.post('api/email_client/getPromotionJournalList', { user_id: userId });
const raw = (res && res.data && (res.data.list || res.data.journals || res.data)) || [];
if (Array.isArray(raw) && raw.length) {
this.allJournals = await Promise.all(raw.map(async (item) => {
const journalId = item.journal_id || item.id;
const tplId = String(item.default_template_id || item.template_id || '0');
const styleId = String(item.default_style_id || item.style_id || '0');
const initialized = tplId !== '0' && styleId !== '0';
const enabled = String(item.start_promotion || item.enabled || '0') === '1';
// 初始简单结构:先用列表接口回填基础状态
let journalObj = {
journal_id: journalId,
title: item.title || item.journal_title || item.name || `Journal ${journalId}`,
solicit: {
enabled,
initialized,
templateId: tplId,
styleId: styleId,
templateName: '',
styleName: '',
html: ''
}
};
// 只有在“有模板id和风格id”时才拉取详情避免未初始化期刊的无意义请求
if (initialized) {
await this.refreshJournalByDetail(journalObj);
}
return journalObj;
}));
} else {
this.allJournals = [];
}
} catch (e) {
this.$message.error(this.$t('autoPromotion.loadListFailed'));
} finally {
this.loading = false;
}
},
// 右上角刷新:重新拉取列表,并重新拉取每个期刊对应的模版/风格详情
async refreshAll() {
this.templateNameMap = {};
this.allJournals = [];
await this.fetchPromotionJournals();
},
async refreshJournalByDetail(journal) {
if (!journal || !journal.journal_id) return;
const journalId = String(journal.journal_id);
try {
const res = await this.$api.post('api/email_client/getPromotionJournalDetail', { journal_id: journalId });
const detail = this._parseJournalDetail(res.data);
// 更新缓存(供原本的 fetchJournalTemplateAndStyleNames 逻辑兼容)
this.$set(this.templateNameMap, 'j_' + journalId, detail);
// 使用 $set 确保响应式更新
this.$set(journal, 'title', detail.title || journal.title);
this.$set(journal, 'solicit', {
...(journal.solicit || {}),
enabled: detail.enabled,
initialized: detail.initialized,
templateId: detail.templateId,
styleId: detail.styleId,
templateName: detail.templateName,
styleName: detail.styleName,
html: detail.html
});
} catch (e) {
console.error('Refresh detail failed:', e);
}
},
// 保持此方法以兼容 wizard 内的逻辑(实际上逻辑已被 _parseJournalDetail 整合)
async fetchJournalTemplateAndStyleNames(journalId) {
const cacheKey = 'j_' + journalId;
if (this.templateNameMap[cacheKey]) return this.templateNameMap[cacheKey];
try {
const res = await this.$api.post('api/email_client/getPromotionJournalDetail', { journal_id: String(journalId) });
const detail = this._parseJournalDetail(res.data);
this.$set(this.templateNameMap, cacheKey, detail);
return detail;
} catch (e) {
return { templateName: '', styleName: '', html: '' };
}
},
isSolicitConfigured(journal) {
const s = journal && journal.solicit ? journal.solicit : {};
return !!(s.initialized && s.templateId !== '0' && s.styleId !== '0');
},
getSolicitActionText(journal) {
if (!this.isSolicitConfigured(journal)) return this.$t('autoPromotion.goConfig');
return journal && journal.solicit && journal.solicit.enabled
? this.$t('autoPromotion.goManagePlan')
: this.$t('autoPromotion.startPlan');
},
async handleSolicitAction(journal) {
if (!this.isSolicitConfigured(journal)) {
this.openWizardForJournal(journal);
return;
}
// 未开启时:必须等待 setDefaultPromotion 成功后才继续打开详情
if (!journal.solicit.enabled) {
const journalId = journal && journal.journal_id ? String(journal.journal_id) : '';
this.promotionUpdating = true;
this.promotionUpdatingJournalId = journalId;
try {
const userId = localStorage.getItem('U_id') || '';
await this.$api.post('api/email_client/setDefaultPromotion', {
journal_id: String(journal.journal_id),
default_template_id: String(journal.solicit.templateId),
default_style_id: String(journal.solicit.styleId),
start_promotion: '1',
user_id: userId
});
this.$message.success(`${journal.title} ${this.$t('autoPromotion.startedPlan')}`);
await this.refreshJournalByDetail(journal);
this.openDetail(journal);
} catch (e) {
// 接口失败时不要做后续动作(避免进入详情后数据未就绪)
this.$message.error(this.$t('autoPromotion.updateRetryFailed'));
return;
} finally {
this.promotionUpdating = false;
this.promotionUpdatingJournalId = '';
}
return;
}
// 已开启:直接打开详情
this.openDetail(journal);
},
openWizardForJournal(journal) {
this.wizardJournal = journal;
const s = journal.solicit || {};
this.wizardConfig = {
defaultTemplateId: s.templateId !== '0' ? s.templateId : '',
defaultStyleId: s.styleId !== '0' ? s.styleId : '',
enabled: !!s.enabled
};
this.selectedTemplateName = s.templateName || '';
this.selectedStyleName = s.styleName || '';
this.selectedTemplateThumbHtml = `<div style="zoom:0.18; pointer-events:none; user-select:none;">${s.html || ''}</div>`;
this.showWizardDialog = true;
},
handleTemplateApply(payload) {
if (!payload || !payload.template_id || !payload.style_id) {
this.$message.warning(this.$t('autoPromotion.selectTemplateStyleFirst'));
return;
}
this.wizardConfig.defaultTemplateId = String(payload.template_id);
this.wizardConfig.defaultStyleId = String(payload.style_id);
this.selectedTemplateName = payload.template && payload.template.name ? payload.template.name : '';
this.selectedStyleName = payload.style && payload.style.name ? payload.style.name : '';
this.selectedTemplateThumbHtml = `<div style="zoom:0.18; pointer-events:none; user-select:none;">${payload.html || ''}</div>`;
this.showTemplateDialog = false;
},
async saveWizardConfig() {
if (!this.wizardJournal || !this.wizardJournal.solicit) return;
if (!this.wizardConfig.defaultTemplateId || !this.wizardConfig.defaultStyleId) {
this.$message.warning(this.$t('autoPromotion.selectTemplateStyleFirst'));
return;
}
this.saving = true;
try {
const userId = localStorage.getItem('U_id') || '';
await this.$api.post('api/email_client/setDefaultPromotion', {
journal_id: String(this.wizardJournal.journal_id),
default_template_id: this.wizardConfig.defaultTemplateId,
default_style_id: this.wizardConfig.defaultStyleId,
start_promotion: this.wizardConfig.enabled ? '1' : '0',
user_id: userId
});
await this.refreshJournalByDetail(this.wizardJournal);
this.$message.success(this.$t('autoPromotion.configSaved'));
this.showWizardDialog = false;
} catch (e) {
this.$message.error(this.$t('autoPromotion.saveFailed'));
} finally {
this.saving = false;
}
},
openDetail(journal) {
this.$router.push({
path: '/autoPromotionLogs',
query: { journal_id: journal && journal.journal_id ? String(journal.journal_id) : '' }
});
},
async handleSwitch(journal, type, nextVal) {
if (!this.isSolicitConfigured(journal)) {
this.$set(journal.solicit, 'enabled', false);
this.$message.warning(this.$t('autoPromotion.notInitializedSwitchTip'));
return;
}
try {
this.promotionUpdating = true;
this.promotionUpdatingJournalId = journal && journal.journal_id ? String(journal.journal_id) : '';
const userId = localStorage.getItem('U_id') || '';
await this.$api.post('api/email_client/setDefaultPromotion', {
journal_id: String(journal.journal_id),
default_template_id: String(journal.solicit.templateId),
default_style_id: String(journal.solicit.styleId),
start_promotion: nextVal ? '1' : '0',
user_id: userId
});
this.$message.success(nextVal ? this.$t('autoPromotion.planEnabled') : this.$t('autoPromotion.planDisabled'));
} catch (e) {
this.$set(journal.solicit, 'enabled', !nextVal);
this.$message.error(this.$t('autoPromotion.updateFailed'));
} finally {
this.promotionUpdating = false;
this.promotionUpdatingJournalId = '';
}
}
}
};
</script>
<style scoped>
/* 保持您原始的 CSS 样式不变 */
.auto-promo-container { padding: 20px 24px; background-color: #f5f7f9; min-height: 100vh; font-family: -apple-system, system-ui, BlinkMacSystemFont, "Segoe UI", Roboto; }
.page-header { margin-bottom: 16px; display: flex; justify-content: flex-start; align-items: center; }
.auto-promo-refresh-btn { margin-left: 12px; }
.journal-grid { display: grid; grid-template-columns: repeat(2, minmax(0, 1fr)); gap: 16px; }
.journal-item { background: #fff; border-radius: 10px; padding: 16px; border: 1px solid #ebedf0; box-shadow: 0 2px 6px rgba(0,0,0,0.03); }
.item-header { display: flex; justify-content: space-between; align-items: center; margin-bottom: 14px; }
.journal-info { display: flex; align-items: center; }
.icon-box { width: 28px; height: 28px; background: #edf5ff; border-radius: 4px; display: flex; align-items: center; justify-content: center; margin-right: 10px; }
.icon-box i { color: #409eff; font-size: 14px; }
.journal-name { font-size: 16px; font-weight: 600; color: #1f2d3d; }
.module-wrapper { display: grid; grid-template-columns: 1fr; }
.module-card { border-radius: 6px; padding: 14px; display: flex; flex-direction: column; min-height: 160px; border: 1px solid transparent; }
.is-solicit-active { background: #f4f9ff; border-color: #e1eeff; }
.is-empty { background: #fafafa; border-color: #f0f0f0; }
.module-top { display: flex; justify-content: space-between; align-items: center; margin-bottom: 10px; }
.module-top-left { display: flex; align-items: center; gap: 8px; }
.module-title { font-size: 14px; font-weight: 600; color: #333; }
.config-inline-btn { padding: 0; }
.module-content { flex: 1; }
.status-row { display: flex; align-items: center; margin-bottom: 4px; }
.status-text { font-size: 12px; font-weight: 600; color: #52c41a; }
.template-info { font-size: 12px; color: #bbb; margin-bottom: 2px; }
.blue-text { color: #409eff; }
.template-info-row { display: flex; justify-content: space-between; align-items: center; margin-bottom: 8px; }
.empty-text { font-size: 12px; color: #bbb; height: 60px; display: flex; align-items: center; }
.dot-running { width: 6px; height: 6px; background: #52c41a; border-radius: 50%; margin-right: 6px; }
.module-footer { margin-top: 12px; }
.action-btn { width: 100%; padding: 6px 0; border: none; border-radius: 4px; font-size: 12px; font-weight: 600; cursor: pointer; transition: 0.2s; }
.btn-blue { background: #e8f3ff; color: #409eff; }
.btn-blue:hover { background: #409eff; color: #fff; }
@media (min-width: 1280px) { .journal-grid { grid-template-columns: repeat(3, minmax(0, 1fr)); } }
@media (min-width: 1680px) { .journal-grid { grid-template-columns: repeat(4, minmax(0, 1fr)); } }
</style>

File diff suppressed because it is too large Load Diff

View File

@@ -1,7 +1,13 @@
<template>
<div class="tinymce-container">
<i
class="el-icon-copy-document"
v-if="displayValue && readonly && isArticleDetailEditor"
@click="handleCopy"
style="margin-top: -30px; float: right; margin-bottom: 10px; cursor: pointer;"
></i>
<div style="clear: both;"></div>
<div v-if="readonly" v-html="displayValue" class="readonly-content">
</div>
@@ -55,6 +61,13 @@
oldValue: null
};
},
computed: {
// 只在 articleDetailEditor 路由下显示复制图标
isArticleDetailEditor() {
console.log(this.$route);
return this.$route && this.$route.path === '/articleDetailEditor';
}
},
watch: {
value: {
handler(newVal) {
@@ -96,6 +109,41 @@ beforeDestroy() {
methods: {
handleCopy() {
if (this.displayValue) {
// 1. 使用正则匹配 <wmath ... data-latex="内容" ...>...</wmath>
// 这里的正则会精准提取 data-latex 属性中的值
const cleanValue = this.displayValue.replace(/<wmath[^>]*data-latex="([^"]*)"[^>]*>[\s\S]*?<\/wmath>/g, '$1');
// 2. 如果你还想顺便把 <br> 转换成换行符,可以加上这一行:
const finalValue = cleanValue.replace(/<br\s*\/?>/gi, '\n');
// 3. 执行复制到剪贴板的操作
this.copyToClipboard(finalValue);
}
},
copyToClipboard(text) {
// 兼容性较好的复制方法
const textArea = document.createElement("textarea");
textArea.value = text;
document.body.appendChild(textArea);
textArea.select();
try {
document.execCommand('copy');
this.$message({
message: 'Successfully copied to clipboard',
type: 'success'
});
} catch (err) {
console.error('无法复制', err);
}
document.body.removeChild(textArea);
},
destroyTinymce() {
this.displayValue=null
// 通过 window.tinymce 获取全局对象,根据 id 找到并销毁

View File

@@ -0,0 +1,133 @@
<template>
<el-dialog
v-if="mode === 'dialog'"
:visible.sync="dialogVisible"
:close-on-click-modal="false"
width="1000px"
top="5vh"
destroy-on-close
:title="title"
custom-class="vertical-wizard-dialog"
>
<auto-promotion-wizard-content
:config="config"
:wizardStartDate="wizardStartDateProxy"
:currentJournalName="currentJournalName"
:selectedTemplateThumbHtml="selectedTemplateThumbHtml"
:selectedTemplateName="selectedTemplateName"
:selectedStyleName="selectedStyleName"
@open-template-selector="emitOpenTemplateSelector"
@update:wizardStartDate="onWizardStartDateUpdate"
/>
<div slot="footer" class="dialog-footer">
<el-button size="small" @click="handleCancel">{{ $t('autoPromotion.cancel') }}</el-button>
<el-button
type="success"
size="small"
:loading="saving"
:disabled="!canConfirm"
@click="handleConfirm"
>
{{ $t('autoPromotion.saveAndApply') }}
</el-button>
</div>
</el-dialog>
<!-- inline 模式直接渲染内容不包裹 el-dialog -->
<div v-else class="vertical-wizard-inline">
<auto-promotion-wizard-content
:config="config"
:wizardStartDate="wizardStartDateProxy"
:currentJournalName="currentJournalName"
:selectedTemplateThumbHtml="selectedTemplateThumbHtml"
:selectedTemplateName="selectedTemplateName"
:selectedStyleName="selectedStyleName"
@open-template-selector="emitOpenTemplateSelector"
@update:wizardStartDate="onWizardStartDateUpdate"
/>
<div class="dialog-footer">
<el-button
type="success"
size="small"
:loading="saving"
:disabled="!canConfirm"
@click="handleConfirm"
>
{{ $t('autoPromotion.saveAndApply') }}
</el-button>
</div>
</div>
</template>
<script>
import AutoPromotionWizardContent from '@/components/page/components/autoPromotion/AutoPromotionWizardContent.vue'
export default {
name: 'AutoPromotionWizard',
components: { AutoPromotionWizardContent },
props: {
mode: { type: String, default: 'dialog' }, // 'dialog' | 'inline'
visible: { type: Boolean, default: false },
title: { type: String, default: '' },
config: { type: Object, required: true },
wizardStartDate: { type: [String, Date], default: '' },
currentJournalName: { type: String, default: '' },
selectedTemplateThumbHtml: { type: String, default: '' },
selectedTemplateName: { type: String, default: '' },
selectedStyleName: { type: String, default: '' },
saving: { type: Boolean, default: false }
},
computed: {
dialogVisible: {
get() {
return this.visible;
},
set(val) {
this.$emit('update:visible', val);
}
},
wizardStartDateProxy: {
get() {
return this.wizardStartDate;
},
set(val) {
this.$emit('update:wizardStartDate', val);
}
},
canConfirm() {
const id = this.config && this.config.defaultTemplateId != null ? String(this.config.defaultTemplateId) : '';
return id !== '' && id !== '0';
}
},
methods: {
emitOpenTemplateSelector() {
this.$emit('open-template-selector');
},
onWizardStartDateUpdate(val) {
// 由内容组件回传日期,继续走父组件的 .sync 链路
this.wizardStartDateProxy = val;
},
handleCancel() {
this.$emit('cancel');
if (this.mode === 'dialog') {
this.$emit('update:visible', false);
}
},
handleConfirm() {
this.$emit('confirm');
}
}
};
</script>
<style scoped>
.dialog-footer {
display: flex;
justify-content: flex-end;
gap: 10px;
align-items: center;
}
</style>

View File

@@ -0,0 +1,410 @@
<template>
<div class="vertical-wizard-container">
<div class="main-form-content">
<section class="form-section">
<h4 class="section-title">
<i class="el-icon-magic-stick"></i> 1. {{ $t('autoPromotion.selectTemplateStyleTitle') }}
</h4>
<div class="template-card" @click="emitOpenTemplateSelector">
<div v-if="!hasSelectedTemplate" class="empty-state">
<i class="el-icon-plus"></i>
<p>{{ $t('autoPromotion.clickToChooseTemplate') }}</p>
</div>
<div v-else class="selected-content">
<div class="thumb-wrapper">
<div class="thumb-box-mini" v-if="selectedTemplateThumbHtml" >
<div v-html="selectedTemplateThumbHtml" style="zoom:0.7; pointer-events:none; user-select:none;">
</div></div>
<div v-else class="thumb-placeholder">{{ $t('autoPromotion.noPreview') }}</div>
</div>
<div class="info-wrapper">
<div class="tpl-name">{{ $t('autoPromotion.templateName') }}: {{ displayTemplateName }}</div>
<div class="tpl-style">{{ $t('autoPromotion.styleName') }}: {{ selectedStyleName || $t('autoPromotion.defaultStyle') }}</div>
</div>
<div class="action-wrapper">
<el-button type="primary" size="small" plain icon="el-icon-refresh">{{ $t('autoPromotion.changeTemplate') }}</el-button>
</div>
</div>
</div>
</section>
<!-- <el-divider></el-divider>
<section class="form-section">
<h4 class="section-title">
<i class="el-icon-date"></i> 2. 规划发送计划
</h4>
<el-form label-width="120px" size="small">
<el-row :gutter="20">
<el-col :span="12">
<el-form-item label="每日执行时间">
<el-time-picker
v-model="config.defaultTime"
value-format="HH:mm:ss"
placeholder="选择时间"
style="width: 100%"
/>
</el-form-item>
</el-col>
<el-col :span="12">
<el-form-item label="任务生效日期">
<el-date-picker
:value="wizardStartDate"
type="date"
placeholder="选择开始日期"
style="width: 100%"
@input="$emit('update:wizardStartDate', $event)"
/>
</el-form-item>
</el-col>
</el-row>
</el-form>
</section> -->
<el-divider></el-divider>
<section class="form-section">
<h4 class="section-title">
<i class="el-icon-finished"></i> 2. {{ $t('autoPromotion.confirmAndEnable') }}
</h4>
<div class="status-confirm-box">
<el-radio-group v-model="config.enabled">
<el-radio :label="false">{{ $t('autoPromotion.onlySaveConfig') }}</el-radio>
<el-radio :label="true">{{ $t('autoPromotion.enableNowNextDay') }}</el-radio>
</el-radio-group>
</div>
</section>
</div>
</div>
</template>
<script>
export default {
name: 'AutoPromotionWizardContent',
props: {
config: { type: Object, required: true },
wizardStartDate: { type: [String, Date], default: '' },
currentJournalName: { type: String, default: '' },
selectedTemplateThumbHtml: { type: String, default: '' },
selectedTemplateName: { type: String, default: '' },
selectedStyleName: { type: String, default: '' }
},
computed: {
hasSelectedTemplate() {
const id = this.config && this.config.defaultTemplateId != null ? String(this.config.defaultTemplateId) : '';
return id !== '' && id !== '0';
},
displayTemplateName() {
return this.selectedTemplateName || (this.hasSelectedTemplate ? String(this.config.defaultTemplateId) : '');
}
},
methods: {
emitOpenTemplateSelector() {
this.$emit('open-template-selector');
}
}
};
</script>
<style scoped>
.template-placeholder .inner {
display: flex;
flex-direction: column;
align-items: center;
justify-content: center;
min-height: 150px;
}
.template-placeholder .inner.selected {
display: block;
min-height: unset;
color: #333;
}
.template-placeholder .inner i {
font-size: 30px;
}
.selected-text {
flex: 1;
min-width: 0;
}
.tpl-line {
color: #606266;
line-height: 20px;
}
.style-line {
color: #909399;
font-size: 12px;
line-height: 18px;
margin-top: 2px;
}
.vertical-wizard-container {
display: flex;
gap: 30px;
padding: 0;
align-items: flex-start;
}
.side-nav {
width: 120px;
flex-shrink: 0;
padding-top: 0;
}
.main-form-content {
flex: 1;
max-height: 80vh;
padding-top: 0;
padding-right: 15px;
}
.form-section {
margin-bottom: 10px;
}
.section-title {
margin: 0 0 20px 0;
font-size: 15px;
color: #303133;
display: flex;
align-items: center;
}
.section-title i {
margin-right: 8px;
color: #409EFF;
font-size: 18px;
}
/* 优化后的模板选择框 */
.template-placeholder.mini-mode {
width: 100%;
padding: 15px;
min-height: 60px;
box-sizing: border-box;
background: #f8f9fb;
}
.template-placeholder.mini-mode .inner {
min-height: 60px;
}
.status-confirm-box {
padding: 15px;
/* background: #f0f9eb; */
border-radius: 4px;
/* border: 1px inset #e1f3d8; */
}
.selected-meta {
display: flex;
align-items: center;
}
/* 调整分割线间距 */
.el-divider--horizontal {
margin: 24px 0;
}
.vertical-wizard-container {
display: flex;
gap: 40px;
padding: 20px;
background: #fff;
}
/* 侧边导航核心样式 */
.side-nav {
width: 240px; /* 调宽一点以容纳副标题 */
flex-shrink: 0;
}
.step-item {
display: flex;
gap: 15px;
min-height: 80px; /* 虚线的高度由这个控制 */
}
.step-node {
display: flex;
flex-direction: column;
align-items: center;
width: 32px;
}
/* 圆圈样式 */
.step-node .circle {
width: 28px;
height: 28px;
border: 2px solid #555; /* 默认深灰色 */
border-radius: 50%;
display: flex;
align-items: center;
justify-content: center;
font-size: 14px;
font-weight: bold;
color: #555;
background: #fff;
z-index: 2;
}
/* 激活状态的蓝色圆圈 */
.step-item.active .circle {
background: #006699; /* 对应图片里的蓝色 */
border-color: #006699;
color: #fff;
}
/* 虚线连接 */
.step-node .line {
flex: 1;
width: 0;
border-left: 2px dotted #ccc; /* 灰色虚线 */
margin: 4px 0;
}
/* 文字内容 */
.step-content {
padding-top: 2px;
}
.step-content .title {
font-family: "Georgia", serif; /* 模仿图片里的衬线字体感 */
font-size: 16px;
font-weight: bold;
color: #333;
margin-bottom: 4px;
}
.step-item.active .step-content .title {
color: #006699;
}
.step-content .sub {
font-size: 13px;
color: #999;
line-height: 1.4;
}
/* 最后一个节点不需要虚线 */
.step-item.last {
min-height: auto;
}
/* 右侧内容滚动优化 */
.main-form-content {
flex: 1;
max-height: 80vh;
overflow-y: auto;
}
/* 模板选择卡片整体 */
.template-card {
border: 1px solid #ebeef5;
border-radius: 8px;
background: #fcfdfe;
transition: all 0.3s;
cursor: pointer;
overflow: hidden;
}
.template-card:hover {
border-color: #006699;
box-shadow: 0 4px 12px rgba(0, 102, 153, 0.1);
}
/* 空状态 */
.empty-state {
display: flex;
flex-direction: column;
align-items: center;
justify-content: center;
padding: 40px 0;
color: #909399;
}
.empty-state i {
font-size: 28px;
margin-bottom: 10px;
}
/* 已选择内容布局 */
.selected-content {
display: flex;
align-items: center;
padding: 16px 20px;
}
/* 缩略图容器 - 保持比例 */
.thumb-wrapper {
margin-right: 20px;
}
.thumb-box-mini {
width: 120px; /* 稍微调小一点,显得精致 */
height: 160px;
border: 1px solid #e4e7ed;
border-radius: 4px;
overflow: hidden;
background: #fff;
display: flex;
align-items: center;
justify-content: center;
}
/* 处理 v-html 内部图片的样式 */
.thumb-box-mini >>> img {
width: 100%;
height: 100%;
object-fit: contain;
}
/* 文字信息 */
.info-wrapper {
flex: 1;
}
.tpl-name {
font-size: 16px;
font-weight: 600;
color: #303133;
margin-bottom: 6px;
font-family: "Georgia", serif;
}
.tpl-style {
font-size: 13px;
color: #909399;
}
/* 操作按钮靠右 */
.action-wrapper {
margin-left: auto;
}
/* 激活自动推广的 Radio 样式美化 */
.status-confirm-box {
padding: 20px;
background: #f4f7f9;
border-radius: 6px;
}
/* 覆盖 Element Radio 样式,使其更醒目 */
.status-confirm-box >>> .el-radio-group {
display: flex;
gap: 30px;
}
</style>

View File

@@ -0,0 +1,68 @@
<template>
<el-dialog
:title="`期刊管理: ${journal.title}`"
:visible.sync="localVisible"
width="1200px"
top="5vh"
destroy-on-close
>
<div v-if="mode === 'wizard' || mode === 'config'" class="wizard-container">
<auto-promotion-wizard
mode="inline"
:config="config"
@confirm="handleConfigSuccess"
/>
</div>
<div v-else class="manage-container">
<div class="list-header" style="margin-bottom: 20px;">
<el-button size="small" icon="el-icon-back" @click="mode = 'config'">修改全局配置</el-button>
<el-button size="small" type="primary" icon="el-icon-plus" style="float:right">添加特例任务</el-button>
</div>
<el-table :data="list" border stripe size="small">
</el-table>
</div>
</el-dialog>
</template>
<script>
import AutoPromotionWizard from './AutoPromotionWizard.vue';
export default {
components: { AutoPromotionWizard },
props: {
visible: Boolean,
journal: Object,
initialMode: String // 'list' | 'wizard' | 'config'
},
data() {
return {
mode: this.initialMode,
list: [], // 列表数据
config: { initialized: false } // 配置数据
};
},
computed: {
localVisible: {
get() { return this.visible; },
set(val) { this.$emit('update:visible', val); }
}
},
mounted() {
this.initData();
},
methods: {
async initData() {
// 1. 加载 Config
// 2. 如果是 list 模式,加载 fetchList
},
handleConfigSuccess() {
this.$message.success("配置更新成功");
this.mode = 'list'; // 自动切换回列表模式
this.$emit('refresh'); // 通知父级刷新大盘状态
}
}
}
</script>

File diff suppressed because it is too large Load Diff

View File

@@ -5,11 +5,16 @@
</template>
<script>
import CommonJS from '@/common/js/commonJS'
export default {
name: 'TinyEditor',
props: {
value: { type: String, default: '' },
id: { type: String, default: () => 'tiny-' + +new Date() }
id: { type: String, default: () => 'tiny-' + +new Date() },
showSelectTemplateButton: { type: Boolean, default: false },
// 仅在需要的页面开启“安全初始化内容”
useSafeInitContent: { type: Boolean, default: false }
},
data() {
return {
@@ -114,21 +119,26 @@ autoInlineStyles(htmlContent) {
return "<!DOCTYPE html>\n" + doc.documentElement.outerHTML;
},
initTiny() {
const vueInstance = this;
const hasTemplateBtn = this.showSelectTemplateButton;
window.tinymce.init({
selector: `#${this.tinymceId}`,
language: 'zh_CN', // 记得下载语言包,没有就删掉这行
height: 500,
// 核心配置:允许所有 HTML 标签和样式,这对比邮件模板至关重要
valid_children: '+body[style],+p[style],+div[style]',
extended_valid_elements: 'style,meta,title',
valid_children: '+body[tr],+body[thead],+body[tbody],+body[table],+body[style],+p[style],+div[style]',
extended_valid_elements: 'div[*],table[*],tr[*],td[*],img[*],style',
custom_elements: 'style,meta,title',
verify_html: false, // 关闭 HTML 校验,防止自动删掉你的邮件结构
forced_root_block: '', // 停止自动包裹 <p> 标签
// 插件需要包含这些,否则工具栏按钮不会显示
plugins: 'code link image table lists fullscreen directionality codesample preview charmap autolink nonbreaking',
plugins: 'code link table lists fullscreen directionality codesample preview charmap autolink nonbreaking',
// 按照图片布局精准排序:
toolbar: 'undo redo | code preview | fontselect fontsizeselect | formatselect | bold italic underline strikethrough | forecolor backcolor | bullist numlist | lineheight outdent indent | alignleft aligncenter alignright alignjustify | image table link | fullscreen',
toolbar: hasTemplateBtn
? 'undo redo | selectTemplate | code preview | fontselect fontsizeselect | formatselect | bold italic underline strikethrough | forecolor backcolor | bullist numlist | lineheight outdent indent | alignleft aligncenter alignright alignjustify | table link | fullscreen'
: 'undo redo | code preview | fontselect fontsizeselect | formatselect | bold italic underline strikethrough | forecolor backcolor | bullist numlist | lineheight outdent indent | alignleft aligncenter alignright alignjustify | table link | fullscreen',
// 补充:让字体和字号选择器更有序
fontsize_formats: '12px 14px 16px 18px 24px 36px 48px',
@@ -137,18 +147,51 @@ autoInlineStyles(htmlContent) {
promotion: false,
// 邮件编辑优化:允许在源码中看到完整的 html 结构
fullpage_enabled: true,
setup(editor) {
// 自定义 Select Template 按钮(触发 Vue 事件给父组件,按需显示)
if (hasTemplateBtn) {
editor.ui.registry.addButton('selectTemplate', {
text: 'Select Template ▾',
onAction() {
vueInstance.$emit('onSelectTemplate');
}
});
}
// 统一给自定义按钮加样式(无按钮时不会产生影响)
CommonJS.inTinymceButtonClass();
},
init_instance_callback: (editor) => {
this.editor = editor;
if (this.value) {
editor.setContent(this.value);
const initContent = this.useSafeInitContent
? this.prepareContentForEditor(this.value)
: this.value;
editor.setContent(initContent);
}
// 监听内容变化
editor.on('NodeChange Change KeyUp SetContent', () => {
this.$emit('input', editor.getContent());
vueInstance.$emit('input', editor.getContent());
});
}
});
},
// 假设 rawHtml 是你那一大串完整的 HTML
prepareContentForEditor(rawHtml) {
// 1. 分离出 Head 及其之前的部分 (包含 doctype, html, head)
const headMatch = rawHtml.match(/([\s\S]*?)<body([\s\S]*?)>/i);
this.originalFullHead = headMatch ? headMatch[0] : ''; // 备份头部
// 2. 提取 Body 内部内容,并将 <body> 换成 <div>
// 这样 TinyMCE 就不会因为 fullpage 插件失效而删掉它
let bodyContent = rawHtml.replace(/([\s\S]*?)<body([\s\S]*?)>/i, '')
.replace(/<\/body>([\s\S]*?)<\/html>/i, '');
// 返回给编辑器的内容:用一个特殊的 div 包裹
return `<div id="mail-body-temp" style="margin:0;padding:0;">${bodyContent}</div>`;
},
// 获取经过行内样式转换后的内容
getInlinedContent() {
if (!this.editor) return '';

View File

@@ -2,10 +2,7 @@
<div class="mail-detail-container">
<div class="detail-toolbar">
<div class="toolbar-left">
<!-- <el-tooltip content="回复" placement="bottom"><i class="el-icon-chat-line-square action-icon"></i></el-tooltip>
<el-tooltip content="转发" placement="bottom"><i class="el-icon-position action-icon"></i></el-tooltip>
<el-tooltip content="删除" placement="bottom"><i class="el-icon-delete action-icon" style="color: #fb2c36;"></i></el-tooltip>
-->
<h1 class="mail-subject-top">{{ $t('mailboxCollect.subject') }}{{ mailData.subject }}</h1>
</div>
<div class="toolbar-right">
<!-- <i class="el-icon-star-off action-icon"></i> -->
@@ -14,8 +11,6 @@
</div>
<div class="detail-scroll-content">
<h1 class="mail-subject">{{ mailData.subject }}</h1>
<div class="mail-header-info">
<el-avatar :size="40" class="sender-avatar">{{ (mailData.from_name || 'U')[0] }}</el-avatar>
<div class="info-main">
@@ -112,9 +107,8 @@
// 提取日期信息用于比较
const dateYear = date.getFullYear();
const dateMonth = date.getMonth() + 1;
const dateDay = date.getDate();
const nowYear = now.getFullYear();
const lang = localStorage.getItem('langs') === 'zh' ? 'zh-CN' : 'en-US';
// 获取昨天日期
const yesterday = new Date(now);
@@ -134,15 +128,17 @@
// 2. 如果是昨天:只显示 "昨天"
if (date.toDateString() === yesterday.toDateString()) {
return '昨天';
return this.$t('mailboxCollect.yesterday');
}
// 3. 如果是今年(非今天/昨天):显示 "月-日",如 "3月8日"
// 3. 如果是今年(非今天/昨天):按语言显示月日
if (dateYear === nowYear) {
return `${dateMonth}${dateDay}`;
return new Intl.DateTimeFormat(lang, { month: 'short', day: 'numeric' }).format(date);
}
// 4. 如果是往年:显示完整年月日,如 "2025-12-05"
const dateMonth = date.getMonth() + 1;
const dateDay = date.getDate();
const fullMonth = dateMonth.toString().padStart(2, '0');
const fullDay = dateDay.toString().padStart(2, '0');
return `${dateYear}-${fullMonth}-${fullDay}`;
@@ -161,14 +157,21 @@
/* 顶部工具栏 */
.detail-toolbar { padding: 10px 20px; border-bottom: 1px solid #f0f0f0; display: flex; justify-content: space-between; align-items: center; }
.action-icon { font-size: 18px; color: #606266; cursor: pointer; margin-right: 20px; }
.toolbar-left { flex: 1; min-width: 0; }
.mail-subject-top {
margin: 0;
font-size: 18px;
font-weight: bold;
color: #303133;
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
}
.action-icon { font-size: 18px; color: #606266; cursor: pointer; }
.action-icon:hover { color: #409EFF; }
.detail-scroll-content { flex: 1; overflow-y: auto; padding: 20px 40px; }
/* 邮件标题 */
.mail-subject { font-size: 20px; font-weight: bold; margin-bottom: 25px; color: #303133; }
/* 头部信息 */
.mail-header-info { display: flex; margin-bottom: 30px; }
.info-main { flex: 1; margin-left: 15px; }

View File

@@ -0,0 +1,534 @@
<template>
<el-dialog
:title="dialogTitle"
:visible.sync="visible"
:close-on-click-modal="false"
width="90%"
top="5vh"
destroy-on-close
:before-close="handleClose"
custom-class="template-modal"
>
<div class="template-wrapper">
<div class="selection-panel">
<div class="selection-header">
<el-button
type="text"
size="mini"
icon="el-icon-refresh"
:disabled="initLoading || contentLoading || !selectedJournalId"
:title="$t('mailTemplate.refresh')"
@click="refreshTemplatesAndStyles"
/>
</div>
<el-tabs v-model="activeStep">
<el-tab-pane :label="$t('mailTemplate.templateTab')" name="content">
<div class="card-grid" v-loading="contentLoading">
<div
v-for="(item, index) in contentTemplates"
:key="item.id"
:class="['card-item', { active: selectedContentId === item.id }]"
@click="selectedContentId = item.id"
>
<p class="card-title" style="text-align: left; margin-top: 0">
<span>{{ index + 1 }}. </span>{{ item.name }}<br /><span style="color: #888">{{ item.subject }}</span>
</p>
</div>
</div>
</el-tab-pane>
<el-tab-pane :label="$t('mailTemplate.styleTab')" name="style">
<div class="card-grid">
<div
v-for="(item, index) in headerStyles"
:key="item.id"
:class="['card-item', { active: selectedHeaderId === item.id }]"
@click="selectedHeaderId = item.id"
>
<div class="card-img" @click.stop="selectedHeaderId = item.id">
<div
v-html="item.htmlHeader + item.htmlFooter"
style="zoom: 0.15; pointer-events: none; user-select: none"
></div>
</div>
<p class="card-title">
<span>{{ index + 1 }}. </span>{{ item.name }}
</p>
<p class="card-desc" :class="{ expanded: expandedHeaderId === item.id }" @click.stop="toggleDesc(item.id)">
{{ item.description }}
</p>
</div>
</div>
</el-tab-pane>
</el-tabs>
</div>
<div class="preview-panel">
<div class="preview-head">
<div class="preview-label">LIVE PREVIEW</div>
<div class="selected-info-inline">Selected: <strong>{{ currentSelectionText }}</strong></div>
</div>
<div class="preview-container" v-loading="initLoading" :element-loading-text="$t('mailTemplate.loading')">
<div v-if="!initLoading && !hasValidPreview" class="preview-empty-state">
<div class="preview-empty-text">{{ $t('mailTemplate.noTemplateTip') }}</div>
<el-button type="primary" size="mini" class="preview-empty-btn" @click="goToMailTemplateList">
{{ $t('mailTemplate.addTemplateBtn') }}
</el-button>
</div>
<div v-else-if="hasValidPreview" class="mail-render-box" v-html="combinedHtml"></div>
</div>
</div>
</div>
<div slot="footer" class="dialog-footer">
<div>
<el-button @click="handleClose" style="">Cancel</el-button>
<el-button
type="primary"
icon="el-icon-check"
:disabled="applyDisabled"
:class="{ 'apply-btn-disabled-soft': applyDisabled }"
@click="submit"
>
Apply Template
</el-button>
</div>
</div>
</el-dialog>
</template>
<script>
export default {
props: {
visible: Boolean,
// 非发送邮件页面可由父组件显式传入期刊 ID发送邮件页不传则自动读取本地缓存
journalId: { type: [String, Number], default: '' },
// 可选:由父组件传入期刊名称,避免单期刊场景显示为 journal_id
journalLabel: { type: String, default: '' },
// 可选:打开时回显的风格/模板
initialStyleId: { type: [String, Number], default: '' },
initialTemplateId: { type: [String, Number], default: '' },
// 可选:来源页面标识,用于回跳时决定 mailboxMouldDetail 返回到哪里
// 例如:'autoPromotion':返回自动化推广;默认返回邮件模版列表
returnSource: { type: String, default: '' }
},
data() {
return {
activeStep: 'content',
// 期刊过滤
journalOptions: [],
selectedJournalId: null,
selectedHeaderId: null,
selectedContentId: null,
expandedHeaderId: null,
// 头部样式列表(通过接口获取)
headerStyles: [],
contentTemplates: [],
contentLoading: false,
// 右侧预览整体加载态:等风格/模版接口都返回后再展示“无数据提示”
initLoading: false
};
},
watch: {
// 父组件动态切换期刊时,弹窗内同步刷新(不依赖地址栏)
journalId: {
handler(val) {
if (val == null || val === '') return;
const next = String(val);
if (String(this.selectedJournalId) === next) return;
// 不依赖期刊列表:直接切换期刊并刷新样式/模板
this.selectedJournalId = Number(next);
if (!Array.isArray(this.journalOptions) || !this.journalOptions.some((j) => String(j.id) === next)) {
const label = this.journalLabel ? this.journalLabel : next;
this.journalOptions = [{ id: this.selectedJournalId, label: label }];
}
this.handleJournalChange();
},
immediate: false
},
visible(val) {
if (val) this.applyInitialSelection();
}
},
created() {
// 初始化:优先父组件传入 journalId其次本地缓存发送邮件页最后默认第一本期刊
if (this.journalId != null && this.journalId !== '') {
this.initForSingleJournal();
} else {
this.fetchJournals();
}
},
computed: {
applyDisabled() {
return this.initLoading || this.contentLoading || !this.selectedHeaderId || !this.selectedContentId;
},
hasValidPreview() {
const header = this.headerStyles.find((h) => h.id === this.selectedHeaderId);
const content = this.contentTemplates.find((c) => c.id === this.selectedContentId);
return !!(header && content);
},
// 【关键】拼接 HTML
combinedHtml() {
if (this.initLoading) return '';
if (!this.hasValidPreview) return '';
const header = this.headerStyles.find((h) => h.id === this.selectedHeaderId);
const content = this.contentTemplates.find((c) => c.id === this.selectedContentId);
return `${header.htmlHeader}${content.bodyHtml}${header.htmlFooter}`;
},
currentSelectionText() {
const h = this.headerStyles.find((h) => h.id === this.selectedHeaderId);
const c = this.contentTemplates.find((c) => c.id === this.selectedContentId);
return `${c ? c.name : ''} + ${h ? h.name : ''}`;
},
currentJournalLabel() {
const j = (this.journalOptions || []).find((item) => String(item.id) === String(this.selectedJournalId));
return j ? j.label : '-';
},
dialogTitle() {
return `Template Selection - ${this.currentJournalLabel}`;
}
},
methods: {
async refreshTemplatesAndStyles() {
if (!this.selectedJournalId) return;
this.initLoading = true;
try {
// 清空后重新拉取,避免接口数据变更后列表仍展示旧内容
this.headerStyles = [];
this.contentTemplates = [];
this.selectedHeaderId = null;
this.selectedContentId = null;
await this.fetchHeaderStyles();
await this.fetchContentTemplates();
// 优先按父组件传入的初始 id 回填;如果找不到就使用默认第一条
this.applyInitialSelection();
} finally {
this.initLoading = false;
}
},
async initForSingleJournal() {
const idStr = this.journalId != null ? String(this.journalId) : '';
if (!idStr) return;
this.initLoading = true;
try {
this.selectedJournalId = Number(idStr);
// 单期刊场景:不需要拉取期刊列表
const label = this.journalLabel ? this.journalLabel : idStr;
this.journalOptions = [{ id: this.selectedJournalId, label: label }];
await this.fetchHeaderStyles();
await this.fetchContentTemplates();
this.applyInitialSelection();
} finally {
this.initLoading = false;
}
},
// 获取期刊列表用于过滤模板
async fetchJournals() {
this.initLoading = true;
try {
const res = await this.$api.post('api/Journal/getAllJournal', {});
if (!res || res.code !== 0) {
return;
}
this.journalOptions = res.data.journals.map((j) => ({
id: j.journal_id,
label: j.title
}));
if (this.journalOptions.length) {
// 选择期刊优先级:父组件传入 > 本地缓存 > 第一条
const propJournalId = this.journalId != null && this.journalId !== '' ? String(this.journalId) : '';
const storedJournalId = localStorage.getItem('mailboxCollect_journal_id') || '';
const hasProp = propJournalId && this.journalOptions.some((j) => String(j.id) === propJournalId);
const hasStored = storedJournalId && this.journalOptions.some((j) => String(j.id) === String(storedJournalId));
this.selectedJournalId = hasProp
? Number(propJournalId)
: hasStored
? Number(storedJournalId)
: this.journalOptions[0].id;
// 根据选中的期刊加载风格与模板
await this.fetchHeaderStyles();
await this.fetchContentTemplates();
this.applyInitialSelection();
}
} catch (e) {
// 静默失败
} finally {
this.initLoading = false;
}
},
toggleDesc(id) {
this.expandedHeaderId = this.expandedHeaderId === id ? null : id;
},
async handleJournalChange() {
// 切换期刊时重新拉取样式和模板
this.contentTemplates = [];
this.selectedContentId = null;
this.initLoading = true;
try {
await this.fetchHeaderStyles();
await this.fetchContentTemplates();
this.applyInitialSelection();
if (this.contentTemplates.length && !this.selectedContentId) {
this.selectedContentId = this.contentTemplates[0].id;
}
} finally {
this.initLoading = false;
}
},
// 调用接口获取头部样式列表
async fetchHeaderStyles() {
try {
const res = await this.$api.post('api/mail_template/listStyles', {
journal_id: this.selectedJournalId
});
if (!res || res.code !== 0) {
return;
}
// 后端返回字段style_id, name, header_html, footer_html
this.headerStyles = res.data.list.map((item) => ({
id: item.style_id,
name: item.name,
description: item.description || '',
htmlHeader: item.header_html || '',
htmlFooter: item.footer_html || ''
}));
// 默认选中第一条
if (this.headerStyles.length && !this.selectedHeaderId) {
this.selectedHeaderId = this.headerStyles[0].id;
}
} catch (e) {
// 静默失败,避免打断用户流程
}
},
// 调用接口获取内容模板列表
async fetchContentTemplates() {
try {
this.contentLoading = true;
const res = await this.$api.post('api/mail_template/listTemplates', {
journal_id: this.selectedJournalId
});
if (!res || res.code !== 0) {
return;
}
// 后端返回字段template_id, title, body_html 等
this.contentTemplates = res.data.list.map((item) => ({
id: item.template_id,
name: item.title,
subject: item.subject,
bodyHtml: item.body_html || ''
}));
// 默认选中第一条
if (this.contentTemplates.length && !this.selectedContentId) {
this.selectedContentId = this.contentTemplates[0].id;
}
} catch (e) {
// 静默失败
} finally {
this.contentLoading = false;
}
},
applyInitialSelection() {
const initStyle = this.initialStyleId != null && this.initialStyleId !== '' ? String(this.initialStyleId) : '';
const initTpl = this.initialTemplateId != null && this.initialTemplateId !== '' ? String(this.initialTemplateId) : '';
if (initStyle && Array.isArray(this.headerStyles)) {
const matchedStyle = this.headerStyles.find((h) => String(h.id) === initStyle);
if (matchedStyle) this.selectedHeaderId = matchedStyle.id;
}
if (initTpl && Array.isArray(this.contentTemplates)) {
const matchedTpl = this.contentTemplates.find((t) => String(t.id) === initTpl);
if (matchedTpl) this.selectedContentId = matchedTpl.id;
}
},
goToMailTemplateList() {
// 点击“去新增模板”时:除了关闭自身弹窗,还通知父级关闭其它弹窗,避免路由跳转时卡顿
this.$emit('close-all-dialogs');
this.handleClose();
this.$nextTick(() => {
const journalId =
this.selectedJournalId != null && this.selectedJournalId !== ''
? String(this.selectedJournalId)
: this.journalId != null && this.journalId !== ''
? String(this.journalId)
: '';
this.$router.push({
path: '/mailboxMouldDetail',
query: Object.assign(
{},
journalId ? { journal_id: journalId } : {},
this.returnSource === 'autoPromotion' ? { from_auto_promotion: '1' } : {}
),
});
});
},
handleClose() {
this.$emit('update:visible', false);
},
submit() {
if (this.applyDisabled) return;
// 将拼接好的 HTML 及选择信息抛给父组件(兼容:父组件也可只用 html
const header = this.headerStyles.find((h) => h.id === this.selectedHeaderId);
const content = this.contentTemplates.find((c) => c.id === this.selectedContentId);
this.$emit('confirm', {
html: this.combinedHtml,
journal_id: this.selectedJournalId,
style_id: this.selectedHeaderId,
template_id: this.selectedContentId,
style: header || null,
template: content || null
});
this.handleClose();
}
}
};
</script>
<style scoped>
.template-wrapper {
display: flex;
height: 70vh;
gap: 20px;
}
.selection-panel {
width: 260px;
border-right: 1px solid #eee;
padding-right: 10px;
overflow-y: auto;
position: relative;
}
.selection-header {
position: absolute;
top: 8px;
right: 8px;
padding: 0;
display: flex;
justify-content: flex-end;
z-index: 2;
}
.journal-filter-form {
padding-right: 8px;
}
.preview-panel {
flex: 1;
background: #f4f6f8;
padding: 20px;
display: flex;
flex-direction: column;
}
.preview-label {
font-weight: bold;
color: #999;
font-size: 12px;
}
.preview-head {
display: flex;
align-items: center;
justify-content: space-between;
margin-bottom: 10px;
}
.selected-info-inline {
color: #666;
font-size: 12px;
white-space: nowrap;
}
.preview-container {
background: #fff;
flex: 1;
border-radius: 4px;
overflow-y: auto;
box-shadow: 0 4px 12px rgba(0, 0, 0, 0.05);
}
.preview-empty-state {
height: 100%;
display: flex;
flex-direction: column;
align-items: center;
justify-content: center;
padding: 40px 20px;
color: #999;
text-align: center;
}
.preview-empty-text {
font-size: 14px;
line-height: 1.6;
margin-bottom: 14px;
}
.preview-empty-btn {
margin-top: 0;
}
.card-grid {
display: flex;
flex-direction: column;
gap: 12px;
margin-top: 15px;
}
.card-item {
border: 1px solid #ddd;
border-radius: 8px;
padding: 8px;
cursor: pointer;
transition: 0.3s;
}
.card-item.active {
border-color: #6366f1;
background: #f5f7ff;
outline: 1px solid #6366f1;
}
.card-img {
width: 100%;
height: auto;
border-radius: 4px;
}
.card-title {
font-size: 13px;
margin: 8px 0 0;
text-align: center;
color: #666;
}
.card-desc {
font-size: 12px;
color: #888;
margin-top: 4px;
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
cursor: pointer;
}
.card-desc.expanded {
white-space: normal;
overflow: visible;
}
.dialog-footer {
display: flex;
justify-content: flex-end;
align-items: center;
width: 100%;
}
/* 加载中/未选择时:按钮禁用且浅蓝色 */
.apply-btn-disabled-soft.is-disabled {
background-color: #d9ecff !important;
border-color: #d9ecff !important;
color: #8fbef5 !important;
}
</style>

View File

@@ -0,0 +1,174 @@
<template>
<div class="tmr-editor-container">
<div class="editor-header">
<span class="title"></span>
<button @click="showModal = true" class="preview-trigger-btn">
<i class="icon-eye"></i> {{ $t('tmrEmailEditor.preview') }}
</button>
</div>
<textarea
:value="plainText"
@input="handleInput"
:placeholder="resolvedPlaceholder"
class="tmr-textarea"
></textarea>
<transition name="fade">
<div v-if="showModal" class="tmr-modal-mask" @click.self="showModal = false">
<div class="tmr-modal-container">
<div class="modal-header">
<span>{{ $t('tmrEmailEditor.preview') }}</span>
<button class="close-btn" @click="showModal = false">&times;</button>
</div>
<div class="modal-body">
<div class="common_tmr_email_box" v-html="htmlContentForPreview"></div>
</div>
</div>
</div>
</transition>
</div>
</template>
<script>
export default {
name: 'TmrEmailEditor',
props: {
value: { type: String, default: '' },
placeholder: { type: String, default: '' }
},
data() {
return {
showModal: false // 控制弹窗显示
}
},
computed: {
resolvedPlaceholder() {
return this.placeholder || this.$t('tmrEmailEditor.placeholder');
},
// 剥离外壳给 textarea 显示
plainText() {
if (!this.value) return '';
const regex = /<div class="common_tmr_email_box">([\s\S]*?)<\/div>/i;
const match = this.value.match(regex);
const content = (match && match[1]) ? match[1] : this.value;
return content.replace(/<br\s*\/?>/gi, '\n');
},
// 提取内部内容用于预览
htmlContentForPreview() {
const regex = /<div class="common_tmr_email_box">([\s\S]*?)<\/div>/i;
const match = this.value.match(regex);
return match ? match[1] : this.value;
}
},
methods: {
handleInput(e) {
const rawValue = e.target.value;
const htmlContent = rawValue.replace(/\n/g, '<br>');
const finalResult = `<div class="common_tmr_email_box">${htmlContent}</div>`;
this.$emit('input', finalResult);
}
}
}
</script>
<style scoped>
/* 1. 基础布局 */
.tmr-editor-container { width: 100%; position: relative; }
.editor-header {
display: flex;
justify-content: space-between;
align-items: center;
padding: 8px 0;
}
.preview-trigger-btn {
background: #f0f2f5;
border: 1px solid #dcdfe6;
padding: 5px 12px;
border-radius: 4px;
cursor: pointer;
color: #606266;
font-size: 13px;
}
.preview-trigger-btn:hover { color: #409eff; border-color: #c6e2ff; background: #ecf5ff; }
.tmr-textarea {
width: 100%;
min-height: 70vh;
padding: 15px;
border: 1px solid #e4e7ed;
border-radius: 4px;
font-size: 14px;
line-height: 1.6;
box-sizing: border-box;
resize: vertical;
}
/* 2. 弹窗动画 */
.fade-enter-active, .fade-leave-active { transition: opacity 0.3s; }
.fade-enter, .fade-leave-to { opacity: 0; }
/* 3. 弹窗样式 */
.tmr-modal-mask {
position: fixed;
z-index: 9998;
top: 0;
left: 0;
width: 100%;
height: 100%;
background-color: rgba(0, 0, 0, 0.5);
display: flex;
justify-content: center;
align-items: center;
}
.tmr-modal-container {
width: 1000px;
max-width: 90%;
background-color: #fff;
border-radius: 8px;
box-shadow: 0 2px 12px 0 rgba(0,0,0,.1);
overflow: hidden;
}
.modal-header {
padding: 15px 20px;
border-bottom: 1px solid #eee;
display: flex;
justify-content: space-between;
font-weight: bold;
}
.close-btn { border: none; background: none; font-size: 20px; cursor: pointer; color: #909399; }
.modal-body {
padding: 20px;
min-height: 60vh;
overflow-y: auto;
text-align: left;
}
.modal-footer {
padding: 10px 20px;
border-top: 1px solid #eee;
text-align: right;
}
.confirm-btn {
background: #409eff;
color: #fff;
border: none;
padding: 8px 20px;
border-radius: 4px;
cursor: pointer;
}
/* 确保预览区域样式正确渲染 */
.common_tmr_email_box {
word-break: break-all;
line-height: 1.6;
}
</style>

View File

@@ -0,0 +1,316 @@
<template>
<div class="scholar-db-container">
<div class="crumbs">
<el-breadcrumb separator="/">
<el-breadcrumb-item>
<i class="el-icon-user"></i> {{ $t('sidebar.expertDatabase') }}
</el-breadcrumb-item>
</el-breadcrumb>
</div>
<div class="toolbar">
<div class="filters">
<el-form :inline="true" :model="query" size="small">
<el-form-item label="">
<el-cascader
ref="cascader"
@change="handleChange"
v-model="major_id"
:placeholder="$t('expertDatabase.fieldSelectPlaceholder')"
:options="options"
:props="getProps()"
style="width: 260px"
></el-cascader>
</el-form-item>
<el-form-item label="">
<el-input
v-model="query.keyword"
:placeholder="$t('expertDatabase.keywordPlaceholder')"
clearable
style="width: 260px"
/>
</el-form-item>
<el-form-item>
<el-button type="primary" icon="el-icon-search" :loading="loading" @click="handleSearch">
{{ $t('expertDatabase.searchBtn') }}
</el-button>
<el-button @click="handleReset">{{ $t('expertDatabase.resetBtn') }}</el-button>
</el-form-item>
</el-form>
</div>
<div class="actions">
<el-button type="success" icon="el-icon-download" @click="handleExport" :loading="exportLoading">
{{ $t('expertDatabase.downloadExcelBtn') }}
</el-button>
</div>
</div>
<el-card class="table-card" shadow="never">
<el-table :data="list" border stripe v-loading="loading" header-row-class-name="dark-table-header">
<el-table-column type="index" :label="$t('expertDatabase.table.no')" width="70" align="center"></el-table-column>
<el-table-column prop="name" :label="$t('expertDatabase.columns.baseInfo')" min-width="220">
<template slot-scope="scope">
<div>
<p class="info-row">
<span class="label">{{ $t('expertDatabase.fields.nameLabel') }}</span><span class="value bold">{{ scope.row.name }}</span>
</p>
<p class="info-row">
<span class="label">{{ $t('expertDatabase.fields.emailLabel') }}</span><span class="value link">{{ scope.row.email }}</span>
</p>
<p class="info-row" style="margin-top: 10px; font-size: 12px">
<span class="label">{{ $t('expertDatabase.fields.acquisitionTimeLabel') }}</span>
<span class="value time">{{ scope.row.ctime_text ? scope.row.ctime_text : '-' }}</span>
</p>
<span class="custom-tag">{{ scope.row.state_text }}</span>
</div>
</template>
</el-table-column>
<el-table-column prop="affiliation" :label="$t('expertDatabase.columns.affiliation')" min-width="260" />
<el-table-column prop="fieldDisplay" :label="$t('expertDatabase.columns.researchAreas')" min-width="200">
<template slot-scope="scope">
<div v-for="(field, index) in scope.row.fields" :key="index">
<span>
<span style="color: #006699">{{ index + 1 }}.</span>
{{ field.field }}
</span>
</div>
</template>
</el-table-column>
</el-table>
<div class="pagination">
<el-pagination
background
layout="total, sizes, prev, pager, next, jumper"
:current-page="query.pageIndex"
:page-size="query.pageSize"
:page-sizes="[10, 20, 50]"
:total="total"
@size-change="handleSizeChange"
@current-change="handlePageChange"
/>
</div>
</el-card>
</div>
</template>
<script>
import Common from '@/components/common/common';
export default {
name: 'expertDatabase',
data() {
return {
mediaUrl: Common.mediaUrl,
major_id: [],
query: {
major_id: null,
keyword: '',
pageIndex: 1,
pageSize: 10
},
options: [],
list: [],
total: 0,
loading: false,
exportLoading: false
};
},
created() {
this.loadFields();
this.fetchList();
},
methods: {
loadFields() {
this.$api.post('api/Major/getMajorList', {}).then((res) => {
const transformData = (data) => {
return data.map((item) => {
const transformedItem = {
...item,
value: item.major_id,
label: `${item.major_title}`
};
if (item.children && item.children.length > 0) {
transformedItem.children = transformData(item.children);
}
return transformedItem;
});
};
const root = (res.data.majors || []).find((item) => item.major_id == 1);
const data = root && root.children ? transformData(root.children) : [];
this.options = [...data];
});
},
handleChange() {
this.$nextTick(() => {
if (this.$refs.cascader && this.$refs.cascader.dropDownVisible !== undefined) {
this.$refs.cascader.dropDownVisible = false;
}
this.query.major_id = this.major_id[this.major_id.length - 1] || null;
this.query.pageIndex = 1;
this.fetchList();
});
},
getProps() {
return {
value: 'value',
label: 'label',
children: 'children',
checkStrictly: true,
expandTrigger: 'hover'
};
},
async fetchList() {
this.loading = true;
try {
const params = {
major_id: this.query.major_id,
keyword: this.query.keyword,
pageIndex: this.query.pageIndex,
pageSize: this.query.pageSize
};
const res = await this.$api.post('api/expert_manage/getList', params);
if (res && res.code === 0 && res.data) {
const rawList = res.data.list || [];
this.list = rawList.map((item) => {
const fieldArray = item.fields || [];
const fieldNames = fieldArray.map((f) => f.field).join(', ');
return {
...item,
fieldDisplay: fieldNames
};
});
this.total = res.data.total || 0;
} else {
this.list = [];
this.total = 0;
}
} catch (e) {
this.list = [];
this.total = 0;
} finally {
this.loading = false;
}
},
handleSearch() {
this.query.pageIndex = 1;
this.fetchList();
},
handleReset() {
this.major_id = [];
this.query = {
major_id: null,
keyword: '',
pageIndex: 1,
pageSize: 10
};
this.fetchList();
},
handleSizeChange(size) {
this.query.pageSize = size;
this.query.pageIndex = 1;
this.fetchList();
},
handlePageChange(page) {
this.query.pageIndex = page;
this.fetchList();
},
async handleExport() {
if (!this.query.major_id && !this.query.keyword) {
this.$message.warning(this.$t('expertDatabase.exportWarn'));
return;
}
this.exportLoading = true;
try {
const params = {
major_id: this.query.major_id,
keyword: this.query.keyword
};
const res = await this.$api.post('api/expert_manage/exportExcel', params);
if (res && res.code === 0 && res.data && res.data.file_url) {
window.open(this.mediaUrl + res.data.file_url, '_blank');
} else {
this.$message.error(res.msg || this.$t('expertDatabase.exportFailed'));
}
} catch (e) {
this.$message.error(e.msg || this.$t('expertDatabase.exportFailed'));
} finally {
this.exportLoading = false;
}
}
}
};
</script>
<style scoped>
.scholar-db-container {
padding: 0 10px;
}
.toolbar {
display: flex;
align-items: center;
justify-content: space-between;
margin-bottom: 15px;
margin-top: 15px;
}
.filters {
flex: 1;
margin: 0 20px;
margin-left: 0;
}
.actions {
white-space: nowrap;
}
.table-card {
margin-top: 10px;
}
.pagination {
margin-top: 15px;
text-align: right;
}
/deep/ .dark-table-header th {
background-color: #f5f7fa;
font-weight: 600;
}
/deep/ .el-form-item--mini.el-form-item,
.el-form-item--small.el-form-item {
margin-bottom: 0;
}
.custom-tag {
display: inline-block;
position: absolute;
right: 6px;
top: 0px;
color: #ce4f15;
font-size: 12px;
font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, sans-serif;
}
.info-row {
margin-bottom: 4px;
font-size: 14px;
display: flex;
align-items: center;
line-height: 1.2;
font-family: Arial, sans-serif;
}
.label {
color: #999;
margin-right: 8px;
flex-shrink: 0;
}
.value {
color: #333;
}
.value.bold {
font-weight: bold;
font-size: 15px;
}
.value.link {
color: #0066a1;
}
.value.time {
color: #888;
}
</style>

View File

@@ -1,7 +1,7 @@
<template>
<div class="mail-container">
<div class="mail-sidebar">
<div class="p-10" style="padding-left: 0px;padding-right: 0px;">
<div class="p-10">
<div class="sidebar-top-actions">
<el-button type="primary" icon="el-icon-plus" class="write-btn" @click="handleWrite">
{{ $t('mailboxCollect.writeBtn') }}
@@ -16,10 +16,10 @@
<i class="el-icon-message"></i> {{ $t('mailboxCollect.inboxTab') }}
<span class="badge" v-if="queryIn.num > 0">{{ queryIn.num }}</span>
</li>
<!-- <li :class="{ active: currentFolder === 'sent' }" @click="switchFolder('sent')">
<li :class="{ active: currentFolder === 'sent' }" @click="switchFolder('sent')">
<i class="el-icon-position"></i><span style="font-size: 14px;">{{ $t('mailboxCollect.outboxTab')}}</span>
</li>
<li @click="notImplemented"><i class="el-icon-document"></i> <span style="font-size: 14px;">{{ $t('mailboxCollect.draftsTab')}}</span> </li>
<!-- <li @click="notImplemented"><i class="el-icon-document"></i> <span style="font-size: 14px;">{{ $t('mailboxCollect.draftsTab')}}</span> </li>
<li @click="notImplemented"><i class="el-icon-delete"></i> <span style="font-size: 14px;">{{ $t('mailboxCollect.deletedTab')}}</span> </li>
-->
@@ -40,7 +40,7 @@
</div>
<div class="mail-list-panel" :style="{ width: listWidth + 'px' }" v-if="selectedAccount">
<div class="panel-header">
<!-- <div class="panel-header">
<el-input
v-model="searchKeyword"
prefix-icon="el-icon-search"
@@ -48,10 +48,16 @@
clearable
@change="handleSearch"
></el-input>
<!-- <el-button icon="el-icon-refresh" circle :loading="syncLoading" @click="handleSyncInbox" style="margin-left: 10px;"></el-button> -->
</div>
<el-button icon="el-icon-refresh" circle :loading="syncLoading" @click="handleSyncInbox" style="margin-left: 10px;"></el-button>
</div> -->
<div ref="listScrollArea" class="list-scroll-area" @scroll="onListScroll">
<div
ref="listScrollArea"
class="list-scroll-area"
@scroll="onListScroll"
v-loading="inboxLoading"
:element-loading-text="$t('mailboxCollect.loading')"
>
<template v-if="displayList.length > 0">
<div
v-for="item in displayList"
@@ -116,10 +122,10 @@
<el-dialog
:title="$t('mailboxCollect.selectAccountTitle')"
:visible.sync="accountDialogVisible"
width="600px"
width="800px"
append-to-body
:close-on-click-modal="false"
:show-close="false"
:show-close="true"
:before-close="handleAccountDialogBeforeClose"
>
<el-form inline style="margin-bottom: 10px;">
@@ -137,11 +143,10 @@
<el-table :data="accountList" v-loading="accountLoading" size="small">
<el-table-column prop="smtp_user" :label="$t('mailboxCollect.accountColumn')" />
<el-table-column prop="smtp_from_name" :label="$t('mailboxCollect.nameColumn')" />
<el-table-column :label="$t('mailboxCollect.operation')" width="100">
<el-table-column :label="$t('mailboxCollect.operation')" width="140">
<template slot-scope="scope">
<el-button type="primary" size="mini" @click="chooseAccount(scope.row)">
{{ $t('mailboxCollect.useBtn') }}
</el-button>
<span v-if="isCurrentAccount(scope.row)" class="current-account-text">{{ $t('mailboxCollect.currentAccountText') }}</span>
<el-button v-else type="primary" size="mini" @click="chooseAccount(scope.row)">{{ $t('mailboxCollect.switchColumn') }}</el-button>
</template>
</el-table-column>
</el-table>
@@ -156,7 +161,7 @@ const API = {
syncInbox: 'api/email_client/syncInbox',
getAccounts: 'api/email_client/getAccounts',
getOneEmail: 'api/email_client/getOneEmail',
getAllJournal: 'api/Journal/getAllJournal',
getAllJournal: 'api/Article/getJournal',
};
import MailDetail from '../../components/page/components/email/MailDetail.vue';
export default {
@@ -175,6 +180,7 @@ export default {
inboxTotalPages: 1,
inboxTotal: 0,
inboxLoadingMore: false,
inboxLoading: false,
listWidth: 350,
minWidth: 260,
maxWidth: 600,
@@ -198,6 +204,7 @@ export default {
}
},
created() {
this.loadJournals();
this.initAccountSelection();
},
methods: {
@@ -226,57 +233,54 @@ export default {
},
initAccountSelection() {
const q = this.$route.query;
const storedEmailId = localStorage.getItem('mailboxCollect_j_email_id');
const storedJournalId = localStorage.getItem('mailboxCollect_journal_id');
// 1. 兼容老链接:如果地址栏里带有参数,优先用并写入本地
if (q.j_email_id) {
this.loadAccountById(q.j_email_id);
} else {
this.openAccountDialog();
}
},
loadDefaultAccount() {
this.$api.post(API.getAllJournal, {}).then(res => {
const journals = (res && res.data && res.data.journals) || res.data || [];
const list = (Array.isArray(journals) ? journals : []).map(i => ({
journal_id: i.journal_id || i.id,
title: i.title || i.name || ''
}));
this.journalList = list;
if (!list.length) {
this.openAccountDialog();
return;
localStorage.setItem('mailboxCollect_j_email_id', q.j_email_id);
if (q.journal_id) {
localStorage.setItem('mailboxCollect_journal_id', q.journal_id);
}
const firstJournalId = list[0].journal_id;
this.accountJournalId = firstJournalId;
this.accountLoading = true;
this.$api.post(API.getAccounts, { journal_id: firstJournalId }).then(accRes => {
this.accountLoading = false;
const accounts = accRes && accRes.data ? accRes.data : [];
if (Array.isArray(accounts) && accounts.length > 0) {
this.selectedAccount = accounts[0];
this.fetchData();
} else {
this.accountList = accounts || [];
this.openAccountDialog();
}
}).catch(() => {
this.accountLoading = false;
this.openAccountDialog();
});
}).catch(() => {
this.openAccountDialog();
});
return;
}
// 2. 否则尝试从本地缓存恢复上次选择
if (storedEmailId) {
this.loadAccountById(storedEmailId);
return;
}
// 3. 都没有则弹出选择账号弹窗
this.openAccountDialog();
},
loadAccountById(jEmailId) {
this.$api.post(API.getOneEmail, { j_email_id: jEmailId }).then(res => {
const email = res.data.email;
if (res.code === 0 && email) {
this.selectedAccount = email;
this.fetchData();
}
}).catch(() => {});
this.$api
.post(API.getOneEmail, { j_email_id: jEmailId })
.then(res => {
const email = res && res.data ? res.data.email : null;
if (res && res.code === 0 && email) {
this.selectedAccount = email;
this.fetchData();
return;
}
// 接口返回 null/非 0回退到选择账号弹窗
this.selectedAccount = null;
this.openAccountDialog();
})
.catch(() => {
// 请求失败:同样回退到选择账号弹窗
this.selectedAccount = null;
this.openAccountDialog();
});
},
openAccountDialog() {
this.accountDialogVisible = true;
this.loadJournals();
// 期刊列表进入页面时已加载;仅在首次为空时补拉,避免每次切换账号都请求
if (!this.journalList || this.journalList.length === 0) {
this.loadJournals();
}
if (this.selectedAccount && this.selectedAccount.journal_id) {
this.accountJournalId = this.selectedAccount.journal_id;
this.loadAccountsForJournal(this.selectedAccount.journal_id);
@@ -285,9 +289,9 @@ export default {
loadJournals() {
this.journalLoading = true;
this.$api
.post(API.getAllJournal, {})
.post(API.getAllJournal, {username: localStorage.getItem('U_name')})
.then(res => {
this.journalList = (res.data.journals || res.data || []).map(i => ({
this.journalList = (res || []).map(i => ({
journal_id: i.journal_id || i.id,
title: i.title || i.name || ''
}));
@@ -307,22 +311,32 @@ export default {
this.accountList = res.data || [];
});
},
isCurrentAccount(row) {
if (!row || !this.selectedAccount) return false;
return String(row.j_email_id || '') === String(this.selectedAccount.j_email_id || '');
},
chooseAccount(row) {
this.selectedAccount = row;
this.accountDialogVisible = false;
this.closeDetail();
// 回填到地址栏
const q = Object.assign({}, this.$route.query, {
j_email_id: row.j_email_id,
journal_id: row.journal_id
});
this.$router.replace({ path: this.$route.path, query: q });
this.closeDetail();
// 将所选邮箱配置持久化到本地,避免暴露在地址栏
if (row && row.j_email_id) {
localStorage.setItem('mailboxCollect_j_email_id', String(row.j_email_id));
}
if (row && row.journal_id) {
localStorage.setItem('mailboxCollect_journal_id', String(row.journal_id));
}
// 不再写入路由 query直接拉取数据
this.fetchData();
},
handleAccountDialogBeforeClose(done) {
const hasAccount = this.selectedAccount || this.$route.query.j_email_id;
if (hasAccount) {
done();
}else{
this.$message.error(this.$t('mailboxCollect.selectAccountTip'));
}
// 没选账号时不允许关闭
},
@@ -332,6 +346,10 @@ export default {
const isFirstPage = page === 1 || page == null;
if (isFirstPage) {
this.inboxPage = 1;
// 首次拉取:显示加载中
this.inboxLoading = true;
// 避免复用旧列表造成“先空后满”的闪烁
this.tableData_in = [];
}
const params = {
j_email_id: this.selectedAccount.j_email_id,
@@ -368,8 +386,10 @@ export default {
this.inboxTotal = data.total != null ? Number(data.total) : this.tableData_in.length;
this.queryIn.num = this.inboxTotal;
this.inboxLoadingMore = false;
if (isFirstPage) this.inboxLoading = false;
}).catch(() => {
this.inboxLoadingMore = false;
if (isFirstPage) this.inboxLoading = false;
});
},
switchFolder(f) { this.currentFolder = f; this.activeMailId = null; },
@@ -425,9 +445,8 @@ export default {
// 提取日期信息用于比较
const dateYear = date.getFullYear();
const dateMonth = date.getMonth() + 1;
const dateDay = date.getDate();
const nowYear = now.getFullYear();
const lang = localStorage.getItem('langs') === 'zh' ? 'zh-CN' : 'en-US';
// 获取昨天日期
const yesterday = new Date(now);
@@ -447,15 +466,17 @@ export default {
// 2. 如果是昨天:只显示 "昨天"
if (date.toDateString() === yesterday.toDateString()) {
return '昨天';
return this.$t('mailboxCollect.yesterday');
}
// 3. 如果是今年(非今天/昨天):显示 "月-日",如 "3月8日"
// 3. 如果是今年(非今天/昨天):按语言显示月日
if (dateYear === nowYear) {
return `${dateMonth}${dateDay}`;
return new Intl.DateTimeFormat(lang, { month: 'short', day: 'numeric' }).format(date);
}
// 4. 如果是往年:显示完整年月日,如 "2025-12-05"
const dateMonth = date.getMonth() + 1;
const dateDay = date.getDate();
const fullMonth = dateMonth.toString().padStart(2, '0');
const fullDay = dateDay.toString().padStart(2, '0');
return `${dateYear}-${fullMonth}-${fullDay}`;
@@ -464,10 +485,7 @@ export default {
handleWrite() {
if (!this.selectedAccount) return;
this.$router.push(
'/mailboxSend?journal_id=' +
this.selectedAccount.journal_id +
'&j_email_id=' +
this.selectedAccount.j_email_id
'/mailboxSend'
);
},
handleSearch() { this.fetchData(1); },
@@ -480,7 +498,7 @@ export default {
this.fetchData(this.inboxPage + 1);
}
},
notImplemented() { this.$message.info('开发中...'); }
notImplemented() { this.$message.info(this.$t('mailboxCollect.featureDev')); }
}
};
</script>
@@ -495,7 +513,7 @@ export default {
/* 1. 左侧栏 */
.mail-sidebar {
width: 220px;
width: 240px;
background-color: #f8f9fa;
border-right: 1px solid #eaeaea;
flex-shrink: 0;
@@ -504,9 +522,9 @@ export default {
}
.p-10 { padding: 10px; }
.p-20 { padding: 20px; }
.sidebar-top-actions { display: flex; gap: 10px; }
.write-btn { flex: 1; width: auto; border-radius: 8px; font-weight: bold;padding-left: 0px;padding-right: 0px; }
.receive-btn { flex: 1; width: auto; border-radius: 8px; font-weight: bold;margin-left: 0px;padding-left: 0px;padding-right: 0px; }
.sidebar-top-actions { display: flex; gap: 10px; padding: 0 6px; }
.write-btn { flex: 1; width: auto; border-radius: 8px; font-weight: bold; padding-left: 10px; padding-right: 10px; }
.receive-btn { flex: 1; width: auto; border-radius: 8px; font-weight: bold; margin-left: 0px; padding-left: 10px; padding-right: 10px; }
.folder-list { list-style: none; padding: 0; margin: 0; flex: 1; }
.folder-list li {
padding: 12px 20px;
@@ -516,10 +534,10 @@ export default {
align-items: center;
}
.folder-list li i { margin-right: 12px; font-size: 18px; }
.folder-list li.active { background: #edeef0; color: #006699; font-weight: bold; border-right: 3px solid #006699; }
.folder-list li.active { background: #edeef0; color: #006699; font-weight: bold; border-left: 3px solid #006699; }
.badge { margin-left: auto; background: #ddd; padding: 2px 8px; border-radius: 10px; font-size: 12px; }
.sidebar-footer { padding: 15px 20px; border-top: 1px solid #eee; background: #f8f9fa; }
.sidebar-footer { padding: 10px 0px; border-top: 1px solid #eee; background: #f8f9fa; }
.user-card { display: flex; align-items: center; margin-bottom: 8px; overflow: hidden; }
.user-avatar { flex-shrink: 0; background: #ffeded; color: #f56c6c; }
.user-detail { margin-left: 10px; overflow: hidden; flex: 1; }
@@ -551,13 +569,15 @@ export default {
.mail-excerpt { font-size: 12px; color: #606266; margin: 0; display: -webkit-box; -webkit-line-clamp: 2; line-clamp: 2; -webkit-box-orient: vertical; overflow: hidden; }
.load-more-tip { text-align: center; padding: 12px; font-size: 12px; color: #909399; }
.load-more-tip.no-more { color: #c0c4cc; }
.current-account-text { color: #006699; font-size: 12px; }
/* 拖拽条 */
.list-resizer { width: 4px; cursor: col-resize; border-left: 1px solid #eaeaea; transition: background 0.2s; }
.list-resizer:hover { background: #409eff; }
/* 3. 右侧详情 */
.mail-content-panel { flex: 1; display: flex; flex-direction: column; overflow: hidden; }
.mail-content-panel { flex: 1; min-height: 0; display: flex; flex-direction: column; overflow: hidden; }
.mail-page { flex: 1; min-height: 0; overflow-y: auto; }
.detail-toolbar { padding: 10px 20px; border-bottom: 1px solid #eee; display: flex; justify-content: space-between; }
.detail-content { padding: 30px 40px; overflow-y: auto; }
.mail-title { font-size: 24px; margin-bottom: 20px; }

View File

@@ -2,8 +2,8 @@
<div>
<div class="crumbs">
<el-breadcrumb separator="/">
<el-breadcrumb-item><i class="el-icon-setting"></i> {{ $t('mailboxConfig.mailSystem') }}</el-breadcrumb-item>
<el-breadcrumb-item>{{ $t('mailboxConfig.title') }}</el-breadcrumb-item>
<el-breadcrumb-item><i class="el-icon-setting"></i> {{ $t('sidebar.promotionManagement') }}</el-breadcrumb-item>
<el-breadcrumb-item>{{ $t('sidebar.mailboxManagement') }}</el-breadcrumb-item>
</el-breadcrumb>
</div>
<div class="container">
@@ -15,13 +15,25 @@
</el-select>
</el-form-item>
<el-form-item>
<el-button type="primary" icon="el-icon-search" @click="getList">{{ $t('mailboxConfig.query') }}</el-button>
<el-button type="primary" icon="el-icon-plus" @click="handleAdd">{{ $t('mailboxConfig.addAccount') }}</el-button>
<el-button type="primary" icon="el-icon-refresh" @click="getList">{{ $t('mailboxConfig.refresh') }}</el-button>
<el-button type="primary" plain icon="el-icon-plus" class="add-account-btn" @click="handleAdd">
{{ $t('mailboxConfig.addAccount') }}
</el-button>
</el-form-item>
</el-form>
</div>
<el-table :data="tableData" border stripe class="table" header-cell-class-name="table-header" :empty-text="$t('mailboxConfig.noData')">
<el-table
:data="tableData"
border
stripe
class="table"
header-cell-class-name="table-header"
:empty-text="$t('mailboxConfig.noData')"
v-loading="loading"
:element-loading-text="$t('mailboxConfig.loading')"
>
<!-- <el-table-column prop="journal_name" :label="$t('mailboxConfig.journal')" min-width="140"></el-table-column> -->
<el-table-column type="index" :label="$t('mailboxConfig.no')" width="70" align="center"></el-table-column>
<el-table-column prop="account" :label="$t('mailboxConfig.account')" min-width="160"></el-table-column>
<el-table-column prop="smtp_from_name" :label="$t('mailboxConfig.smtpFromName')" min-width="120"></el-table-column>
<!-- <el-table-column prop="smtp_host" :label="$t('mailboxConfig.smtpHost')" min-width="120"></el-table-column> -->
@@ -45,15 +57,21 @@
<el-dialog :title="dialogTitle" :visible.sync="dialogVisible" width="580px" :close-on-click-modal="false">
<el-form ref="formRef" :model="form" :rules="rules" label-width="140px">
<el-form-item :label="$t('mailboxConfig.journal')" prop="journal_id">
<el-select v-model="form.journal_id" :placeholder="$t('mailboxConfig.selectJournal')" style="width: 100%;">
<el-select :disabled="form.id" v-model="form.journal_id" :placeholder="$t('mailboxConfig.selectJournal')" style="width: 100%;">
<el-option v-for="item in journalList" :key="item.journal_id" :label="item.title" :value="item.journal_id"></el-option>
</el-select>
</el-form-item>
<el-form-item :label="$t('mailboxConfig.account')" prop="account">
<el-input v-model="form.account" ></el-input>
<el-input v-model="form.account" placeholder="eg: test@tmrjournals.co.nz"></el-input>
</el-form-item>
<el-form-item :label="$t('mailboxConfig.password')" prop="password">
<el-input v-model="form.password" type="password" show-password autocomplete="new-password"></el-input>
<el-input
v-model="form.password"
type="password"
show-password
clearable
autocomplete="new-password"
></el-input>
<!-- <span class="form-tip">{{ $t('mailboxConfig.passwordTip') }}</span> -->
</el-form-item>
<el-form-item :label="$t('mailboxConfig.smtpFromName')" prop="smtp_from_name">
@@ -77,7 +95,15 @@
</el-form>
<span slot="footer" class="dialog-footer">
<el-button @click="dialogVisible = false">{{ $t('mailboxConfig.cancel') }}</el-button>
<el-button type="primary" @click="submitForm">{{ $t('mailboxConfig.save') }}</el-button>
<el-button
type="primary"
@click="submitForm"
:loading="saveLoading"
:disabled="saveLoading"
:loading-text="$t('mailboxConfig.loading')"
>
{{ $t('mailboxConfig.save') }}
</el-button>
</span>
</el-dialog>
</div>
@@ -86,7 +112,7 @@
<script>
// 期刊邮箱列表POST api/email_client/getAccounts 参数 journal_id返回 data[]: j_email_id, journal_id, smtp_host, smtp_port, smtp_user, imap_host, imap_port, daily_limit, today_sent, state, remaining_today 等
const API = {
getAllJournal: 'api/Journal/getAllJournal',
getAllJournal: 'api/Article/getJournal',
getAccounts: 'api/email_client/getAccounts',
addAccount: 'api/email_client/addAccount',
updateAccount: 'api/email_client/updateAccount',
@@ -105,6 +131,9 @@
tableData: [],
total: 0,
journalList: [],
loading: false,
saveLoading: false,
saveDebounceTimer: null,
dialogVisible: false,
dialogTitle: '',
form: {
@@ -145,11 +174,17 @@
created() {
this.loadJournals();
},
beforeDestroy() {
if (this.saveDebounceTimer) {
clearTimeout(this.saveDebounceTimer);
this.saveDebounceTimer = null;
}
},
methods: {
// 期刊下拉框:调用 api/Journal/getAllJournal 获取列表
// 期刊下拉框:调用 api/Article/getJournal 获取列表
loadJournals() {
var self = this;
this.$api.post(API.getAllJournal, {}).then(function(res) {
this.$api.post(API.getAllJournal, {username: localStorage.getItem('U_name')}).then(function(res) {
var list = [];
if (res && res.code === 0 && res.data) {
if (Array.isArray(res.data.journals)) {
@@ -194,6 +229,7 @@
return j ? j.title : '';
},
getList() {
this.loading = true;
var journalId = this.query.journal_id;
var params = {};
if (journalId !== 0 && journalId !== '' && journalId != null) {
@@ -231,21 +267,23 @@
}).catch(function() {
this.tableData = [];
this.total = 0;
}.bind(this));
}.bind(this)).finally(() => {
this.loading = false;
});
},
handleAdd() {
this.dialogTitle = this.$t('mailboxConfig.dialogAdd');
this.form = {
id: null,
journal_id: this.journalList[0] ? this.journalList[0].journal_id : null,
journal_id: this.query.journal_id || (this.journalList[0] ? this.journalList[0].journal_id : null),
account: '',
password: '',
smtp_from_name: '',
smtp_host: '',
smtp_port: '',
smtp_encryption: '',
imap_host: '',
imap_port: '',
smtp_host: 'mail.tmrjournals.co.nz',
smtp_port: '465',
smtp_encryption: 'ssl',
imap_host: 'mail.tmrjournals.co.nz',
imap_port: '993',
};
this.dialogVisible = true;
this.$nextTick(function() { if (this.$refs.formRef) this.$refs.formRef.clearValidate(); }.bind(this));
@@ -268,6 +306,15 @@
this.$nextTick(function() { if (this.$refs.formRef) this.$refs.formRef.clearValidate(); }.bind(this));
},
submitForm() {
// 保存防抖:连续点击只触发一次
if (this.saveLoading) return;
if (this.saveDebounceTimer) clearTimeout(this.saveDebounceTimer);
this.saveDebounceTimer = setTimeout(() => {
this.saveDebounceTimer = null;
this._doSubmitForm();
}, 600);
},
_doSubmitForm() {
var self = this;
this.$refs.formRef.validate(function(valid) {
if (!valid) return;
@@ -290,34 +337,46 @@
payload.smtp_password = String(self.form.password || '');
}
self.$api.post(url, payload).then(function(res) {
if (res && res.code === 0) {
self.$message.success(isEdit ? self.$t('mailboxConfig.editSuccess') : self.$t('mailboxConfig.addSuccess'));
self.saveLoading = true;
self.$api
.post(url, payload)
.then(function(res) {
if (res && res.code === 0) {
self.$message.success(isEdit ? self.$t('mailboxConfig.editSuccess') : self.$t('mailboxConfig.addSuccess'));
self.dialogVisible = false;
self.getList();
} else {
self.$message.error((res && res.msg) || (isEdit ? self.$t('mailboxConfig.editFail') : self.$t('mailboxConfig.addFail')));
}
})
.catch(function() {
// Mock fallback保留原逻辑
self.$message.success(isEdit ? self.$t('mailboxConfig.editSuccessMock') : self.$t('mailboxConfig.addSuccessMock'));
self.dialogVisible = false;
self.getList();
} else {
self.$message.error((res && res.msg) || (isEdit ? self.$t('mailboxConfig.editFail') : self.$t('mailboxConfig.addFail')));
}
}).catch(function() {
self.$message.success(isEdit ? self.$t('mailboxConfig.editSuccessMock') : self.$t('mailboxConfig.addSuccessMock'));
self.dialogVisible = false;
self.getList();
});
})
.finally(function() {
self.saveLoading = false;
});
});
},
handleMailManage(row) {
// 进入邮箱列表前,把当前选择的邮箱账号写入本地,供 mailboxCollect 使用
if (row && row.j_email_id) {
localStorage.setItem('mailboxCollect_j_email_id', String(row.j_email_id));
}
if (row && row.journal_id) {
localStorage.setItem('mailboxCollect_journal_id', String(row.journal_id));
}
this.$router.push({
path: '/mailboxCollect',
query: {
journal_id: row.journal_id,
j_email_id: row.j_email_id
}
});
},
// 删除邮箱配置:接口 api/email_client/deleteAccount传参 j_email_id
handleDelete(row) {
const self = this;
this.$confirm(self.$t('mailboxConfig.deleteConfirm'), self.$t('mailboxConfig.title'), {
this.$confirm(self.$t('mailboxConfig.deleteConfirm'), self.$t('mailboxConfig.deleteTitle'), {
confirmButtonText: self.$t('mailboxConfig.confirm'),
cancelButtonText: self.$t('mailboxConfig.cancel'),
type: 'warning'
@@ -341,5 +400,6 @@
<style scoped>
.handle-box { margin-bottom: 16px; }
.filter-form { margin: 0; }
.add-account-btn { margin-left: 10px; }
.form-tip { font-size: 12px; color: #909399; margin-top: 4px; }
</style>

View File

@@ -1,96 +1,131 @@
<template>
<div class="admin-container">
<h2>{{ $t('mailboxMould.title') }}</h2>
<p class="subtitle">{{ $t('mailboxMould.subtitle') }}</p>
<div class="toolbar">
<el-select
v-model="filters.journalId"
:placeholder="$t('mailboxMould.journalPlaceholder')"
style="width: 300px; margin-right: 10px;"
@change="fetchList"
>
<el-option
v-for="j in journalList"
:key="j.journal_id"
:label="j.title"
:value="String(j.journal_id)"
></el-option>
</el-select>
<el-select
v-model="filters.scene"
:placeholder="$t('mailboxMould.scenePlaceholder')"
clearable
style="width: 200px; margin-right: 10px;"
@change="fetchList"
@clear="fetchList"
>
<el-option :label="$t('mailboxMould.inviteSubmission')" value="invite_submission"></el-option>
<el-option :label="$t('mailboxMould.promoteCitation')" value="promote_citation"></el-option>
<el-option :label="$t('mailboxMould.generalThanks')" value="general_thanks"></el-option>
</el-select>
<el-tabs v-model="activeTab" @tab-click="handleTabChange">
<!-- ========== Tab 1: Templates ========== -->
<el-tab-pane :label="$t('mailboxMould.title') || 'Templates'" name="templates">
<div class="toolbar">
<el-select
v-model="tplFilters.journalId"
:placeholder="$t('mailboxMould.journalPlaceholder')"
style="width: 300px; margin-right: 10px;"
@change="fetchTemplates"
>
<el-option
v-for="j in journalList"
:key="j.journal_id"
:label="j.title"
:value="String(j.journal_id)"
></el-option>
</el-select>
<el-select
v-model="filters.language"
:placeholder="$t('mailboxMould.languagePlaceholder')"
clearable
style="width: 120px; margin-right: 10px;"
@change="fetchList"
@clear="fetchList"
>
<el-option label="EN" value="en"></el-option>
<el-option label="ZH" value="zh"></el-option>
</el-select>
<el-select
v-model="tplFilters.scene"
:placeholder="$t('mailboxMould.scenePlaceholder')"
clearable
style="width: 200px; margin-right: 10px;"
@change="fetchTemplates"
@clear="fetchTemplates"
>
<el-option :label="$t('mailboxMould.inviteSubmission')" value="invite_submission"></el-option>
<el-option :label="$t('mailboxMould.promoteCitation')" value="promote_citation"></el-option>
<el-option :label="$t('mailboxMould.generalThanks')" value="general_thanks"></el-option>
</el-select>
<el-button type="primary" icon="el-icon-search" @click="fetchList" style="margin-right: 10px;">
{{ $t('mailboxMould.searchBtn') }}
</el-button>
<el-select
v-model="tplFilters.language"
:placeholder="$t('mailboxMould.languagePlaceholder')"
clearable
style="width: 120px; margin-right: 10px;"
@change="fetchTemplates"
@clear="fetchTemplates"
>
<el-option label="EN" value="en"></el-option>
<el-option label="ZH" value="zh"></el-option>
</el-select>
<div class="right-actions">
<el-button type="primary" plain icon="el-icon-plus" @click="handleCreate">{{ $t('mailboxMould.createTemplate') }}</el-button>
</div>
</div>
<el-button type="primary" icon="el-icon-search" @click="fetchTemplates" style="margin-right: 10px;">
{{ $t('mailboxMould.searchBtn') }}
</el-button>
<el-table :data="tableData" border style="width: 100%; margin-top: 20px;" v-loading="loading">
<el-table-column prop="title" :label="$t('mailboxMould.colTitle')" min-width="220">
<template slot-scope="scope">
<div class="title-cell">
<strong>{{ scope.row.title }}</strong>
<div class="right-actions">
<el-button type="primary" plain icon="el-icon-plus" @click="handleCreateTemplate">{{ $t('mailboxMould.createTemplate') }}</el-button>
</div>
</template>
</el-table-column>
<el-table-column prop="subject" :label="$t('mailboxMould.colSubject')" min-width="220">
<template slot-scope="scope">
<span>{{ scope.row.subject || '-' }}</span>
</template>
</el-table-column>
<el-table-column prop="scene" :label="$t('mailboxMould.colScene')">
<template slot-scope="scope">
<el-tag size="small" type="info">{{ scope.row.scene }}</el-tag>
</template>
</el-table-column>
<el-table-column prop="language" :label="$t('mailboxMould.colLanguage')" width="100">
<template slot-scope="scope">
{{ String(scope.row.language || '').toUpperCase() }}
</template>
</el-table-column>
<el-table-column prop="version" :label="$t('mailboxMould.colVersion')" width="100"></el-table-column>
<el-table-column :label="$t('mailboxMould.colStatus')" width="120">
<template slot-scope="scope">
<span :class="['status-dot', scope.row.status]"></span>
{{ scope.row.status === 'active' ? $t('mailboxMould.active') : $t('mailboxMould.inactive') }}
</template>
</el-table-column>
<el-table-column width="160">
<template slot-scope="scope">
<el-button type="text" icon="el-icon-view" @click="handlePreview(scope.row)"></el-button>
<el-button type="text" icon="el-icon-edit" @click="handleEdit(scope.row)"></el-button>
<el-button type="text" icon="el-icon-delete" class="delete-btn" @click="handleDelete(scope.row)"></el-button>
</template>
</el-table-column>
</el-table>
</div>
<el-table :data="tplTableData" border style="width: 100%; margin-top: 20px;" v-loading="tplLoading">
<el-table-column type="index" :label="$t('mailboxMould.no')" width="70" align="center"></el-table-column>
<el-table-column prop="title" :label="$t('mailboxMould.colTitle')" min-width="220">
<template slot-scope="scope">
<div class="title-cell"><strong>{{ scope.row.title }}</strong></div>
</template>
</el-table-column>
<el-table-column prop="subject" :label="$t('mailboxMould.colSubject')" min-width="220">
<template slot-scope="scope">
<span>{{ scope.row.subject || '-' }}</span>
</template>
</el-table-column>
<el-table-column prop="scene" :label="$t('mailboxMould.colScene')" width="160">
<template slot-scope="scope">
<el-tag size="small" type="info">{{ scope.row.scene }}</el-tag>
</template>
</el-table-column>
<el-table-column prop="language" :label="$t('mailboxMould.colLanguage')" width="100">
<template slot-scope="scope">
{{ String(scope.row.language || '').toUpperCase() }}
</template>
</el-table-column>
<el-table-column prop="version" :label="$t('mailboxMould.colVersion')" width="100"></el-table-column>
<el-table-column :label="$t('mailboxMould.colStatus')" width="120">
<template slot-scope="scope">
<span :class="['status-dot', scope.row.is_active==1?'active':'inactive']"></span>
{{ scope.row.is_active == 1 ? $t('mailboxMould.active') : $t('mailboxMould.inactive') }}
</template>
</el-table-column>
<el-table-column width="160">
<template slot-scope="scope">
<el-button type="text" icon="el-icon-view" @click="handlePreviewTemplate(scope.row)"></el-button>
<el-button type="text" icon="el-icon-edit" @click="handleEditTemplate(scope.row)"></el-button>
<el-button type="text" icon="el-icon-delete" class="delete-btn" @click="handleDeleteTemplate(scope.row)"></el-button>
</template>
</el-table-column>
</el-table>
</el-tab-pane>
<!-- ========== Tab 2: Styles ========== -->
<el-tab-pane :label="$t('mailboxStyle.title') || 'Styles'" name="styles">
<div class="toolbar">
<div class="right-actions">
<el-button type="primary" icon="el-icon-refresh" @click="fetchStyles">{{ $t('mailboxStyle.searchBtn') }}</el-button>
<el-button type="primary" plain icon="el-icon-plus" @click="handleCreateStyle">{{ $t('mailboxStyle.createStyle') }}</el-button>
</div>
</div>
<el-table :data="styleTableData" border style="width: 100%; margin-top: 20px;" v-loading="styleLoading">
<el-table-column type="index" :label="$t('mailboxStyle.no')" width="70" align="center"></el-table-column>
<el-table-column prop="name" :label="$t('mailboxStyle.colName')" min-width="220">
<template slot-scope="scope">
<div class="title-cell"><strong>{{ scope.row.title }}</strong></div>
</template>
</el-table-column>
<el-table-column prop="description" :label="$t('mailboxStyle.colDescription')" min-width="220">
<template slot-scope="scope">
<span>{{ scope.row.description || '-' }}</span>
</template>
</el-table-column>
<el-table-column width="160">
<template slot-scope="scope">
<el-button type="text" icon="el-icon-view" @click="handlePreviewStyle(scope.row)"></el-button>
<el-button type="text" icon="el-icon-edit" @click="handleEditStyle(scope.row)"></el-button>
<el-button type="text" icon="el-icon-delete" class="delete-btn" @click="handleDeleteStyle(scope.row)"></el-button>
</template>
</el-table-column>
</el-table>
</el-tab-pane>
</el-tabs>
<!-- 预览弹窗两个 Tab 共用 -->
<el-dialog
:title="$t('mailboxMould.previewTitle')"
:visible.sync="previewVisible"
@@ -107,62 +142,103 @@
<script>
const API = {
listTemplates: 'api/mail_template/listTemplates',
getAllJournal: 'api/Journal/getAllJournal',
deleteTemplate: 'api/mail_template/deleteTemplate'
listStyles: 'api/mail_template/listStyles',
getAllJournal: 'api/Article/getJournal',
deleteTemplate: 'api/mail_template/deleteTemplate',
deleteStyle: 'api/mail_template/deleteStyle'
};
export default {
data() {
return {
searchQuery: '',
loading: false,
activeTab: 'templates',
journalList: [],
filters: {
// 用于避免 ElementUI 初始化时触发的 tab 事件把 localStorage 写回 templates
tabChangeLocked: true,
// --- Templates ---
tplLoading: false,
tplFilters: {
journalId: '',
scene: '',
language: ''
},
tableData: [],
tplTableData: [],
// --- Styles ---
styleLoading: false,
styleTableData: [],
// --- 共用预览 ---
previewVisible: false,
previewContent: ''
};
},
created() {
const q = (this.$route && this.$route.query) || {};
const routeTab = q && (q.activeTab || q.tab || q.mouldTab) ? String(q.activeTab || q.tab || q.mouldTab) : '';
let savedTab = localStorage.getItem('mailboxMouldActiveTab') || '';
savedTab = String(savedTab).trim();
const normalized = (routeTab && (routeTab === 'styles' || routeTab === 'templates')) ? routeTab : savedTab;
if (normalized === 'styles' || normalized === 'templates') this.activeTab = normalized;
// 初始化期间不要响应 tab-click避免覆盖 localStorage
this.tabChangeLocked = true;
this.loadJournals();
this.$nextTick(() => {
this.tabChangeLocked = false;
});
},
methods: {
// ========== 公共 ==========
loadJournals() {
this.$api
.post(API.getAllJournal, {})
.post(API.getAllJournal, {username: localStorage.getItem('U_name')})
.then(res => {
const list = (res && res.data && res.data.journals) || res.data || [];
const list = res || [];
const mapped = (Array.isArray(list) ? list : []).map(j => ({
journal_id: j.journal_id || j.id,
title: j.title || j.name || ''
}));
this.journalList = mapped;
if (mapped.length > 0) {
this.filters.journalId = String(mapped[0].journal_id);
this.tplFilters.journalId = String(mapped[0].journal_id);
}
if (this.activeTab === 'styles') {
this.fetchStyles();
} else {
this.fetchTemplates();
}
this.fetchList();
})
.catch(() => {
this.journalList = [];
});
},
fetchList() {
this.loading = true;
handleTabChange(tab) {
if (this.tabChangeLocked) return;
localStorage.setItem('mailboxMouldActiveTab', tab.name);
if (tab.name === 'templates' && this.tplTableData.length === 0) {
this.fetchTemplates();
} else if (tab.name === 'styles' && this.styleTableData.length === 0) {
this.fetchStyles();
}
},
// ========== Templates ==========
fetchTemplates() {
this.tplLoading = true;
const params = {
journal_id: this.filters.journalId || '',
scene: this.filters.scene || '',
language: this.filters.language || ''
journal_id: this.tplFilters.journalId || '',
scene: this.tplFilters.scene || '',
language: this.tplFilters.language || ''
};
this.$api
.post(API.listTemplates, params)
.then(res => {
this.loading = false;
this.tplLoading = false;
const list = (res && res.data && res.data.list) || [];
this.tableData = (Array.isArray(list) ? list : []).map(item => ({
this.tplTableData = (Array.isArray(list) ? list : []).map(item => ({
id: item.template_id || item.id,
template_id: item.template_id || item.id,
title: item.title,
@@ -172,28 +248,32 @@ export default {
scene: item.scene,
language: item.language,
version: item.version,
status: item.status || 'active'
is_active: item.is_active || 0
}));
})
.catch(() => {
this.loading = false;
this.tableData = [];
this.tplLoading = false;
this.tplTableData = [];
});
},
handleCreate() {
this.$router.push({ path: '/mailboxMouldDetail' });
handleCreateTemplate() {
// 传入当前模板列表选中的期刊,详情页用于默认回填
const journalId = this.tplFilters && this.tplFilters.journalId ? String(this.tplFilters.journalId) : '';
this.$router.push({ path: '/mailboxMouldDetail', query: journalId ? { journal_id: journalId } : {} });
},
handleEdit(row) {
console.log('Editing:', row);
// 跳转到详情页,后续可带上模板 ID
handleEditTemplate(row) {
const templateId = row && (row.template_id || row.id);
this.$router.push({ path: '/mailboxMouldDetail', query: templateId ? { template_id: String(templateId) } : {} });
const journalId = this.tplFilters && this.tplFilters.journalId ? String(this.tplFilters.journalId) : '';
const query = templateId ? { template_id: String(templateId) } : {};
// 编辑时一般会由模板详情回填期刊,但带上也能避免个别场景先展示错误默认值
if (journalId && !query.journal_id) query.journal_id = journalId;
this.$router.push({ path: '/mailboxMouldDetail', query });
},
handlePreview(row) {
this.previewContent = row && row.body_html ? row.body_html : (row && row.body ? row.body : '');
handlePreviewTemplate(row) {
this.previewContent = row && row.body_html ? row.body_html : '';
this.previewVisible = true;
},
handleDelete(row) {
handleDeleteTemplate(row) {
const templateId = row && (row.template_id || row.id);
if (!templateId) return;
this.$confirm(this.$t('mailboxMould.deleteConfirm'), this.$t('mailboxMould.colActions'), {
@@ -204,7 +284,63 @@ export default {
this.$api.post(API.deleteTemplate, { template_id: String(templateId) }).then(res => {
if (res && res.code === 0) {
this.$message.success(this.$t('mailboxMould.deleteSuccess'));
this.fetchList();
this.fetchTemplates();
} else {
this.$message.error((res && res.msg) || this.$t('mailboxMould.deleteFail'));
}
}).catch(() => {
this.$message.error(this.$t('mailboxMould.deleteFail'));
});
}).catch(() => {});
},
// ========== Styles ==========
fetchStyles() {
this.styleLoading = true;
this.$api
.post(API.listStyles, {})
.then(res => {
this.styleLoading = false;
const list = (res && res.data && res.data.list) || [];
this.styleTableData = (Array.isArray(list) ? list : []).map(item => ({
id: item.style_id || item.id,
style_id: item.style_id || item.id,
title: item.name,
header_html: item.header_html,
footer_html: item.footer_html,
description: item.description || ''
}));
})
.catch(() => {
this.styleLoading = false;
this.styleTableData = [];
});
},
handleCreateStyle() {
this.$router.push({ path: '/mailboxStyleDetail' });
},
handleEditStyle(row) {
const styleId = row && (row.style_id || row.id);
this.$router.push({ path: '/mailboxStyleDetail', query: styleId ? { style_id: String(styleId) } : {} });
},
handlePreviewStyle(row) {
const header = (row && row.header_html) || '';
const footer = (row && row.footer_html) || '';
this.previewContent = `${header}${footer}`;
this.previewVisible = true;
},
handleDeleteStyle(row) {
const styleId = row && (row.style_id || row.id);
if (!styleId) return;
this.$confirm(this.$t('mailboxMould.deleteConfirm'), this.$t('mailboxMould.colActions'), {
confirmButtonText: this.$t('mailboxMould.confirm'),
cancelButtonText: this.$t('mailboxMould.cancel'),
type: 'warning'
}).then(() => {
this.$api.post(API.deleteStyle, { style_id: String(styleId) }).then(res => {
if (res && res.code === 0) {
this.$message.success(this.$t('mailboxMould.deleteSuccess'));
this.fetchStyles();
} else {
this.$message.error((res && res.msg) || this.$t('mailboxMould.deleteFail'));
}
@@ -247,6 +383,9 @@ export default {
.status-dot.active {
background-color: #52c41a;
}
.status-dot.inactive {
background-color: #f5222d;
}
.delete-btn {
color: #f5222d !important;
}

View File

@@ -9,7 +9,17 @@
</div>
<div class="right">
<el-button size="mini" @click="goBack">{{ $t('mailboxMouldDetail.cancel') }}</el-button>
<el-button type="primary" size="mini" icon="el-icon-document-checked" @click="handleSave">{{ $t('mailboxMouldDetail.save') }}</el-button>
<el-button
type="primary"
size="mini"
icon="el-icon-document-checked"
@click="handleSave"
:loading="saveLoading"
:disabled="saveLoading || journalLoading"
:loading-text="$t('mailboxMouldDetail.loading')"
>
{{ $t('mailboxMouldDetail.save') }}
</el-button>
</div>
</header>
@@ -86,7 +96,11 @@
<div class="body-editor-container">
<div class="subject-label" style="margin-bottom: 10px;">{{ $t('mailboxMouldDetail.emailBody') }}:</div>
<CkeditorMail v-model="form.body" />
<TmrEmailEditor
v-model="form.body"
placeholder=""
/>
<!-- <CkeditorMail v-model="form.body" /> -->
</div>
</el-card>
</section>
@@ -96,20 +110,23 @@
<script>
import CkeditorMail from '@/components/page/components/email/CkeditorMail.vue';
import TmrEmailEditor from '@/components/page/components/email/TmrEmailEditor.vue';
const API = {
getAllJournal: 'api/Journal/getAllJournal',
getAllJournal: 'api/Article/getJournal',
getTemplate: 'api/mail_template/getTemplate',
saveTemplate: 'api/mail_template/saveTemplate'
};
export default {
name: 'mailboxMouldDetail',
components: { CkeditorMail },
components: { CkeditorMail,TmrEmailEditor },
data() {
return {
journalLoading: true,
journalList: [],
saveLoading: false,
// 防抖:避免重复点击“保存”导致多次请求
saveDebounceTimer: null,
rules: {
journalId: [{ required: true, message: this.$t('mailboxMouldDetail.rulesJournal'), trigger: 'change' }],
scene: [{ required: true, message: this.$t('mailboxMouldDetail.rulesScene'), trigger: 'change' }],
@@ -139,21 +156,31 @@ export default {
created() {
this.loadJournals();
},
beforeDestroy() {
if (this.saveDebounceTimer) {
clearTimeout(this.saveDebounceTimer);
this.saveDebounceTimer = null;
}
},
methods: {
loadJournals() {
this.journalLoading = true;
const q = this.$route && this.$route.query ? this.$route.query : {};
const fromRouteJournalId = q.journal_id || q.journalId || '';
this.$api
.post(API.getAllJournal, {})
.post(API.getAllJournal, { username: localStorage.getItem('U_name') })
.then(res => {
const list = (res && res.data && res.data.journals) || res.data || [];
const list = res || [];
const mapped = (Array.isArray(list) ? list : []).map(j => ({
journal_id: j.journal_id || j.id,
title: j.title || j.name || ''
}));
this.journalList = mapped;
if (!this.form.journalId && mapped.length > 0) {
this.form.journalId = String(mapped[0].journal_id);
if (fromRouteJournalId) {
const has = mapped.some(j => String(j.journal_id) === String(fromRouteJournalId));
if (has) this.form.journalId = String(fromRouteJournalId);
}
if (!this.form.journalId && mapped.length > 0) this.form.journalId = String(mapped[0].journal_id);
})
.catch(() => {
this.journalList = [];
@@ -188,51 +215,81 @@ export default {
});
},
goBack() {
const q = (this.$route && this.$route.query) || {};
if (q.from_auto_promotion === '1') {
this.$router.push({ path: '/autoPromotion' });
return;
}
this.$router.push({ path: '/mailboxMould' });
},
handleSave() {
const formRef = this.$refs.detailForm;
const validatePromise = formRef && formRef.validate ? new Promise(resolve => formRef.validate(ok => resolve(ok))) : Promise.resolve(true);
validatePromise.then(ok => {
if (!ok) return;
if (!this.form.subject) {
this.$message.warning(this.$t('mailboxMouldDetail.rulesSubject'));
return;
}
if (!this.form.body) {
this.$message.warning(this.$t('mailboxMouldDetail.rulesBody'));
return;
}
// 若已在保存中,直接忽略重复点击
if (this.saveLoading) return;
const q = this.$route.query;
const templateId = q.template_id || q.id || '';
const bodyHtml = this.form.body || '';
const bodyText = bodyHtml.replace(/<[^>]+>/g, ' ').replace(/\s+/g, ' ').trim();
const params = {
journal_id: String(this.form.journalId || ''),
scene: String(this.form.scene || 'invite_submission'),
language: String(this.form.lang || 'en'),
title: String(this.form.title || ''),
subject: String(this.form.subject || ''),
body_html: bodyHtml,
body_text: bodyText || '',
variables_json: String(this.form.variables || ''),
version: String(this.form.version || '1.0.0'),
is_active: this.form.is_active === 1 ? '1' : '0'
};
if (templateId) params.template_id = String(templateId);
this.$api.post(API.saveTemplate, params).then(res => {
// 防抖:连续点击只触发最后一次
if (this.saveDebounceTimer) {
clearTimeout(this.saveDebounceTimer);
}
this.saveDebounceTimer = setTimeout(() => {
this.saveDebounceTimer = null;
this._doSave();
}, 600);
}
,
async _doSave() {
const formRef = this.$refs.detailForm;
const validatePromise =
formRef && formRef.validate
? new Promise(resolve => formRef.validate(ok => resolve(ok)))
: Promise.resolve(true);
const ok = await validatePromise;
if (!ok) return;
if (!this.form.subject) {
this.$message.warning(this.$t('mailboxMouldDetail.rulesSubject'));
return;
}
if (!this.form.body) {
this.$message.warning(this.$t('mailboxMouldDetail.rulesBody'));
return;
}
this.saveLoading = true;
try {
const q = this.$route.query;
const templateId = q.template_id || q.id || '';
const bodyHtml = this.form.body || '';
const bodyText = bodyHtml.replace(/<[^>]+>/g, ' ').replace(/\s+/g, ' ').trim();
const params = {
journal_id: String(this.form.journalId || ''),
scene: String(this.form.scene || 'invite_submission'),
language: String(this.form.lang || 'en'),
title: String(this.form.title || ''),
subject: String(this.form.subject || ''),
body_html: bodyHtml,
body_text: bodyText || '',
variables_json: String(this.form.variables || ''),
version: String(this.form.version || '1.0.0'),
is_active: this.form.is_active === 1 ? '1' : '0'
};
if (templateId) params.template_id = String(templateId);
const res = await this.$api.post(API.saveTemplate, params);
if (res && res.code === 0) {
this.$message.success(this.$t('mailboxMouldDetail.saveSuccess'));
this.goBack();
} else {
this.$message.error((res && res.msg) || this.$t('mailboxMouldDetail.saveFail'));
}
}).catch(() => {
} catch (e) {
this.$message.error(this.$t('mailboxMouldDetail.saveFail'));
});
});
} finally {
this.saveLoading = false;
}
}
}
};

View File

@@ -11,7 +11,7 @@
</el-breadcrumb>
</div>
<div class="container" style="padding-top: 0px;">
<div class="container" style="padding-top: 0px;" v-if="showSendEmail">
<div class="mail_shuru" style="position: relative; display: flex; align-items: center;">
<span class="mail_tit">{{ $t('mailboxSend.to') }}</span>
@@ -31,6 +31,7 @@
</div>
<el-autocomplete
v-if="!isToRecipientLimitReached()"
ref="autocompleteTo"
class="mail_inp"
v-model="toInput"
@@ -106,6 +107,8 @@
:source-content.sync="sourceContent"
:source-rows="16"
:source-placeholder="$t('mailboxSend.sourcePlaceholder')"
:show-select-template-button="true"
@onSelectTemplate="showTemplateDialog = true"
/>
</div>
<div class="mail-footer-bar" :style="{ left: footerBarLeft }">
@@ -117,7 +120,14 @@
</div>
<div class="action-buttons">
<el-button type="primary" icon="el-icon-s-promotion" :loading="sendLoading" :disabled="sendLoading" @click="handleSend">
<el-button
type="primary"
icon="el-icon-s-promotion"
:loading="sendLoading"
:disabled="sendLoading"
:loading-text="$t('mailboxSend.sending')"
@click="handleSend"
>
{{ $t('mailboxSend.send') }}
</el-button>
<!-- <el-button size="medium" :loading="saveDraftLoading" :disabled="saveDraftLoading" @click="handleSaveDraft">{{ $t('mailboxSend.saveDraft') }}</el-button> -->
@@ -153,31 +163,18 @@
</div>
</el-dialog>
<!-- 选择模板 -->
<el-dialog :title="$t('mailboxSend.selectTemplate')" :visible.sync="Templatebox" width="620px" :close-on-click-modal="false">
<el-form ref="Tempform" :model="TempForm" label-width="225px">
<el-form-item :label="$t('mailboxSend.chooseTemplate')">
<el-select v-model="TempForm.board" :placeholder="$t('mailboxSend.chooseTemplatePlaceholder')" @change="select_tem($event)" style="width: 220px;">
<el-option :key="0" :label="$t('mailboxSend.none') " :value="0"></el-option>
<el-option v-for="item in fol_low" :key="item.value" :label="item.label" :value="item.value">
</el-option>
</el-select>
</el-form-item>
<el-form-item :label="$t('mailboxSend.previewTemplate')">
<img src="../../assets/img/img.jpg" alt="" style="width: 250px;">
</el-form-item>
</el-form>
<span slot="footer" class="dialog-footer">
<el-button @click="Templatebox = false">{{ $t('mailboxSend.cancel') }}</el-button>
<el-button type="primary" @click="saveTemplate">{{ $t('mailboxSend.save') }}</el-button>
</span>
</el-dialog>
<template-selector-dialog
v-if="showTemplateDialog"
:visible.sync="showTemplateDialog"
@confirm="handleTemplateApply"
@close-all-dialogs="closeAllDialogs"
/>
</div>
</template>
<script>
import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
import TemplateSelectorDialog from '@/components/page/components/email/TemplateSelectorDialog.vue'
import 'multi-items-input'
import 'multi-items-input/dist/multi-items-input.css'
import bus from '../common/bus'
@@ -193,7 +190,8 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
sendnamelist: [],
sendtitle: '',
sendcc: '',
content: ''
content: '',
expert_id: ''
},
mail_List: [],
fileL_atta: [],
@@ -211,7 +209,7 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
},
LibrForm: {},
LibrarySelection: [],
Templatebox: false,
showTemplateDialog: false,
Librarybox: false,
link_TotalLibry: 0,
isSourceMode: false,
@@ -219,6 +217,8 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
sourceContent: '',
toInput: '',
// 默认只允许 1 个收件人,后续可按需动态修改
maxToRecipients: 1,
toSelecting: false,
nextToUid: 1,
ccList: [],
@@ -227,17 +227,32 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
nextCcUid: 1,
collapseValue: localStorage.getItem('collapse'),
sendLoading: false,
sendDebounceTimer: null,
saveDraftLoading: false,
selectedTemplateId: '',
selectedStyleId: '',
recipientSuggest: {
keyword: '',
pageIndex: 1,
pageSize: 10,
totalPages: 1,
loading: false,
options: [],
cb: null
},
recipientSuggestScrollHandler: null,
showSendEmail:true
};
},
components: {
emailCkeditor,
TemplateSelectorDialog,
},
computed: {
footerBarLeft() {
const collapsed = this.collapseValue === true || this.collapseValue === 'true';
return (collapsed ? 64: 260) + 'px';
},
}
},
watch: {
collapseValue: {
@@ -248,17 +263,164 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
},
},
created() {
this.showSendEmail=true
this.getDate();
},
activated(){
this.showSendEmail=true
},
mounted() {
bus.$on('collapse-content', (msg) => {
this.collapseValue = msg;
});
document.addEventListener('click', this.handleOutsideAutocompleteClick, true);
},
beforeDestroy() {
bus.$off('collapse-content');
this.detachRecipientSuggestScroll();
if (this.sendDebounceTimer) {
clearTimeout(this.sendDebounceTimer);
this.sendDebounceTimer = null;
}
document.removeEventListener('click', this.handleOutsideAutocompleteClick, true);
},
methods: {
closeAllDialogs() {
// 点击“去新增模板”后:关闭模板选择弹窗以及可能打开的其它弹窗
this.Librarybox = false;
this.showTemplateDialog = false;
},
handleOutsideAutocompleteClick(e) {
const target = e && e.target;
if (!target) return;
const inputRef = this.$refs.autocompleteTo;
const inputEl = inputRef && inputRef.$el ? inputRef.$el : null;
const inInput = inputEl && inputEl.contains(target);
const inSuggestion = typeof target.closest === 'function' && !!target.closest('.el-autocomplete-suggestion');
if (inInput || inSuggestion) return;
if (inputRef && typeof inputRef.close === 'function') {
inputRef.close();
}
if (inputRef && inputRef.$refs && inputRef.$refs.input && typeof inputRef.$refs.input.blur === 'function') {
inputRef.$refs.input.blur();
}
},
isToRecipientLimitReached() {
const max = Number(this.maxToRecipients || 0);
if (!max) return false;
return (this.queryMail.sendnamelist || []).length >= max;
},
showToRecipientLimitWarning() {
const max = Number(this.maxToRecipients || 1);
this.$message.warning(this.$t('mailboxSend.recipientLimit', { count: max }));
},
attachRecipientSuggestScroll() {
this.detachRecipientSuggestScroll();
this.$nextTick(() => {
const wraps = document.querySelectorAll('.el-autocomplete-suggestion__wrap');
if (!wraps || !wraps.length) return;
const wrap = wraps[wraps.length - 1];
const handler = () => {
if (this.recipientSuggest.loading) return;
if (this.recipientSuggest.pageIndex >= this.recipientSuggest.totalPages) return;
const threshold = 24;
const reachBottom = wrap.scrollTop + wrap.clientHeight >= wrap.scrollHeight - threshold;
if (reachBottom) {
this.loadMoreRecipientSuggestions();
}
};
wrap.addEventListener('scroll', handler);
this.recipientSuggestScrollHandler = { el: wrap, fn: handler };
});
},
detachRecipientSuggestScroll() {
const h = this.recipientSuggestScrollHandler;
if (h && h.el && h.fn) {
h.el.removeEventListener('scroll', h.fn);
}
this.recipientSuggestScrollHandler = null;
},
normalizeExpertList(list) {
if (!Array.isArray(list)) return [];
return list.map((u) => ({
...u,
value: u.email || '',
realname: u.name || u.realname || u.username || '',
expert_id: u.expert_id || u.id || ''
}));
},
async queryRecipientSuggestions(reset) {
if (this.recipientSuggest.loading) return;
const st = this.recipientSuggest;
if (!st.keyword) {
st.options = [];
if (st.cb) st.cb([]);
return;
}
if (reset) {
st.pageIndex = 1;
st.totalPages = 1;
st.options = [];
} else if (st.pageIndex >= st.totalPages) {
if (st.cb) st.cb(st.options);
return;
} else {
st.pageIndex += 1;
}
st.loading = true;
try {
const res = await this.$api.post('api/expert_manage/getList', {
major_id: '',
keyword: st.keyword,
pageIndex: st.pageIndex,
pageSize: st.pageSize
});
const data = (res && res.data) || {};
const list = this.normalizeExpertList(data.list || []);
st.totalPages = Number(data.totalPages || data.total_pages || 1) || 1;
st.options = reset ? list : st.options.concat(list);
if (st.cb) st.cb(st.options);
this.attachRecipientSuggestScroll();
} catch (e) {
if (st.cb) st.cb(st.options || []);
} finally {
st.loading = false;
}
},
loadMoreRecipientSuggestions() {
this.queryRecipientSuggestions(false);
},
handleTemplateApply(payload) {
// TemplateSelectorDialog 现在返回对象:{ html, journal_id, style_id, template_id, ... }
const html = payload && typeof payload === 'object' ? (payload.html || '') : String(payload || '');
const templateId = payload && typeof payload === 'object' ? (payload.template_id || '') : '';
const styleId = payload && typeof payload === 'object' ? (payload.style_id || '') : '';
const templateSubject = payload && typeof payload === 'object'
? ((payload.template && payload.template.subject) || payload.subject || '')
: '';
if (!html) {
this.$message.warning(this.$t('mailTemplate.noTemplateTip') || '未获取到模板内容');
return;
}
// 始终维护一份内容状态,确保源码模式/富文本模式都能回填
this.queryMail.content = html;
this.sourceContent = html;
// 优先回填 TinyMCE 实例
if (window.tinymce && window.tinymce.activeEditor && window.tinymce.activeEditor.setContent) {
window.tinymce.activeEditor.setContent(html);
}
this.selectedTemplateId = templateId ? String(templateId) : '';
this.selectedStyleId = styleId ? String(styleId) : '';
// 模板自带 subject仅当当前主题为空时自动回填
if (!this.queryMail.sendtitle && templateSubject) {
this.queryMail.sendtitle = String(templateSubject);
}
// this.$message.success(this.$t('mailboxSend.templateApplied') || 'Template applied successfully!');
},
// 切换富文本 / 源代码编辑模式(源码用 sourceContent 保留完整 HTML可自由来回切换
toggleSourceMode() {
if (this.isSourceMode) {
@@ -278,41 +440,34 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
}
this.isSourceMode = !this.isSourceMode;
},
// 返回收件箱(邮箱列表),带上 journal_id 和 j_email_id
// 返回收件箱(邮箱列表),账号信息从本地缓存读取
goBackInbox() {
const q = this.$route.query;
const query = {};
if (q.journal_id) query.journal_id = q.journal_id;
if (q.j_email_id) query.j_email_id = q.j_email_id;
this.$router.push({
path: '/mailboxCollect',
query,
this.showSendEmail=false
const currentPath = this.$route.fullPath;
// 先静默关闭当前标签,强制销毁 keep-alive 缓存,再执行跳转
bus.$emit('close_tag_by_path', {
path: currentPath,
silent: true
});
this.$nextTick(() => {
this.$router.push({ path: '/mailboxCollect' });
});
},
// 收件人自动补全 - 搜索用户
fetchUserSuggestions(queryString, cb) {
if (!queryString) {
if (this.isToRecipientLimitReached()) {
cb([]);
return;
}
this.$api
.post('api/Reviewer/researchUser', {
keywords: queryString
})
.then(res => {
if (res && res.code === 0 && res.data && res.data.list) {
const list = res.data.list.map(u => ({
...u,
value: u.email,
realname: u.realname || u.username || ''
}));
cb(list);
} else {
cb([]);
}
})
.catch(() => cb([]));
const keyword = (queryString || '').trim();
this.recipientSuggest.keyword = keyword;
this.recipientSuggest.cb = cb;
if (!keyword) {
this.detachRecipientSuggestScroll();
cb([]);
return;
}
this.queryRecipientSuggestions(true);
},
// 收件人输入框失焦:输入内容失去焦点则自动成为一条收件人数据(排除点击下拉项时)
handleToBlur(e) {
@@ -334,11 +489,17 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
}
const exists = (this.queryMail.sendnamelist || []).some(item => item.name === value);
if (!exists) {
if (this.isToRecipientLimitReached()) {
this.showToRecipientLimitWarning();
this.toInput = '';
return;
}
this.queryMail.sendnamelist.push({
id: null,
name: value,
_uid: this.nextToUid++,
});
this.queryMail.expert_id = '';
this.queryMail.sendname = (this.queryMail.sendnamelist || []).map(i => i.name);
}
this.toInput = '';
@@ -352,11 +513,17 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
// 去重
const exists = (this.queryMail.sendnamelist || []).some(item => item.name === email);
if (!exists) {
if (this.isToRecipientLimitReached()) {
this.showToRecipientLimitWarning();
this.toInput = '';
return;
}
this.queryMail.sendnamelist.push({
id: user.user_id || user.id || null,
id: user.expert_id || user.user_id || user.id || null,
name: email,
_uid: this.nextToUid++,
});
this.queryMail.expert_id = user.expert_id || user.user_id || user.id || '';
// 同步简单数组
this.queryMail.sendname = (this.queryMail.sendnamelist || []).map(i => i.name);
}
@@ -368,6 +535,9 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
if (index < 0) return;
this.queryMail.sendnamelist.splice(index, 1);
this.queryMail.sendname = (this.queryMail.sendnamelist || []).map(i => i.name);
if (!this.queryMail.sendnamelist.length) {
this.queryMail.expert_id = '';
}
},
// CC 输入框失焦:与 To 相同逻辑,输入失去焦点则自动成为一条数据(排除点击下拉项时)
handleCcBlur(e) {
@@ -417,9 +587,11 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
if (index < 0) return;
this.ccList.splice(index, 1);
},
// 根据路由 j_email_id 获取发件邮箱信息,用于展示发件人
// 根据本地缓存(优先)或路由参数获取发件邮箱信息,用于展示发件人
getDate() {
const jEmailId = this.$route.query.j_email_id;
// 1. 优先从本地缓存读取
const storedEmailId = localStorage.getItem('mailboxCollect_j_email_id');
const jEmailId = storedEmailId || this.$route.query.j_email_id;
if (!jEmailId) {
this.userMes = {};
return;
@@ -466,52 +638,82 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
});
},
// 发送邮件api/email_client/sendOneto_email 为多邮箱字符串拼接(逗号分隔),发送成功后关闭当前页并跳转收件箱
// 发送邮件api/email_client/sendTemplateStyleText
handleSend() {
// 防抖:快速连点只触发最后一次
if (this.sendLoading) return;
const toList = (this.queryMail.sendnamelist || []).map((item) => item.name).filter(Boolean);
if (!toList.length) {
this.$message.warning(this.$t('mailboxSend.validateTo'));
return;
}
if (!this.queryMail.sendtitle) {
this.$message.warning(this.$t('mailboxSend.validateSubject'));
return;
}
const journalId = this.$route.query.journal_id;
if (!journalId) {
this.$message.warning(this.$t('mailboxSend.needAccount'));
return;
}
this.sendLoading = true;
// 优先发送完整 HTMLsourceContent这样富文本编辑后也能保持 head/style/table 等结构(像阿里邮箱)
const bodyContent = this.sourceContent || (this.queryMail.content || '');
const params = {
journal_id: journalId,
to_email: toList.join(','),
subject: this.queryMail.sendtitle,
content: bodyContent,
};
const self = this;
this.$api.post('api/email_client/sendOne', params).then((res) => {
if (res && res.code === 0) {
self.$message.success(self.$t('mailboxSend.sendSuccess'));
self.queryMail.sendnamelist = [];
self.queryMail.sendtitle = '';
self.queryMail.sendcc = '';
self.ccList = [];
self.queryMail.content = '';
self.sourceContent = '';
self.fileL_atta = [];
self.goBackInbox();
} else {
self.$message.error((res && res.msg) || self.$t('mailboxSend.sendFail'));
if (this.sendDebounceTimer) clearTimeout(this.sendDebounceTimer);
this.sendDebounceTimer = setTimeout(() => {
this.sendDebounceTimer = null;
if (this.sendLoading) return;
const toList = (this.queryMail.sendnamelist || []).map((item) => item.name).filter(Boolean);
const expert_id_list = (this.queryMail.sendnamelist || []).map((item) => item.expert_id).filter(Boolean);
if (!toList.length) {
this.$message.warning(this.$t('mailboxSend.validateTo'));
return;
}
}).catch(() => {
self.$message.error(self.$t('mailboxSend.sendFail'));
}).finally(() => {
self.sendLoading = false;
});
if (!this.queryMail.sendtitle) {
this.$message.warning(this.$t('mailboxSend.validateSubject'));
return;
}
// journal_id 优先从本地缓存获取,兼容旧的路由参数
const storedJournalId = localStorage.getItem('mailboxCollect_journal_id');
const journalId = storedJournalId || this.$route.query.journal_id;
const storedEmailId = localStorage.getItem('mailboxCollect_j_email_id');
const jEmailId = storedEmailId || this.$route.query.j_email_id;
if (!journalId) {
this.$message.warning(this.$t('mailboxSend.needAccount'));
return;
}
if (!jEmailId) {
this.$message.warning(this.$t('mailboxSend.needAccount'));
return;
}
if (!this.selectedTemplateId || !this.selectedStyleId) {
this.$message.warning(this.$t('mailboxSend.selectTemplateStyleFirst'));
return;
}
this.sendLoading = true;
const params = {
journal_id: String(journalId),
template_id: String(this.selectedTemplateId),
to_email: toList.join(','),
style_id: String(this.selectedStyleId),
expert_id: expert_id_list.join(',') || '1',
j_email_id: String(jEmailId),
};
const self = this;
this.$api
.post('api/email_client/sendTemplateStyleTest', params)
.then((res) => {
if (res && res.code === 0) {
self.$message.success(self.$t('mailboxSend.sendSuccess'));
self.queryMail.sendnamelist = [];
self.queryMail.sendtitle = '';
self.queryMail.sendcc = '';
self.ccList = [];
self.queryMail.content = '';
self.sourceContent = '';
self.selectedTemplateId = '';
self.selectedStyleId = '';
self.fileL_atta = [];
self.goBackInbox();
} else {
self.$message.error((res && res.msg) || self.$t('mailboxSend.sendFail'));
}
})
.catch(() => {
self.$message.error(self.$t('mailboxSend.sendFail'));
})
.finally(() => {
self.sendLoading = false;
});
}, 600);
},
// 保存草稿(防抖:请求中禁用按钮)
handleSaveDraft() {
@@ -551,6 +753,10 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
},
// 保存通讯录
mailLibAdd(e) {
if (this.isToRecipientLimitReached()) {
this.showToRecipientLimitWarning();
return;
}
this.queryMail.sendname.push(e.email)
this.queryMail.sendnamelist.push({
id: null,
@@ -562,7 +768,15 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
// 批量保存通讯录
mailLiyAll() {
console.log(this.LibrarySelection)
const max = Number(this.maxToRecipients || 0);
const current = (this.queryMail.sendnamelist || []).length;
const remain = max > 0 ? Math.max(0, max - current) : this.LibrarySelection.length;
if (remain <= 0) {
this.showToRecipientLimitWarning();
return;
}
for (let i = 0; i < this.LibrarySelection.length; i++) {
if (i >= remain) break;
this.queryMail.sendname.push(this.LibrarySelection[i].email)
this.queryMail.sendnamelist.push({
id: null,
@@ -573,19 +787,7 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
this.getLibary();
},
// 模板选择-弹出框
handleSetMoudle() {
this.Templatebox = true
},
// 保存模板
saveTemplate() {
},
// 下拉换模板预览
select_tem(e) {
},

View File

@@ -12,6 +12,7 @@
</div>
<el-table :data="tableData" border style="width: 100%; margin-top: 20px;" v-loading="loading">
<el-table-column type="index" :label="$t('mailboxStyle.no')" width="70" align="center"></el-table-column>
<el-table-column prop="name" :label="$t('mailboxStyle.colName')" min-width="220">
<template slot-scope="scope">
<div class="title-cell">

View File

@@ -8,7 +8,17 @@
</div>
<div class="right">
<el-button size="mini" @click="goBack">{{ $t('mailboxStyleDetail.cancel') }}</el-button>
<el-button type="primary" size="mini" icon="el-icon-document-checked" @click="handleSave">{{ $t('mailboxStyleDetail.save') }}</el-button>
<el-button
type="primary"
size="mini"
icon="el-icon-document-checked"
@click="handleSave"
:loading="loading"
:disabled="loading"
:loading-text="$t('mailboxStyleDetail.loading')"
>
{{ $t('mailboxStyleDetail.save') }}
</el-button>
</div>
</header>
@@ -29,11 +39,13 @@
</el-form-item>
<el-form-item prop="header_html" :label="$t('mailboxStyleDetail.headerHtml')">
<CkeditorMail v-model="form.header_html" />
<el-input type="textarea" v-model="form.header_html" rows="10" :placeholder="$t('mailboxStyleDetail.headerHtmlPlaceholder')"></el-input>
<!-- <CkeditorMail v-model="form.header_html" /> -->
</el-form-item>
<el-form-item prop="footer_html" :label="$t('mailboxStyleDetail.footerHtml')">
<CkeditorMail v-model="form.footer_html" />
<!-- <CkeditorMail v-model="form.footer_html" /> -->
<el-input type="textarea" v-model="form.footer_html" rows="10" :placeholder="$t('mailboxStyleDetail.footerHtmlPlaceholder')"></el-input>
</el-form-item>
</el-form>
</section>
@@ -55,6 +67,7 @@ export default {
data() {
return {
loading: false,
saveDebounceTimer: null,
form: {
style_id: '',
name: '',
@@ -83,6 +96,12 @@ export default {
this.loadDetail(String(styleId));
}
},
beforeDestroy() {
if (this.saveDebounceTimer) {
clearTimeout(this.saveDebounceTimer);
this.saveDebounceTimer = null;
}
},
methods: {
loadDetail(styleId) {
this.loading = true;
@@ -102,15 +121,30 @@ export default {
});
},
goBack() {
this.$router.push({ path: '/mailboxStyle' });
localStorage.setItem('mailboxMouldActiveTab', 'styles');
this.$router.push({ path: '/mailboxMould' });
},
handleSave() {
if (this.loading) return;
// 防抖:连续点击只触发最后一次
if (this.saveDebounceTimer) clearTimeout(this.saveDebounceTimer);
this.saveDebounceTimer = setTimeout(() => {
this.saveDebounceTimer = null;
this._doSave();
}, 600);
},
async _doSave() {
const formRef = this.$refs.styleForm;
const validatePromise =
formRef && formRef.validate ? new Promise(resolve => formRef.validate(ok => resolve(ok))) : Promise.resolve(true);
validatePromise.then(ok => {
if (!ok) return;
this.loading = true;
formRef && formRef.validate
? new Promise(resolve => formRef.validate(ok => resolve(ok)))
: Promise.resolve(true);
const ok = await validatePromise;
if (!ok) return;
this.loading = true;
try {
const q = this.$route && this.$route.query ? this.$route.query : {};
const styleId = q.style_id || q.id || '';
const params = {
@@ -120,23 +154,19 @@ export default {
header_html: this.form.header_html || '',
footer_html: this.form.footer_html || ''
};
this.$api
.post(API.saveStyle, params)
.then(res => {
if (res && res.code === 0) {
this.$message.success(this.$t('mailboxStyleDetail.saveSuccess'));
this.goBack();
} else {
this.$message.error((res && res.msg) || this.$t('mailboxStyleDetail.saveFail'));
}
})
.catch(() => {
this.$message.error(this.$t('mailboxStyleDetail.saveFail'));
})
.finally(() => {
this.loading = false;
});
});
const res = await this.$api.post(API.saveStyle, params);
if (res && res.code === 0) {
this.$message.success(this.$t('mailboxStyleDetail.saveSuccess'));
this.goBack();
} else {
this.$message.error((res && res.msg) || this.$t('mailboxStyleDetail.saveFail'));
}
} catch (e) {
this.$message.error(this.$t('mailboxStyleDetail.saveFail'));
} finally {
this.loading = false;
}
}
}
};

View File

@@ -1,524 +1,434 @@
<template>
<div class="scholar-container">
<div class="sidebar">
<el-card class="params-card" shadow="never">
<div slot="header" class="card-header" style="font-weight: bold;"><i class="el-icon-search"></i> Scholar Search</div>
<el-form :model="form" ref="searchForm" :rules="rules" label-position="top">
<el-form-item label="Keyword" prop="keyword">
<el-input v-model="form.keyword" placeholder="e.g. cancer" clearable></el-input>
<div class="scholar-db-container">
<div class="crumbs">
<el-breadcrumb separator="/">
<el-breadcrumb-item> <i class="el-icon-user"></i> Scholar Database </el-breadcrumb-item>
</el-breadcrumb>
</div>
<div class="toolbar">
<div class="filters">
<el-form :inline="true" :model="query" size="small">
<el-form-item label="">
<el-cascader
ref="cascader"
@change="handleChange(index)"
v-model="major_id"
:placeholder="'Please select field'"
:options="options"
:props="getProps()"
style="width: 260px"
></el-cascader>
</el-form-item>
<el-form-item label="">
<el-input v-model="query.keyword" placeholder="Name / Email / Affiliation" clearable style="width: 260px" />
</el-form-item>
<div class="form-row">
<el-form-item label="Per Page (Articles)" class="half-width">
<el-input-number v-model="per_page" :controls="false" :min="1" :max="100"></el-input-number>
</el-form-item>
<el-form-item label="Page Number" class="half-width">
<el-input-number v-model="page" :controls="false" :min="1" :max="maxPages"></el-input-number>
</el-form-item>
</div>
<div style="display: flex; gap: 10px; margin-top: 15px;">
<el-button type="primary" class="fetch-btn" style="flex: 3;" :loading="loading" @click="handleExecute">
<i v-if="!loading" class="el-icon-coin"></i>
{{ loading ? 'Fetching...' : 'Execute Fetch' }}
</el-button>
<el-button @click="resetForm" class="custom-reset-btn">
<i class="el-icon-refresh-left"></i> Reset
</el-button>
</div>
<el-form-item>
<el-button type="primary" icon="el-icon-search" :loading="loading" @click="handleSearch"> Search </el-button>
<el-button @click="handleReset">Reset</el-button>
</el-form-item>
</el-form>
</el-card>
<div class="info-box">
<h4>INFORMATION</h4>
<p>
"This tool allows for systematic extraction of scholar data from academic publications. Note that per_page refers to the
number of articles scanned, which may yield multiple scholar records."
</p>
</div>
<div class="actions">
<el-button type="success" icon="el-icon-download" @click="handleExport" :loading="exportLoading">
Download Excel
</el-button>
</div>
</div>
<div class="main-content" :style="{border:hasSearched && !loading ? 'none' : '2px solid #e2e2e2'}">
<div v-if="!hasSearched && !loading" class="main-content-center">
<div class="empty-state">
<div class="state-icon"><i class="el-icon-user"></i></div>
<el-card class="table-card" shadow="never">
<div class="source-tag">Data sourced from PubMed</div>
<el-table :data="list" border stripe v-loading="loading" header-row-class-name="dark-table-header">
<el-table-column prop="name" label="Base Information" min-width="220">
<template slot-scope="scope">
<div>
<p class="info-row">
<span class="label">Name: </span><span class="value bold">{{ scope.row.name }}</span>
</p>
<p class="info-row">
<span class="label">Email: </span><span class="value link">{{ scope.row.email }}</span>
</p>
<p class="info-row" style="margin-top: 10px; font-size: 12px">
<span class="label">Acquisition Time:</span>
<span class="value time">{{ scope.row.ctime_text ? scope.row.ctime_text : '-' }}</span>
</p>
<h3>Scholar Search</h3>
<span class="custom-tag">{{ scope.row.state_text }}</span>
</div>
</template></el-table-column
>
<p>
Enter a research keyword and specify the search depth to retrieve expert profiles from professional academic
databases.
</p>
</div>
<el-table-column prop="affiliation" label="Affiliation" min-width="260" />
<el-table-column prop="fieldDisplay" label="Research areas" min-width="200">
<template slot-scope="scope">
<div v-for="(field, index) in scope.row.fields" :key="index">
<span
><span style="color: #006699">{{ index + 1 }}.</span> {{ field.field }}</span
>
</div>
</template>
</el-table-column>
</el-table>
<div class="pagination">
<el-pagination
background
layout="total, sizes, prev, pager, next, jumper"
:current-page="query.pageIndex"
:page-size="query.pageSize"
:page-sizes="[10, 20, 50]"
:total="total"
@size-change="handleSizeChange"
@current-change="handlePageChange"
/>
</div>
<div v-if="loading" class="main-content-center">
<div class="processing-state">
<div class="spinner-box"><i class="el-icon-loading"></i></div>
<h3>PROCESSING REQUEST</h3>
<p>Connecting to api.tmrjournals.com...</p>
</div>
</div>
<div v-if="hasSearched && !loading" class="results-container">
<div class="results-header">
<div class="results-stats">
<i class="el-icon-user"></i> RESULTS FOUND: <strong>{{ total }}</strong>
<span class="divider">|</span>
<span class="page-info">PAGE {{ page }} OF APPROX. {{ maxPages }}</span>
<template v-if="Source">
<span class="divider">|</span>
<span class="page-info">Source {{ Source }}</span>
</template>
</div>
<div class="results-nav">
<el-button
class="nav-btn"
size="mini"
icon="el-icon-arrow-left"
:disabled="page <= 1"
@click="changePage(-1)"
></el-button>
<el-button
class="nav-btn"
size="mini"
icon="el-icon-arrow-right"
:disabled="page >= maxPages"
@click="changePage(1)"
></el-button>
</div>
</div>
<el-table :data="exportFiles" class="custom-table" border stripe header-row-class-name="dark-table-header">
<el-table-column prop="name" label="File name" min-width="200"></el-table-column>
<el-table-column prop="url" label="File url" min-width="250">
<template slot-scope="scope">
<el-link class="file-link" :href="mediaUrl+scope.row.url" target="_blank">
{{ scope.row.url }}
<i class="el-icon-download download-icon"></i>
</el-link>
</template>
</el-table-column>
<el-table-column prop="count" label="Count" width="120" align="center"></el-table-column>
</el-table>
</div>
</div>
</el-card>
</div>
</template>
<script>
import Common from '@/components/common/common'
import Common from '@/components/common/common';
export default {
name: 'scholarCrawlers',
data() {
return {
mediaUrl: Common.mediaUrl,
form: { keyword: '' },
rules: {
keyword: [{ required: true, message: 'Required', trigger: 'blur' }]
major_id: [],
majors: [],
query: {
major_id: null,
keyword: '',
pageIndex: 1,
pageSize: 10
},
loading: false,
exportLoading: false,
hasSearched: false,
page: 1,
per_page: 20,
maxPages: 100, // 初始上限
list: [],
total: 0,
Source: '',
exportFiles: [] // 模拟图二的文件列表数据
loading: false,
exportLoading: false
};
},
created() {
this.loadFields();
this.fetchList();
},
methods: {
resetForm() {
this.form = { keyword: '' };
this.page = 1;
this.per_page=20;
this.$refs.searchForm.resetFields();
},
async handleExecute() {
this.$refs.searchForm.validate(async (valid) => {
if (!valid) return;
this.loading = true;
this.hasSearched = false;
loadFields() {
this.$api.post('api/Major/getMajorList', {}).then((res) => {
const transformData = (data) => {
return data.map((item) => {
const transformedItem = {
...item,
value: item.major_id,
label: `${item.major_title}`
};
try {
// 1. 调用 Search 接口获取页数上限
const searchRes = await this.$api.post('/api/expert_finder/search', {
keyword: this.form.keyword,
page: this.page,
per_page: this.per_page
});
if (searchRes && searchRes.code === 0) {
this.total = searchRes.data.total || 0;
this.maxPages = searchRes.data.total_pages || 1; // 2. 模拟处理延迟(配合图一动画)
this.Source = searchRes.data.source || '';
await new Promise((resolve) => setTimeout(resolve, 1500)); // 3. 调用 Export 接口生成文件
const exportRes = await this.$api.post('/api/expert_finder/export', {
keyword: this.form.keyword,
page: this.page,
per_page: this.per_page
});
if (exportRes && (exportRes.code === 0 || exportRes.status === 1)) {
// 构造图二展示的数据格式
const fileUrl = exportRes.data ? exportRes.data.file_url || exportRes.file_url : '';
const fileName = fileUrl ? fileUrl.split('/').pop() : `experts_${this.form.keyword}_p${this.page}.xlsx`;
this.exportFiles = [
{
url: fileUrl,
name: fileName,
count: searchRes.data.experts ? searchRes.data.experts.length : 0
}
];
this.hasSearched = true;
// 如果存在 children递归处理
if (item.children && item.children.length > 0) {
transformedItem.children = transformData(item.children);
}
}
} catch (error) {
this.$message.error('Execution failed');
console.error(error);
} finally {
this.loading = false;
}
return transformedItem;
});
};
// 执行递归,获取选项数据
const data = transformData(res.data.majors.find((item) => item.major_id == 1).children);
this.options = [...data]; // 将选项数据赋给 options
});
},
changePage(step) {
this.page += step;
this.handleExecute();
handleChange(i) {
this.$nextTick(() => {
this.$refs[`cascader`].dropDownVisible = false;
this.query.major_id = this.major_id[this.major_id.length - 1];
this.query.pageIndex = 1;
this.fetchList();
this.$forceUpdate();
});
},
getProps() {
return {
value: 'value',
label: 'label',
children: 'children',
checkStrictly: true, // 允许任意选择一级
expandTrigger: 'hover' // 使用 hover 触发展开
};
},
async fetchMajors() {
try {
const res = await this.$api.post('api/Ucenter/getMajor', { major_id: 1 });
if (res && res.code === 0 && res.data && res.data.major) {
this.majors = res.data.major.children || [];
}
} catch (e) {
// ignore
}
},
async fetchList() {
this.loading = true;
try {
const params = {
major_id: this.query.major_id,
keyword: this.query.keyword,
pageIndex: this.query.pageIndex,
pageSize: this.query.pageSize
};
const res = await this.$api.post('api/expert_manage/getList', params);
if (res && res.code === 0 && res.data) {
const rawList = res.data.list || [];
// 后端已提供单个 field 字段,直接用于列表展示
this.list = rawList.map((item) => {
// 1. 获取后端返回的原始 field 数组(看截图应该是 item.field
const fieldArray = item.fields || [];
// 2. 提取出数组中每个对象里的 'field' 属性字符串
// 如果只需要展示文本,可以用 join 连起来
const fieldNames = fieldArray.map((f) => f.field).join(', ');
return {
...item,
fieldDisplay: fieldNames
};
});
this.total = res.data.total || 0;
} else {
this.list = [];
this.total = 0;
}
} catch (e) {
this.list = [];
this.total = 0;
} finally {
this.loading = false;
}
},
handleSearch() {
this.query.pageIndex = 1;
this.fetchList();
},
handleReset() {
this.major_id = [];
this.query = {
major_id: null,
keyword: '',
pageIndex: 1,
pageSize: 10
};
this.fetchList();
},
handleSizeChange(size) {
this.query.pageSize = size;
this.query.pageIndex = 1;
this.fetchList();
},
handlePageChange(page) {
this.query.pageIndex = page;
this.fetchList();
},
async handleExport() {
// 导出前必须至少选择领域或填写关键字
if (!this.query.major_id && !this.query.keyword) {
this.$message.warning('Please select a research area or enter a keyword before exporting.');
return;
}
this.exportLoading = true;
try {
const params = {
major_id: this.query.major_id,
keyword: this.query.keyword
};
const res = await this.$api.post('api/expert_manage/exportExcel', params);
if (res && res.code === 0 && res.data && res.data.file_url) {
window.open(this.mediaUrl + res.data.file_url, '_blank');
} else {
this.$message.error(res.msg || 'Export failed');
}
} catch (e) {
this.$message.error(e.msg || 'Export failed');
} finally {
this.exportLoading = false;
}
}
}
};
</script>
<style scoped>
/* 全局基础:背景色与字体 */
.scholar-container {
display: flex;
/* background-color: #E6E6E6; */
padding: 20px 0;
box-sizing: border-box;
/* font-family: "Georgia", "Times New Roman", serif; */
color: #1a1a1a;
.scholar-db-container {
padding: 0 10px;
}
/* --- 左侧边栏 --- */
.sidebar {
width: 420px;
margin-right: 30px;
}
/* 参数卡片:去掉 Element 默认圆角和阴影 */
.params-card {
border: 2px solid #000 !important;
border-radius: 0 !important;
background: #fff;
/* 核心:右下角的硬阴影效果 */
box-shadow: 6px 6px 0px 0px rgba(0, 0, 0, 0.8) !important;
margin-bottom: 25px;
}
/* 卡片头部标题 */
.card-header {
font-size: 1.2rem;
font-style: italic;
font-weight: 500;
.toolbar {
display: flex;
align-items: center;
padding: 5px 0;
}
.card-header i {
margin-right: 8px;
font-style: normal;
}
/* 表单元素重置 */
/deep/ .el-form-item__label {
font-family: 'Arial', sans-serif; /* 标签用无衬线体形成对比 */
font-size: 12px;
font-weight: 800;
color: #333;
padding: 0 !important;
line-height: 20px !important;
letter-spacing: 0.5px;
}
/deep/ .el-input__inner {
border-radius: 0 !important;
border: 1.5px solid #000 !important;
height: 40px;
font-family: 'Georgia', serif;
background-color: #fcfcfc;
/* 内部微阴影感 */
box-shadow: inset 1px 1px 2px rgba(0, 0, 0, 0.1);
}
.form-row {
display: flex;
gap: 15px;
}
/deep/ .el-input-number {
width: 100%;
}
/* 黑色大按钮 */
.fetch-btn {
width: 100%;
height: 55px;
background-color: #000 !important;
border: none !important;
border-radius: 0 !important;
color: #fff !important;
font-weight: 900;
font-size: 16px;
letter-spacing: 1.5px;
margin-top: 10px;
display: flex;
align-items: center;
justify-content: center;
transition: all 0.2s;
}
.fetch-btn:hover {
background-color: #333 !important;
transform: translate(-1px, -1px);
box-shadow: 2px 2px 0 #888;
}
.fetch-btn i {
font-size: 20px;
margin-right: 10px;
}
/* 信息框:黑底白字 */
.info-box {
background-color: #151515;
color: #d0d0d0;
padding: 25px;
border-radius: 0;
line-height: 1.6;
}
.info-box h4 {
color: #fff;
font-family: 'Arial', sans-serif;
font-size: 13px;
letter-spacing: 2px;
margin: 0 0 15px 0;
border-bottom: 1px solid #444;
padding-bottom: 5px;
}
.info-box p {
font-style: italic;
font-size: 13px;
margin: 0;
}
.main-content-center {
width: 100%;
height: 100%;
display: flex;
align-items: center;
justify-content: center;
}
.empty-state {
text-align: center;
max-width: 450px;
}
/* 数据库图标 */
.state-icon {
font-size: 80px;
color: #bcbcbc;
margin-bottom: 15px;
}
.empty-state h3 {
font-size: 24px;
font-style: italic;
font-weight: 400;
color: #444;
margin-bottom: 15px;
}
.empty-state p {
font-size: 14px;
color: #888;
line-height: 1.5;
}
/* 加载动画状态 */
.processing-state {
text-align: center;
}
.spinner-box {
font-size: 50px;
margin-bottom: 20px;
animation: rotating 2s linear infinite;
}
@keyframes rotating {
from {
transform: rotate(0deg);
}
to {
transform: rotate(360deg);
}
}
.processing-state h3 {
letter-spacing: 4px;
font-weight: 900;
color: #000;
}
/* 右侧容器改为顶部对齐 */
.main-content {
flex: 1;
border: 2px dashed #bbb;
display: flex;
align-items: center;
justify-content: center;
justify-content: center;
align-items: flex-start; /* 确保列表从顶部开始 */
/* padding: 20px; */
background-color: rgba(255, 255, 255, 0.3);
}
.results-container {
width: 100%;
/* 模拟图二的实体阴影 */
box-shadow: 8px 8px 0px 0px rgba(0, 0, 0, 0.1);
}
/* 统计栏样式 */
.results-header {
display: flex;
justify-content: space-between;
align-items: center;
padding: 15px 20px;
background: #fff;
border: 2px solid #000;
border-bottom: none; /* 与下方表格衔接 */
margin-bottom: 15px;
margin-top: 15px;
}
.results-stats {
font-family: 'Arial', sans-serif;
font-weight: 800;
font-size: 14px;
letter-spacing: 0.5px;
/* text-transform: uppercase; */
}
.results-stats strong {
.title {
font-size: 18px;
margin-left: 5px;
font-weight: 600;
display: flex;
align-items: center;
}
.divider {
margin: 0 15px;
color: #ccc;
font-weight: 100;
.title i {
margin-right: 8px;
}
.page-info {
color: #999;
font-size: 11px;
.filters {
flex: 1;
margin: 0 20px;
margin-left: 0;
}
/* 导航按钮 */
.nav-btn {
border: 1.5px solid #000 !important;
border-radius: 0 !important;
background: #fff !important;
color: #000 !important;
padding: 5px 10px !important;
.actions {
white-space: nowrap;
}
.nav-btn:hover {
background: #000 !important;
color: #fff !important;
.table-card {
margin-top: 10px;
}
/* 表格主体还原 */
/deep/ .custom-table {
border: 2px solid #000 !important;
.pagination {
margin-top: 15px;
text-align: right;
}
/deep/ .dark-table-header th {
background-color: #000 !important;
color: #fff !important;
/* font-family: "Arial", sans-serif; */
font-weight: 900;
letter-spacing: 1px;
padding: 12px 0 !important;
background-color: #f5f7fa;
font-weight: 600;
}
/deep/ .el-table__row td {
padding: 15px 0 !important;
color: #333;
/* font-family: "Georgia", serif; */
/deep/ .el-form-item--mini.el-form-item,
.el-form-item--small.el-form-item {
margin-bottom: 0;
}
.custom-tag {
/* 基础布局 */
display: inline-block;
position: absolute;
right: 6px;
top: 0px;
/* 链接样式 */
.file-link {
font-size: 13px;
text-decoration: none !important;
color: #0066cc;
/* 颜色与背景 */
color: #ce4f15; /* 深灰色文字 */
/* 形状 */
/* font-weight: bold; */
/* 字体 */
font-size: 12px;
font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, sans-serif;
}
.file-link:hover {
text-decoration: underline;
}
.download-icon {
margin-left: 6px;
vertical-align: middle;
/* 每一行的布局 */
.info-row {
margin-bottom: 4px;
font-size: 14px;
}
.custom-reset-btn {
flex: 1;
background-color: #fff;
border: 2px solid #000;
color: #000;
font-weight: 800;
font-family: 'Arial', sans-serif;
font-size: 14px;
cursor: pointer;
display: flex;
align-items: center;
justify-content: center;
transition: all 0.1s;
outline: none;
margin-top: 10px
line-height: 1.2;
font-family: Arial, sans-serif;
}
.custom-reset-btn i {
margin-right: 4px;
font-weight: 800;
/* 左侧 Label 样式 */
.label {
color: #999; /* 浅灰色 */
margin-right: 8px;
flex-shrink: 0;
}
/* 悬浮和点击效果:增加黑白对比度 */
.custom-reset-btn:hover {
background-color: #f0f0f0;
/* 右侧 Value 样式 */
.value {
color: #333;
}
.value.bold {
font-weight: bold;
font-size: 15px;
}
.value.link {
color: #0066a1;
} /* 邮箱颜色 */
.value.time {
color: #888;
} /* 邮箱颜色 */
.value.italic {
font-style: italic;
color: #666;
}
.blue-text {
color: #0066a1;
}
.custom-reset-btn:active {
transform: translate(1px, 1px);
box-shadow: none;
/* H-指数特有颜色 */
.h-score {
font-weight: bold;
margin-right: 15px;
}
.green {
color: #28a745;
}
.red {
color: #dc3545;
}
/* 星星评分 */
.stars {
color: #ffb400;
font-size: 16px;
}
.stars .half {
font-size: 14px;
}
/* 状态标签 (参考你之前的要求) */
.status-tag {
background-color: #fffbe6; /* 浅黄背景 */
color: #d48806; /* 橙黄色文字 */
border: 1px solid #ffe58f;
padding: 2px 8px;
border-radius: 4px;
font-size: 12px;
}
.source-tag {
/* 布局 */
float: right;
display: inline-flex;
align-items: center;
padding: 6px 16px;
margin-top: -10px;
margin-bottom: 10px;
/* 颜色与背景 */
background-color: #f0f7ff; /* 极浅蓝背景 */
color: #0077cc; /* 品牌蓝文字 */
border: 1px solid #e1f0ff; /* 浅蓝色边框 */
/* 形状与阴影 */
border-radius: 20px;
box-shadow: 0 2px 6px rgba(0, 119, 204, 0.1); /* 淡淡的蓝色投影 */
/* 字体 */
font-size: 11px;
font-weight: bold;
letter-spacing: 0.5px; /* 字间距增加 */
}
/* 前置小圆点 */
.source-tag::before {
content: '';
width: 8px;
height: 8px;
background-color: #0095ff; /* 亮蓝色圆点 */
border-radius: 50%;
margin-right: 10px;
}
</style>

View File

@@ -1094,7 +1094,28 @@ export default new Router({
path: '/scholarCrawlers', //学者抓取
component: () => import('../components/page/scholarCrawlers'),
meta: {
title: 'Scholar Crawlers'
title: 'Scholar Database'
}
},
{
path: '/expertDatabase', //专家库
component: () => import('../components/page/expertDatabase'),
meta: {
title: 'Expert Database'
}
},
{
path: '/autoPromotion', // 自动推广
component: () => import('../components/page/autoPromotion'),
meta: {
title: 'Auto Promotion'
}
},
{
path: '/autoPromotionLogs', // 历史推广记录
component: () => import('../components/page/autoPromotionLogs'),
meta: {
title: 'Promotion History'
}
},
{