This commit is contained in:
Phoenix 2025-07-07 10:26:52 +08:00
commit e5a5b36dcc
10 changed files with 256 additions and 82 deletions

View File

@ -1,70 +1,172 @@
<template> <template>
<span> <span>
<template v-for="(part, index) in parts" :key="index"> <template v-if="isHtml">
<span v-if="part.highlighted" :class="highlightClass"> <span v-html="highlightedHtml" />
{{ part.text }} </template>
<template v-else>
<span class="text-content">
<template v-for="(part, index) in parts" :key="index">
<span
v-if="part.highlighted"
:class="highlightClass"
v-html="textReplaceEmoji(part.text)"
/>
<span v-else v-html="textReplaceEmoji(part.text)" />
</template>
</span> </span>
<span v-else>{{ part.text }}</span>
</template> </template>
</span> </span>
</template> </template>
<script setup> <script setup>
import { computed } from 'vue' import { computed } from 'vue'
import { textReplaceEmoji } from '@/utils/emojis'
const props = defineProps({ const props = defineProps({
text: { text: {
type: String, type: String,
required: true, required: true
}, },
searchText: { searchText: {
type: String, type: String,
default: '', default: ''
}, },
highlightClass: { highlightClass: {
type: String, type: String,
default: 'highlight', default: 'highlight'
}, }
})
// HTML
const isHtml = computed(() => {
return /<[^>]*>/g.test(props.text)
}) })
const escapedSearchText = computed(() => const escapedSearchText = computed(() =>
String(props.searchText).replace(/[-\/\\^$*+?.()|[\]{}]/g, '\\$&'), String(props.searchText).replace(/[-\/\\^$*+?.()|[\]{}]/g, '\\$&')
) )
const pattern = computed(() => new RegExp(escapedSearchText.value, 'gi')) const pattern = computed(() => new RegExp(escapedSearchText.value, 'gi'))
const parts = computed(() => { const parts = computed(() => {
if (!props.searchText || !props.text) if (!props.searchText || !props.text) return [{ text: props.text, highlighted: false }]
return [{ text: props.text, highlighted: false }];
const result = []; const result = []
let currentIndex = 0; let currentIndex = 0
const escapedSearchTextValue = escapedSearchText.value; const escapedSearchTextValue = escapedSearchText.value
const searchPattern = new RegExp(`(${escapedSearchTextValue})`, 'gi'); const searchPattern = new RegExp(`(${escapedSearchTextValue})`, 'gi')
props.text.replace(searchPattern, (match, p1, offset) => { props.text.replace(searchPattern, (match, p1, offset) => {
// //
if (currentIndex < offset) { if (currentIndex < offset) {
result.push({ text: props.text.slice(currentIndex, offset), highlighted: false }); result.push({ text: props.text.slice(currentIndex, offset), highlighted: false })
} }
// //
result.push({ text: p1, highlighted: true }); result.push({ text: p1, highlighted: true })
// //
currentIndex = offset + p1.length; currentIndex = offset + p1.length
return p1; // replace return p1 // replace
}); })
// //
if (currentIndex < props.text.length) { if (currentIndex < props.text.length) {
result.push({ text: props.text.slice(currentIndex), highlighted: false }); result.push({ text: props.text.slice(currentIndex), highlighted: false })
} }
return result; return result
}); })
//
const processSpecialChars = (text) => {
return (
text
//
.replace(/\n/g, '<br>')
//
.replace(/\t/g, '&nbsp;&nbsp;&nbsp;&nbsp;')
// &nbsp;
.replace(/ {2,}/g, (match) => {
return '&nbsp;'.repeat(match.length)
})
//
.replace(/[\u200B-\u200D\uFEFF]/g, '')
)
}
// HTML - 使
const highlightedHtml = computed(() => {
if (!props.searchText || !props.text) {
//
return textReplaceEmoji(processSpecialChars(props.text))
}
// 使
// HTML
// HTML
const parts = []
let lastIndex = 0
const tagRegex = /<[^>]*>/g
let tagMatch
// lastIndex
tagRegex.lastIndex = 0
while ((tagMatch = tagRegex.exec(props.text)) !== null) {
//
if (tagMatch.index > lastIndex) {
const textBeforeTag = props.text.slice(lastIndex, tagMatch.index)
if (textBeforeTag) {
//
const processedText = processSpecialChars(textBeforeTag)
const searchPattern = new RegExp(`(${escapedSearchText.value})`, 'gi')
const highlightedText = processedText.replace(
searchPattern,
`<span class="${props.highlightClass}">$1</span>`
)
parts.push(highlightedText)
}
}
//
parts.push(tagMatch[0])
lastIndex = tagMatch.index + tagMatch[0].length
}
//
if (lastIndex < props.text.length) {
const textAfterLastTag = props.text.slice(lastIndex)
if (textAfterLastTag) {
//
const processedText = processSpecialChars(textAfterLastTag)
const searchPattern = new RegExp(`(${escapedSearchText.value})`, 'gi')
const highlightedText = processedText.replace(
searchPattern,
`<span class="${props.highlightClass}">$1</span>`
)
parts.push(highlightedText)
}
}
let html = parts.join('')
//
return textReplaceEmoji(html)
})
</script> </script>
<style scoped> <style scoped>
.highlight { .highlight {
color: #7a58de; color: #7a58de;
} }
.text-content {
white-space: pre-wrap;
word-break: break-word;
:deep(.emoji) {
vertical-align: text-bottom!important;
margin: 0 5px !important;
width: 22px !important;
height: 22px !important;
}
}
</style> </style>

View File

@ -137,7 +137,7 @@
@click="toDialogueByMember(item)" @click="toDialogueByMember(item)"
:searchResultKey="'search_by_member_condition'" :searchResultKey="'search_by_member_condition'"
:searchItem="item" :searchItem="item"
:searchText="state.searchText" :searchText="props?.searchRecordByConditionText"
:searchRecordDetail="true" :searchRecordDetail="true"
></searchItem> ></searchItem>
</div> </div>
@ -305,6 +305,7 @@ import { parseTime } from '@/utils/datetime'
import { fileFormatSize, fileSuffix } from '@/utils/strings' import { fileFormatSize, fileSuffix } from '@/utils/strings'
import { NImage, NInfiniteScroll, NScrollbar, NIcon, NDatePicker } from 'naive-ui' import { NImage, NInfiniteScroll, NScrollbar, NIcon, NDatePicker } from 'naive-ui'
import { MessageComponents } from '@/constant/message' import { MessageComponents } from '@/constant/message'
import { checkFileCanPreview } from '@/utils/helper/form'
const emits = defineEmits([ const emits = defineEmits([
'clearSearchMemberByAlphabet', 'clearSearchMemberByAlphabet',
@ -667,15 +668,23 @@ const queryAllSearch = () => {
// //
const fileTypeAvatar = (fileType) => { const fileTypeAvatar = (fileType) => {
//PDF
const PDF_EXTENSIONS = ['PDF', 'pdf']
// Excel
const EXCEL_EXTENSIONS = ['XLS', 'XLSX', 'CSV', 'xls', 'xlsx', 'csv']
// Word
const WORD_EXTENSIONS = ['DOC', 'DOCX', 'RTF', 'DOT', 'DOTX', 'doc', 'docx', 'rtf', 'dot', 'dotx']
// PPT
const PPT_EXTENSIONS = ['PPT', 'PPTX', 'PPS', 'PPSX', 'ppt', 'pptx', 'pps', 'ppsx']
let file_type_avatar = fileType_Files let file_type_avatar = fileType_Files
if (fileType) { if (fileType) {
if (fileType === 'ppt' || fileType === 'pptx') { if (PPT_EXTENSIONS.includes(fileType)) {
file_type_avatar = fileType_PPT file_type_avatar = fileType_PPT
} else if (fileType === 'pdf') { } else if (PDF_EXTENSIONS.includes(fileType)) {
file_type_avatar = fileType_PDF file_type_avatar = fileType_PDF
} else if (fileType === 'doc' || fileType === 'docx') { } else if (WORD_EXTENSIONS.includes(fileType)) {
file_type_avatar = fileType_WORD file_type_avatar = fileType_WORD
} else if (fileType === 'xls' || fileType === 'xlsx') { } else if (EXCEL_EXTENSIONS.includes(fileType)) {
file_type_avatar = fileType_EXCEL file_type_avatar = fileType_EXCEL
} else { } else {
file_type_avatar = fileType_Files file_type_avatar = fileType_Files
@ -693,11 +702,15 @@ const previewPDF = (item) => {
// downloadAndOpenFile(item) // downloadAndOpenFile(item)
// }) // })
// } // }
window.open( if (checkFileCanPreview(item?.extra?.path || '')) {
`${import.meta.env.VITE_PAGE_URL}/office?url=${item.extra.path}`, window.open(
'_blank', `${import.meta.env.VITE_PAGE_URL}/office?url=${item.extra.path}`,
'width=1200,height=900,left=200,top=200,toolbar=no,menubar=no,scrollbars=yes,resizable=yes,location=no,status=no' '_blank',
) 'width=1200,height=900,left=200,top=200,toolbar=no,menubar=no,scrollbars=yes,resizable=yes,location=no,status=no'
)
} else {
toDialogueByMember(item)
}
} }
const downloadAndOpenFile = (item) => { const downloadAndOpenFile = (item) => {
@ -953,7 +966,7 @@ body:deep(.round-3) {
border-bottom: 1px solid #f8f8f8; border-bottom: 1px solid #f8f8f8;
&:hover { &:hover {
background-color: rgba(70, 41, 157, 0.1) background-color: rgba(70, 41, 157, 0.1);
} }
.attachment-avatar { .attachment-avatar {

View File

@ -69,9 +69,17 @@
class="text-[12px] font-regular" class="text-[12px] font-regular"
:text="resultDetail" :text="resultDetail"
:searchText="props.searchText" :searchText="props.searchText"
v-if="props.searchItem?.msg_type !== 3 && props.searchItem?.msg_type !== 6" v-if="
props.searchItem?.msg_type !== 3 &&
props.searchItem?.msg_type !== 5 &&
props.searchItem?.msg_type !== 6
"
/> />
<div class="message-component-wrapper" v-if="props.searchItem?.msg_type === 3" @click.stop> <div
class="message-component-wrapper"
v-if="props.searchItem?.msg_type === 3 || props.searchItem?.msg_type === 5"
@click.stop
>
<component <component
:is="MessageComponents[props.searchItem?.msg_type] || 'unknown-message'" :is="MessageComponents[props.searchItem?.msg_type] || 'unknown-message'"
:extra="resultDetail" :extra="resultDetail"
@ -122,6 +130,7 @@ import { ref, watch, computed, onMounted, onUnmounted, reactive, defineProps } f
import HighlightText from './highLightText.vue' import HighlightText from './highLightText.vue'
import { beautifyTime } from '@/utils/datetime' import { beautifyTime } from '@/utils/datetime'
import { ChatMsgTypeMapping, MessageComponents } from '@/constant/message' import { ChatMsgTypeMapping, MessageComponents } from '@/constant/message'
import { checkFileCanPreview } from '@/utils/helper/form'
const props = defineProps({ const props = defineProps({
searchItem: Object | Number, searchItem: Object | Number,
searchResultKey: { searchResultKey: {
@ -291,7 +300,9 @@ const resultDetail = computed(() => {
result_detail = result_detail =
props.searchItem?.msg_type === 1 props.searchItem?.msg_type === 1
? props.searchItem?.extra?.content ? props.searchItem?.extra?.content
: props.searchItem?.msg_type === 3 || props.searchItem?.msg_type === 6 : props.searchItem?.msg_type === 3 ||
props.searchItem?.msg_type === 5 ||
props.searchItem?.msg_type === 6
? props.searchItem?.extra ? props.searchItem?.extra
: ChatMsgTypeMapping[props.searchItem?.msg_type] : ChatMsgTypeMapping[props.searchItem?.msg_type]
break break
@ -310,11 +321,16 @@ const previewPDF = (item) => {
// downloadAndOpenFile(item) // downloadAndOpenFile(item)
// }) // })
// } // }
window.open( if (checkFileCanPreview(item || '')) {
`${import.meta.env.VITE_PAGE_URL}/office?url=${item}`, window.open(
'_blank', `${import.meta.env.VITE_PAGE_URL}/office?url=${item}`,
'width=1200,height=900,left=200,top=200,toolbar=no,menubar=no,scrollbars=yes,resizable=yes,location=no,status=no' '_blank',
) 'width=1200,height=900,left=200,top=200,toolbar=no,menubar=no,scrollbars=yes,resizable=yes,location=no,status=no'
)
} else {
//
window['$message'].warning('暂不支持在线预览该类型文件')
}
} }
</script> </script>
<style lang="scss" scoped> <style lang="scss" scoped>
@ -377,7 +393,8 @@ const previewPDF = (item) => {
} }
.file-message-wrapper { .file-message-wrapper {
.condition-each-result-attachments { .condition-each-result-attachments {
width: 289px; min-width: 289px;
max-width: 660px;
height: 62px; height: 62px;
display: flex; display: flex;
flex-direction: row; flex-direction: row;
@ -447,6 +464,7 @@ const previewPDF = (item) => {
span { span {
color: #191919; color: #191919;
word-break: break-all; word-break: break-all;
max-width: 660px;
} }
.searchRecordDetail-fastLocal { .searchRecordDetail-fastLocal {
display: none; display: none;

View File

@ -50,13 +50,12 @@ const dropdown=ref({
options:[] as any, options:[] as any,
item:{} as ITalkRecord, item:{} as ITalkRecord,
}) })
const onConvertText =async (data: ITalkRecord) => { const onConvertText = async (data: ITalkRecord) => {
data.is_convert_text = 1 data.is_convert_text = 1
const res = await voiceToText({msgId:data.msg_id,voiceUrl:data.extra.url}) const res = await voiceToText({ msgId: data.msg_id, voiceUrl: data.extra.url })
if(res.code == 200){ if (res.code == 200) {
data.extra.content = res.data.convText data.extra.content = res.data.convText
}else data.is_convert_text = 0
}
} }
const onloseConvertText=(data: ITalkRecord)=>{ const onloseConvertText=(data: ITalkRecord)=>{
data.is_convert_text = 0 data.is_convert_text = 0
@ -96,29 +95,29 @@ const onContextMenu = (e:any,item: ITalkRecord) => {
<customModal :closable="false" customCloseBtn v-model:show="isShow" :title="title" style="width: 997px;background-color: #F9F9FD;" :on-after-leave="onMaskClick"> <customModal :closable="false" customCloseBtn v-model:show="isShow" :title="title" style="width: 997px;background-color: #F9F9FD;" :on-after-leave="onMaskClick">
<template #content> <template #content>
<div class="main-box bg-#fff me-scrollbar me-scrollbar-thumb"> <div class="main-box bg-#fff me-scrollbar me-scrollbar-thumb">
<Loading v-if="items.length === 0" /> <Loading v-if="items.length === 0" />
<div v-for="item in items" :key="item.msg_id" class="message-item"> <div v-for="item in items" :key="item.msg_id" class="message-item">
<div class="left-box pointer" @click="showUserInfoModal(item.erp_user_id)"> <div class="left-box pointer" @click="showUserInfoModal(item.erp_user_id)">
<im-avatar :src="item.avatar" :size="38" :username="item.nickname" /> <im-avatar :src="item.avatar" :size="38" :username="item.nickname" />
</div>
<div class="right-box">
<div class="msg-header">
<span class="name">{{ item.nickname }}</span>
<span class="time"> {{ item.created_at }}</span>
</div> </div>
<component <div class="right-box">
<div class="msg-header">
<span class="name">{{ item.nickname }}</span>
<span class="time"> {{ item.created_at }}</span>
</div>
<component
@contextmenu.prevent="onContextMenu($event,item)" @contextmenu.prevent="onContextMenu($event,item)"
:is="MessageComponents[item.msg_type] || 'unknown-message'" :is="MessageComponents[item.msg_type] || 'unknown-message'"
:extra="item.extra" :extra="item.extra"
:data="item" :data="item"
/> />
</div>
</div> </div>
</div> </div>
</div> <!-- 右键菜单 -->
<!-- 右键菜单 -->
<n-dropdown :show="dropdown.show" :x="dropdown.x" :y="dropdown.y" style="width: 142px;" :options="dropdown.options" <n-dropdown :show="dropdown.show" :x="dropdown.x" :y="dropdown.y" style="width: 142px;" :options="dropdown.options"
@select="onContextMenuHandle" @clickoutside="closeDropdownMenu" /> @select="onContextMenuHandle" @clickoutside="closeDropdownMenu" />
</template> </template>

View File

@ -259,10 +259,10 @@ class Talk extends Base {
updated_at: parseTime(new Date()) updated_at: parseTime(new Date())
}) })
if (this.talk_type == 1 && this.getAccountId() !== this.sender_id) { if (this.getAccountId() !== this.sender_id) {
ServeClearTalkUnreadNum({ ServeClearTalkUnreadNum({
talk_type: 1, talk_type: this.talk_type,
receiver_id: this.sender_id receiver_id: this.talk_type == 1 ? this.sender_id : this.receiver_id
}) })
} }
} }

View File

@ -77,11 +77,11 @@ export function useSessionMenu() {
// key: 'delete_contact' // key: 'delete_contact'
// }) // })
} else { } else {
options.push({ // options.push({
label: '退出群聊', // label: '退出群聊',
key: 'signout_group' // key: 'signout_group'
}) // })
} }
dropdown.options = [...options] dropdown.options = [...options]

View File

@ -150,7 +150,7 @@ export const useUploadsStore = defineStore('uploads', {
} }
} catch (error) { } catch (error) {
console.error("初始化分片上传失败:", error); console.error("初始化分片上传失败:", error);
message.error("初始化上传失败,请重试") message.error("上传失败,请重试")
this.handleUploadError(upload_id, clientUploadId) this.handleUploadError(upload_id, clientUploadId)
} }
}, },

View File

@ -345,3 +345,29 @@ export const formatNumberWithCommas = (num) => {
} }
return num.toString().replace(/\B(?=(\d{3})+(?!\d))/g, ","); return num.toString().replace(/\B(?=(\d{3})+(?!\d))/g, ",");
}; };
// 判断文件是否可以预览
export const checkFileCanPreview = (path) => {
if (!path) {
return false
}
//PDF文件扩展名映射
const PDF_EXTENSIONS = ['PDF', 'pdf']
// Excel文件扩展名映射
const EXCEL_EXTENSIONS = ['XLS', 'XLSX', 'CSV', 'xls', 'xlsx', 'csv']
// Word文件扩展名映射
const WORD_EXTENSIONS = ['DOC', 'DOCX', 'RTF', 'DOT', 'DOTX', 'doc', 'docx', 'rtf', 'dot', 'dotx']
// PPT文件扩展名映射
const PPT_EXTENSIONS = ['PPT', 'PPTX', 'PPS', 'PPSX', 'ppt', 'pptx', 'pps', 'ppsx']
// 获取文件扩展名
function getFileExtension(filepath) {
const parts = filepath?.split('.')
return parts?.length > 1 ? parts?.pop()?.toUpperCase() : ''
}
const extension = getFileExtension(path)
return PDF_EXTENSIONS.includes(extension) ||
EXCEL_EXTENSIONS.includes(extension) ||
WORD_EXTENSIONS.includes(extension) ||
PPT_EXTENSIONS.includes(extension)
}

View File

@ -325,7 +325,7 @@ const onConvertText = async (data: ITalkRecord) => {
const res = await voiceToText({ msgId: data.msg_id, voiceUrl: data.extra.url }) const res = await voiceToText({ msgId: data.msg_id, voiceUrl: data.extra.url })
if (res.code == 200) { if (res.code == 200) {
data.extra.content = res.data.convText data.extra.content = res.data.convText
} } else data.is_convert_text = 0
} }
const onloseConvertText = (data: ITalkRecord) => { const onloseConvertText = (data: ITalkRecord) => {
data.is_convert_text = 0 data.is_convert_text = 0
@ -354,6 +354,10 @@ const onRowClick = (item: ITalkRecord) => {
if (!isOneMonthBefore(item.created_at.split(' ')[0])) { if (!isOneMonthBefore(item.created_at.split(' ')[0])) {
return useMessage.info('只支持转发近一个月内的消息') return useMessage.info('只支持转发近一个月内的消息')
} }
//
if ([4, 13].includes(item.msg_type)) {
return useMessage.info('语音消息和群公告不支持转发')
}
console.log('item.msg_type', item.msg_type) console.log('item.msg_type', item.msg_type)
if (ForwardableMessageType.includes(item.msg_type)) { if (ForwardableMessageType.includes(item.msg_type)) {
item.isCheck = !item.isCheck item.isCheck = !item.isCheck
@ -435,12 +439,15 @@ const retry = (item: any) => {
confirmBox({ confirmBox({
content: '确定重发吗' content: '确定重发吗'
}).then(() => { }).then(() => {
item.extra.percentage = 0
uploadsStore.retryCommonUpload(item.extra.upload_id) uploadsStore.retryCommonUpload(item.extra.upload_id)
}) })
} }
const onContextMenuAvatar = (e: any, item: any) => { const onContextMenuAvatar = (e: any, item: any) => {
e.preventDefault() e.preventDefault()
// @
if (+props.talk_type === 1) return
if (item.float !== 'right') { if (item.float !== 'right') {
bus.emit(EditorConst.Mention, { bus.emit(EditorConst.Mention, {
id: item.user_id, id: item.user_id,
@ -940,7 +947,13 @@ const onCustomSkipBottomEvent = () => {
</div> </div>
<!-- 已读回执 --> <!-- 已读回执 -->
<div class="talk_read_num" v-if="item.user_id === props.uid"> <!-- item.user_id:发送这条消息的人id -->
<!-- props.uid:当前登录人id -->
<!-- props.receiver_id:当前消息要发送的人id -->
<div
class="talk_read_num"
v-if="item.user_id === props.uid && props.uid !== props.receiver_id"
>
<span v-if="props.talk_type === 1">{{ <span v-if="props.talk_type === 1">{{
item.read_total_num > 0 ? '已读' : '未读' item.read_total_num > 0 ? '已读' : '未读'
}}</span> }}</span>

View File

@ -71,11 +71,14 @@ export function useMenu() {
dropdown.options.push({ label: '复制', key: 'copy' }) dropdown.options.push({ label: '复制', key: 'copy' })
} }
if (isOneMonthBefore(new Date(item.created_at.split(' ')[0]))) { if (isOneMonthBefore(new Date(item.created_at.split(' ')[0])) && ![4,13].includes(item.msg_type)) {
// 根据时间判断只有近一个月内的消息才能支持多选 // 根据时间判断只有近一个月内的消息才能支持多选 // 语音消息和群公告不支持转发
dropdown.options.push({ label: '多选', key: 'multiSelect' }) dropdown.options.push({ label: '多选', key: 'multiSelect' })
} }
dropdown.options.push({ label: '引用', key: 'quote' }) if (isOneMonthBefore(new Date(item.created_at.split(' ')[0]))) {
// 根据时间判断只有近一个月内的消息才能支持引用
dropdown.options.push({ label: '引用', key: 'quote' })
}
if (canAddRevokeOption(uid, item, (dialogueStore.groupInfo as any).is_manager)) { if (canAddRevokeOption(uid, item, (dialogueStore.groupInfo as any).is_manager)) {
dropdown.options.push({ label: '撤回', key: 'revoke' }); dropdown.options.push({ label: '撤回', key: 'revoke' });
} }