6 Commits

16 changed files with 1876 additions and 640 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

@@ -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

@@ -155,12 +155,13 @@
<!-- 编辑 -->
<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 +169,7 @@
<el-menu-item index="mailboxMould">
{{ $t('sidebar.emailTemplates') }}
</el-menu-item>
<el-menu-item index="mailboxStyle">
{{ $t('sidebar.emailStyles') }}
</el-menu-item>
</el-submenu>
<el-submenu index="tools">

View File

@@ -272,9 +272,8 @@ const en = {
emailStyles: 'Email Styles',
tools: 'Assistant tools',
mailboxManagement: 'Mailbox Management',
mailboxConfig: 'Mailbox config',
mailboxCollect: 'Mailbox list',
scholarCrawlers: 'Scholar Crawlers',
expertDatabase: 'Expert Database',
ReArticles: 'Rejected Manuscripts', // 被拒稿件
editorialBoard: 'Boss System',
editorialBoard1: 'Board Management',
@@ -285,6 +284,8 @@ const en = {
managingDirector: 'Managing Director',
GroupClassification: 'Group List',
JournalInstallment: 'Journal Installment',
mailboxCollect: 'Email List',
promotionManagement: 'Promotion Management',
},
mailboxConfig: {
mailSystem: 'Mailbox system',
@@ -494,6 +495,7 @@ const en = {
operation: 'Operation',
loadingMore: 'Loading more...',
noMore: 'No more',
selectAccountTip: 'Please select an email account first.'
},
mailboxSend: {
title: 'Write mail',
@@ -817,7 +819,10 @@ 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 contact the administrator to configure templates.'
}

View File

@@ -258,8 +258,10 @@ const zh = {
tools: '辅助工具',
mailboxManagement: '邮箱管理',
mailboxConfig: '邮箱配置管理',
mailboxCollect: '邮箱列表',
scholarCrawlers: '学者抓取',
scholarCrawlers: '学者数据库',
expertDatabase: '专家库',
ReArticles: '被拒稿件', // 被拒稿件
editorialBoard: '编委管理',
editorialBoard1: '编委列表',
@@ -270,6 +272,8 @@ const zh = {
managingDirector: '总经理',
GroupClassification: '集团列表',
JournalInstallment: '分期列表',
mailboxCollect: '邮件列表',
promotionManagement: '推广管理',
},
mailboxConfig: {
@@ -480,6 +484,7 @@ const zh = {
operation: '操作',
loadingMore: '加载更多...',
noMore: '没有更多了',
selectAccountTip: '请先选择一个邮箱账号.',
},
mailboxSend: {
title: '写邮件',
@@ -798,6 +803,10 @@ const zh = {
"tooLarge": "过大跳过(>1MB)",
"error": "失败: {msg}",
"imgLabel": "图"
},
mailTemplate: {
// 如果已经有 mailTemplate就只加这一行
noTemplateTip: '当前期刊暂无可用模板,请重新选择期刊或联系管理员配置模板。'
}

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

@@ -5,11 +5,14 @@
</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 }
},
data() {
return {
@@ -114,21 +117,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]',
valid_children: '+body[tr],+body[thead],+body[tbody],+body[table],+body[style],+p[style],+div[style]',
extended_valid_elements: 'style,meta,title',
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,14 +145,29 @@ 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);
}
// 监听内容变化
editor.on('NodeChange Change KeyUp SetContent', () => {
this.$emit('input', editor.getContent());
vueInstance.$emit('input', editor.getContent());
});
}
});

View File

@@ -0,0 +1,274 @@
<template>
<el-dialog
title="Template Selection"
: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">
<el-tabs v-model="activeStep">
<el-tab-pane label="1.Choose Style" 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-tab-pane label="2.Choose Template" name="content">
<div style="margin-bottom: 15px; padding: 0 5px;">
<p style="font-size: 12px; color: #999; margin-bottom: 5px;">Journal:</p>
<el-select
v-model="selectedJournalId"
placeholder="All Journals"
clearable
size="small"
style="width: 100%"
@change="handleJournalChange"
>
<el-option
v-for="item in journalOptions"
:key="item.id"
:label="item.label"
:value="item.id"
/>
</el-select>
</div>
<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-tabs>
</div>
<div class="preview-panel">
<div class="preview-label">LIVE PREVIEW</div>
<div class="preview-container">
<div class="mail-render-box" v-html="combinedHtml"></div>
</div>
</div>
</div>
<div slot="footer" class="dialog-footer">
<div class="footer-info">
Selected: <strong>{{ currentSelectionText }}</strong>
</div>
<div>
<el-button @click="handleClose" style="">Cancel</el-button>
<el-button type="primary" icon="el-icon-check" @click="submit">Apply Template</el-button>
</div>
</div>
</el-dialog>
</template>
<script>
export default {
props: {
visible: Boolean
},
data() {
return {
activeStep: 'style',
// 期刊过滤
journalOptions: [],
selectedJournalId: null,
selectedHeaderId: null,
selectedContentId: null,
expandedHeaderId: null,
// 头部样式列表(通过接口获取)
headerStyles: [],
contentTemplates: [],
contentLoading: false
};
},
created() {
this.fetchJournals();
this.fetchHeaderStyles();
},
computed: {
// 【关键】拼接 HTML
combinedHtml() {
const header = this.headerStyles.find(h => h.id === this.selectedHeaderId);
const content = this.contentTemplates.find(c => c.id === this.selectedContentId);
// 没有可用模板时,右侧显示提示文案(走国际化)
if (!header || !content) {
const msg = this.$t('mailTemplate.noTemplateTip');
return `<div style="padding: 40px; text-align: center; color: #999; font-size: 14px;">
${msg}
</div>`;
}
// 返回完整的拼接代码,使用内联样式以兼容邮件
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 `${h ? h.name : ''} + ${c ? c.name : ''}`;
}
},
methods: {
// 获取期刊列表用于过滤模板
async fetchJournals() {
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 && !this.selectedJournalId) {
this.selectedJournalId = this.journalOptions[0].id;
this.fetchContentTemplates();
}
} catch (e) {
// 静默失败
}
},
toggleDesc(id) {
this.expandedHeaderId = this.expandedHeaderId === id ? null : id;
},
async handleJournalChange() {
// 切换期刊时重新拉取样式和模板(按需可改为带 journal_id 过滤)
this.contentTemplates=[]
await this.fetchContentTemplates();
if (this.contentTemplates.length) {
this.selectedContentId = this.contentTemplates[0].id;
}
},
// 调用接口获取头部样式列表
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 || ''
}));
console.log("🚀 ~ headerStyles:", this.headerStyles);
// 默认选中第一条
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;
}
},
handleClose() {
this.$emit('update:visible', false);
},
submit() {
// 将拼接好的 HTML 抛给父组件
this.$emit('confirm', this.combinedHtml);
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; }
.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; margin-bottom: 10px; }
.preview-container { background: #fff; flex: 1; border-radius: 4px; overflow-y: auto; box-shadow: 0 4px 12px rgba(0,0,0,0.05); }
.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: space-between; align-items: center; width: 100%; }
.footer-info { color: #666; font-size: 14px; }
</style>

View File

@@ -0,0 +1,315 @@
<template>
<div class="scholar-db-container">
<div class="crumbs">
<el-breadcrumb separator="/">
<el-breadcrumb-item>
<i class="el-icon-user"></i> Expert 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"
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>
<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>
</div>
<div class="actions">
<el-button type="success" icon="el-icon-download" @click="handleExport" :loading="exportLoading">
Download Excel
</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 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>
<span class="custom-tag">{{ scope.row.state_text }}</span>
</div>
</template>
</el-table-column>
<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>
</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('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-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

@@ -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,8 +48,8 @@
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">
<template v-if="displayList.length > 0">
@@ -116,10 +116,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;">
@@ -226,11 +226,27 @@ 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();
localStorage.setItem('mailboxCollect_j_email_id', q.j_email_id);
if (q.journal_id) {
localStorage.setItem('mailboxCollect_journal_id', q.journal_id);
}
return;
}
// 2. 否则尝试从本地缓存恢复上次选择
if (storedEmailId) {
this.loadAccountById(storedEmailId);
return;
}
// 3. 都没有则弹出选择账号弹窗
this.openAccountDialog();
},
loadDefaultAccount() {
this.$api.post(API.getAllJournal, {}).then(res => {
@@ -310,19 +326,25 @@ export default {
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'));
}
// 没选账号时不允许关闭
},
@@ -519,7 +541,7 @@ export default {
.folder-list li.active { background: #edeef0; color: #006699; font-weight: bold; border-right: 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; }

View File

@@ -306,12 +306,16 @@
});
},
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

View File

@@ -1,96 +1,129 @@
<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-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.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-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-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.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>
<el-button type="primary" icon="el-icon-search" @click="fetchList" style="margin-right: 10px;">
{{ $t('mailboxMould.searchBtn') }}
</el-button>
<el-button type="primary" icon="el-icon-search" @click="fetchTemplates" style="margin-right: 10px;">
{{ $t('mailboxMould.searchBtn') }}
</el-button>
<div class="right-actions">
<el-button type="primary" plain icon="el-icon-plus" @click="handleCreate">{{ $t('mailboxMould.createTemplate') }}</el-button>
</div>
</div>
<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 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')">
<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="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 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,22 +140,32 @@
<script>
const API = {
listTemplates: 'api/mail_template/listTemplates',
listStyles: 'api/mail_template/listStyles',
getAllJournal: 'api/Journal/getAllJournal',
deleteTemplate: 'api/mail_template/deleteTemplate'
deleteTemplate: 'api/mail_template/deleteTemplate',
deleteStyle: 'api/mail_template/deleteStyle'
};
export default {
data() {
return {
searchQuery: '',
loading: false,
activeTab: 'templates',
journalList: [],
filters: {
// --- Templates ---
tplLoading: false,
tplFilters: {
journalId: '',
scene: '',
language: ''
},
tableData: [],
tplTableData: [],
// --- Styles ---
styleLoading: false,
styleTableData: [],
// --- 共用预览 ---
previewVisible: false,
previewContent: ''
};
@@ -131,6 +174,7 @@ export default {
this.loadJournals();
},
methods: {
// ========== 公共 ==========
loadJournals() {
this.$api
.post(API.getAllJournal, {})
@@ -142,27 +186,36 @@ export default {
}));
this.journalList = mapped;
if (mapped.length > 0) {
this.filters.journalId = String(mapped[0].journal_id);
this.tplFilters.journalId = String(mapped[0].journal_id);
}
this.fetchList();
this.fetchTemplates();
})
.catch(() => {
this.journalList = [];
});
},
fetchList() {
this.loading = true;
handleTabChange(tab) {
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,
@@ -176,24 +229,22 @@ export default {
}));
})
.catch(() => {
this.loading = false;
this.tableData = [];
this.tplLoading = false;
this.tplTableData = [];
});
},
handleCreate() {
handleCreateTemplate() {
this.$router.push({ path: '/mailboxMouldDetail' });
},
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) } : {} });
},
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 +255,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'));
}
@@ -257,4 +364,4 @@ export default {
border: 1px solid #eee;
background: #fff;
}
</style>
</style>

View File

@@ -106,6 +106,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 }">
@@ -153,31 +155,16 @@
</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"
/>
</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'
@@ -211,7 +198,7 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
},
LibrForm: {},
LibrarySelection: [],
Templatebox: false,
showTemplateDialog: false,
Librarybox: false,
link_TotalLibry: 0,
isSourceMode: false,
@@ -232,6 +219,7 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
},
components: {
emailCkeditor,
TemplateSelectorDialog,
},
computed: {
footerBarLeft() {
@@ -259,6 +247,16 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
bus.$off('collapse-content');
},
methods: {
handleTemplateApply(htmlContent) {
// 假设你使用的是 TinyMCE
if (window.tinymce && window.tinymce.activeEditor) {
// 建议:如果你想保留已有内容,用 insertContent
// 如果想彻底更换模板,用 setContent。
window.tinymce.activeEditor.setContent(htmlContent);
this.$message.success('Template applied successfully!');
}
},
// 切换富文本 / 源代码编辑模式(源码用 sourceContent 保留完整 HTML可自由来回切换
toggleSourceMode() {
if (this.isSourceMode) {
@@ -573,19 +571,7 @@ import emailCkeditor from '@/components/page/components/email/CkeditorMail.vue'
this.getLibary();
},
// 模板选择-弹出框
handleSetMoudle() {
this.Templatebox = true
},
// 保存模板
saveTemplate() {
},
// 下拉换模板预览
select_tem(e) {
},

View File

@@ -29,11 +29,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>

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,14 @@ 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'
}
},
{