mirror of
https://github.com/hicccc77/WeFlow.git
synced 2026-03-26 07:35:50 +00:00
Compare commits
26 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
2a6f833718 | ||
|
|
c8835f4d4c | ||
|
|
fff1a1c177 | ||
|
|
8fee96d0e1 | ||
|
|
fdb3d63006 | ||
|
|
071d239892 | ||
|
|
94eb9abe9d | ||
|
|
1031c4013e | ||
|
|
2b5bb34392 | ||
|
|
e28ef9b783 | ||
|
|
e3c17010c1 | ||
|
|
2389aaf314 | ||
|
|
4f1dd7a5fb | ||
|
|
4b203a93b6 | ||
|
|
f219b1a580 | ||
|
|
004ee5bbf0 | ||
|
|
5640db9cbd | ||
|
|
52b26533a2 | ||
|
|
d334a214a4 | ||
|
|
1aab8dfc4e | ||
|
|
e56ee1ff4a | ||
|
|
0393e7aff7 | ||
|
|
c988e4accf | ||
|
|
63ac715792 | ||
|
|
fe0e2e6592 | ||
|
|
ca1a386146 |
1
.gitignore
vendored
1
.gitignore
vendored
@@ -60,3 +60,4 @@ wcdb/
|
|||||||
概述.md
|
概述.md
|
||||||
chatlab-format.md
|
chatlab-format.md
|
||||||
*.bak
|
*.bak
|
||||||
|
AGENTS.md
|
||||||
@@ -959,6 +959,10 @@ function registerIpcHandlers() {
|
|||||||
})
|
})
|
||||||
|
|
||||||
// 导出相关
|
// 导出相关
|
||||||
|
ipcMain.handle('export:getExportStats', async (_, sessionIds: string[], options: any) => {
|
||||||
|
return exportService.getExportStats(sessionIds, options)
|
||||||
|
})
|
||||||
|
|
||||||
ipcMain.handle('export:exportSessions', async (event, sessionIds: string[], outputDir: string, options: ExportOptions) => {
|
ipcMain.handle('export:exportSessions', async (event, sessionIds: string[], outputDir: string, options: ExportOptions) => {
|
||||||
const onProgress = (progress: ExportProgress) => {
|
const onProgress = (progress: ExportProgress) => {
|
||||||
if (!event.sender.isDestroyed()) {
|
if (!event.sender.isDestroyed()) {
|
||||||
@@ -981,8 +985,8 @@ function registerIpcHandlers() {
|
|||||||
return analyticsService.getOverallStatistics(force)
|
return analyticsService.getOverallStatistics(force)
|
||||||
})
|
})
|
||||||
|
|
||||||
ipcMain.handle('analytics:getContactRankings', async (_, limit?: number) => {
|
ipcMain.handle('analytics:getContactRankings', async (_, limit?: number, beginTimestamp?: number, endTimestamp?: number) => {
|
||||||
return analyticsService.getContactRankings(limit)
|
return analyticsService.getContactRankings(limit, beginTimestamp, endTimestamp)
|
||||||
})
|
})
|
||||||
|
|
||||||
ipcMain.handle('analytics:getTimeDistribution', async () => {
|
ipcMain.handle('analytics:getTimeDistribution', async () => {
|
||||||
|
|||||||
@@ -189,7 +189,8 @@ contextBridge.exposeInMainWorld('electronAPI', {
|
|||||||
// 数据分析
|
// 数据分析
|
||||||
analytics: {
|
analytics: {
|
||||||
getOverallStatistics: (force?: boolean) => ipcRenderer.invoke('analytics:getOverallStatistics', force),
|
getOverallStatistics: (force?: boolean) => ipcRenderer.invoke('analytics:getOverallStatistics', force),
|
||||||
getContactRankings: (limit?: number) => ipcRenderer.invoke('analytics:getContactRankings', limit),
|
getContactRankings: (limit?: number, beginTimestamp?: number, endTimestamp?: number) =>
|
||||||
|
ipcRenderer.invoke('analytics:getContactRankings', limit, beginTimestamp, endTimestamp),
|
||||||
getTimeDistribution: () => ipcRenderer.invoke('analytics:getTimeDistribution'),
|
getTimeDistribution: () => ipcRenderer.invoke('analytics:getTimeDistribution'),
|
||||||
getExcludedUsernames: () => ipcRenderer.invoke('analytics:getExcludedUsernames'),
|
getExcludedUsernames: () => ipcRenderer.invoke('analytics:getExcludedUsernames'),
|
||||||
setExcludedUsernames: (usernames: string[]) => ipcRenderer.invoke('analytics:setExcludedUsernames', usernames),
|
setExcludedUsernames: (usernames: string[]) => ipcRenderer.invoke('analytics:setExcludedUsernames', usernames),
|
||||||
@@ -239,6 +240,8 @@ contextBridge.exposeInMainWorld('electronAPI', {
|
|||||||
|
|
||||||
// 导出
|
// 导出
|
||||||
export: {
|
export: {
|
||||||
|
getExportStats: (sessionIds: string[], options: any) =>
|
||||||
|
ipcRenderer.invoke('export:getExportStats', sessionIds, options),
|
||||||
exportSessions: (sessionIds: string[], outputDir: string, options: any) =>
|
exportSessions: (sessionIds: string[], outputDir: string, options: any) =>
|
||||||
ipcRenderer.invoke('export:exportSessions', sessionIds, outputDir, options),
|
ipcRenderer.invoke('export:exportSessions', sessionIds, outputDir, options),
|
||||||
exportSession: (sessionId: string, outputPath: string, options: any) =>
|
exportSession: (sessionId: string, outputPath: string, options: any) =>
|
||||||
|
|||||||
@@ -31,6 +31,7 @@ export interface ContactRanking {
|
|||||||
username: string
|
username: string
|
||||||
displayName: string
|
displayName: string
|
||||||
avatarUrl?: string
|
avatarUrl?: string
|
||||||
|
wechatId?: string
|
||||||
messageCount: number
|
messageCount: number
|
||||||
sentCount: number
|
sentCount: number
|
||||||
receivedCount: number
|
receivedCount: number
|
||||||
@@ -576,7 +577,11 @@ class AnalyticsService {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
async getContactRankings(limit: number = 20): Promise<{ success: boolean; data?: ContactRanking[]; error?: string }> {
|
async getContactRankings(
|
||||||
|
limit: number = 20,
|
||||||
|
beginTimestamp: number = 0,
|
||||||
|
endTimestamp: number = 0
|
||||||
|
): Promise<{ success: boolean; data?: ContactRanking[]; error?: string }> {
|
||||||
try {
|
try {
|
||||||
const conn = await this.ensureConnected()
|
const conn = await this.ensureConnected()
|
||||||
if (!conn.success || !conn.cleanedWxid) return { success: false, error: conn.error }
|
if (!conn.success || !conn.cleanedWxid) return { success: false, error: conn.error }
|
||||||
@@ -586,7 +591,7 @@ class AnalyticsService {
|
|||||||
return { success: false, error: '未找到消息会话' }
|
return { success: false, error: '未找到消息会话' }
|
||||||
}
|
}
|
||||||
|
|
||||||
const result = await this.getAggregateWithFallback(sessionInfo.usernames, 0, 0)
|
const result = await this.getAggregateWithFallback(sessionInfo.usernames, beginTimestamp, endTimestamp)
|
||||||
if (!result.success || !result.data) {
|
if (!result.success || !result.data) {
|
||||||
return { success: false, error: result.error || '聚合统计失败' }
|
return { success: false, error: result.error || '聚合统计失败' }
|
||||||
}
|
}
|
||||||
@@ -594,9 +599,10 @@ class AnalyticsService {
|
|||||||
const d = result.data
|
const d = result.data
|
||||||
const sessions = this.normalizeAggregateSessions(d.sessions, d.idMap)
|
const sessions = this.normalizeAggregateSessions(d.sessions, d.idMap)
|
||||||
const usernames = Object.keys(sessions)
|
const usernames = Object.keys(sessions)
|
||||||
const [displayNames, avatarUrls] = await Promise.all([
|
const [displayNames, avatarUrls, aliasMap] = await Promise.all([
|
||||||
wcdbService.getDisplayNames(usernames),
|
wcdbService.getDisplayNames(usernames),
|
||||||
wcdbService.getAvatarUrls(usernames)
|
wcdbService.getAvatarUrls(usernames),
|
||||||
|
this.getAliasMap(usernames)
|
||||||
])
|
])
|
||||||
|
|
||||||
const rankings: ContactRanking[] = usernames
|
const rankings: ContactRanking[] = usernames
|
||||||
@@ -608,10 +614,13 @@ class AnalyticsService {
|
|||||||
const avatarUrl = avatarUrls.success && avatarUrls.map
|
const avatarUrl = avatarUrls.success && avatarUrls.map
|
||||||
? avatarUrls.map[username]
|
? avatarUrls.map[username]
|
||||||
: undefined
|
: undefined
|
||||||
|
const alias = aliasMap[username] || ''
|
||||||
|
const wechatId = alias || (!username.startsWith('wxid_') ? username : '')
|
||||||
return {
|
return {
|
||||||
username,
|
username,
|
||||||
displayName,
|
displayName,
|
||||||
avatarUrl,
|
avatarUrl,
|
||||||
|
wechatId,
|
||||||
messageCount: stat.total,
|
messageCount: stat.total,
|
||||||
sentCount: stat.sent,
|
sentCount: stat.sent,
|
||||||
receivedCount: stat.received,
|
receivedCount: stat.received,
|
||||||
|
|||||||
@@ -117,10 +117,13 @@ class ChatService {
|
|||||||
private voiceWavCache = new Map<string, Buffer>()
|
private voiceWavCache = new Map<string, Buffer>()
|
||||||
private voiceTranscriptCache = new Map<string, string>()
|
private voiceTranscriptCache = new Map<string, string>()
|
||||||
private voiceTranscriptPending = new Map<string, Promise<{ success: boolean; transcript?: string; error?: string }>>()
|
private voiceTranscriptPending = new Map<string, Promise<{ success: boolean; transcript?: string; error?: string }>>()
|
||||||
|
private transcriptCacheLoaded = false
|
||||||
|
private transcriptCacheDirty = false
|
||||||
|
private transcriptFlushTimer: ReturnType<typeof setTimeout> | null = null
|
||||||
private mediaDbsCache: string[] | null = null
|
private mediaDbsCache: string[] | null = null
|
||||||
private mediaDbsCacheTime = 0
|
private mediaDbsCacheTime = 0
|
||||||
private readonly mediaDbsCacheTtl = 300000 // 5分钟
|
private readonly mediaDbsCacheTtl = 300000 // 5分钟
|
||||||
private readonly voiceCacheMaxEntries = 50
|
private readonly voiceWavCacheMaxEntries = 50
|
||||||
// 缓存 media.db 的表结构信息
|
// 缓存 media.db 的表结构信息
|
||||||
private mediaDbSchemaCache = new Map<string, {
|
private mediaDbSchemaCache = new Map<string, {
|
||||||
voiceTable: string
|
voiceTable: string
|
||||||
@@ -2187,19 +2190,32 @@ class ChatService {
|
|||||||
|
|
||||||
/**
|
/**
|
||||||
* 清理拍一拍消息
|
* 清理拍一拍消息
|
||||||
* 格式示例: 我拍了拍 "梨绒" ງ໐໐໓ ຖiງht620000wxid_...
|
* 格式示例:
|
||||||
|
* 纯文本: 我拍了拍 "梨绒" ງ໐໐໓ ຖiງht620000wxid_...
|
||||||
|
* XML: <msg><appmsg...><title>"有幸"拍了拍"浩天空"相信未来!</title>...</msg>
|
||||||
*/
|
*/
|
||||||
private cleanPatMessage(content: string): string {
|
private cleanPatMessage(content: string): string {
|
||||||
if (!content) return '[拍一拍]'
|
if (!content) return '[拍一拍]'
|
||||||
|
|
||||||
// 1. 尝试匹配标准的 "A拍了拍B" 格式
|
// 1. 优先从 XML <title> 标签提取内容
|
||||||
// 这里的正则比较宽泛,为了兼容不同的语言环境
|
const titleMatch = /<title>([\s\S]*?)<\/title>/i.exec(content)
|
||||||
|
if (titleMatch) {
|
||||||
|
const title = titleMatch[1]
|
||||||
|
.replace(/<!\[CDATA\[/g, '')
|
||||||
|
.replace(/\]\]>/g, '')
|
||||||
|
.trim()
|
||||||
|
if (title) {
|
||||||
|
return `[拍一拍] ${title}`
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 2. 尝试匹配标准的 "A拍了拍B" 格式
|
||||||
const match = /^(.+?拍了拍.+?)(?:[\r\n]|$|ງ|wxid_)/.exec(content)
|
const match = /^(.+?拍了拍.+?)(?:[\r\n]|$|ງ|wxid_)/.exec(content)
|
||||||
if (match) {
|
if (match) {
|
||||||
return `[拍一拍] ${match[1].trim()}`
|
return `[拍一拍] ${match[1].trim()}`
|
||||||
}
|
}
|
||||||
|
|
||||||
// 2. 如果匹配失败,尝试清理掉疑似的 garbage (wxid, 乱码)
|
// 3. 如果匹配失败,尝试清理掉疑似的 garbage (wxid, 乱码)
|
||||||
let cleaned = content.replace(/wxid_[a-zA-Z0-9_-]+/g, '') // 移除 wxid
|
let cleaned = content.replace(/wxid_[a-zA-Z0-9_-]+/g, '') // 移除 wxid
|
||||||
cleaned = cleaned.replace(/[ງ໐໓ຖiht]+/g, ' ') // 移除已知的乱码字符
|
cleaned = cleaned.replace(/[ງ໐໓ຖiht]+/g, ' ') // 移除已知的乱码字符
|
||||||
cleaned = cleaned.replace(/\d{6,}/g, '') // 移除长数字
|
cleaned = cleaned.replace(/\d{6,}/g, '') // 移除长数字
|
||||||
@@ -3498,6 +3514,8 @@ class ChatService {
|
|||||||
): Promise<{ success: boolean; transcript?: string; error?: string }> {
|
): Promise<{ success: boolean; transcript?: string; error?: string }> {
|
||||||
const startTime = Date.now()
|
const startTime = Date.now()
|
||||||
|
|
||||||
|
// 确保磁盘缓存已加载
|
||||||
|
this.loadTranscriptCacheIfNeeded()
|
||||||
|
|
||||||
try {
|
try {
|
||||||
let msgCreateTime = createTime
|
let msgCreateTime = createTime
|
||||||
@@ -3625,18 +3643,76 @@ class ChatService {
|
|||||||
|
|
||||||
private cacheVoiceWav(cacheKey: string, wavData: Buffer): void {
|
private cacheVoiceWav(cacheKey: string, wavData: Buffer): void {
|
||||||
this.voiceWavCache.set(cacheKey, wavData)
|
this.voiceWavCache.set(cacheKey, wavData)
|
||||||
if (this.voiceWavCache.size > this.voiceCacheMaxEntries) {
|
if (this.voiceWavCache.size > this.voiceWavCacheMaxEntries) {
|
||||||
const oldestKey = this.voiceWavCache.keys().next().value
|
const oldestKey = this.voiceWavCache.keys().next().value
|
||||||
if (oldestKey) this.voiceWavCache.delete(oldestKey)
|
if (oldestKey) this.voiceWavCache.delete(oldestKey)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/** 获取持久化转写缓存文件路径 */
|
||||||
|
private getTranscriptCachePath(): string {
|
||||||
|
const cachePath = this.configService.get('cachePath')
|
||||||
|
const base = cachePath || join(app.getPath('documents'), 'WeFlow')
|
||||||
|
return join(base, 'Voices', 'transcripts.json')
|
||||||
|
}
|
||||||
|
|
||||||
|
/** 首次访问时从磁盘加载转写缓存 */
|
||||||
|
private loadTranscriptCacheIfNeeded(): void {
|
||||||
|
if (this.transcriptCacheLoaded) return
|
||||||
|
this.transcriptCacheLoaded = true
|
||||||
|
try {
|
||||||
|
const filePath = this.getTranscriptCachePath()
|
||||||
|
if (existsSync(filePath)) {
|
||||||
|
const raw = readFileSync(filePath, 'utf-8')
|
||||||
|
const data = JSON.parse(raw) as Record<string, string>
|
||||||
|
for (const [k, v] of Object.entries(data)) {
|
||||||
|
if (typeof v === 'string') this.voiceTranscriptCache.set(k, v)
|
||||||
|
}
|
||||||
|
console.log(`[Transcribe] 从磁盘加载了 ${this.voiceTranscriptCache.size} 条转写缓存`)
|
||||||
|
}
|
||||||
|
} catch (e) {
|
||||||
|
console.error('[Transcribe] 加载转写缓存失败:', e)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/** 将转写缓存持久化到磁盘(防抖 3 秒) */
|
||||||
|
private scheduleTranscriptFlush(): void {
|
||||||
|
if (this.transcriptFlushTimer) return
|
||||||
|
this.transcriptFlushTimer = setTimeout(() => {
|
||||||
|
this.transcriptFlushTimer = null
|
||||||
|
this.flushTranscriptCache()
|
||||||
|
}, 3000)
|
||||||
|
}
|
||||||
|
|
||||||
|
/** 立即写入转写缓存到磁盘 */
|
||||||
|
flushTranscriptCache(): void {
|
||||||
|
if (!this.transcriptCacheDirty) return
|
||||||
|
try {
|
||||||
|
const filePath = this.getTranscriptCachePath()
|
||||||
|
const dir = dirname(filePath)
|
||||||
|
if (!existsSync(dir)) mkdirSync(dir, { recursive: true })
|
||||||
|
const obj: Record<string, string> = {}
|
||||||
|
for (const [k, v] of this.voiceTranscriptCache) obj[k] = v
|
||||||
|
writeFileSync(filePath, JSON.stringify(obj), 'utf-8')
|
||||||
|
this.transcriptCacheDirty = false
|
||||||
|
} catch (e) {
|
||||||
|
console.error('[Transcribe] 写入转写缓存失败:', e)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
private cacheVoiceTranscript(cacheKey: string, transcript: string): void {
|
private cacheVoiceTranscript(cacheKey: string, transcript: string): void {
|
||||||
this.voiceTranscriptCache.set(cacheKey, transcript)
|
this.voiceTranscriptCache.set(cacheKey, transcript)
|
||||||
if (this.voiceTranscriptCache.size > this.voiceCacheMaxEntries) {
|
this.transcriptCacheDirty = true
|
||||||
const oldestKey = this.voiceTranscriptCache.keys().next().value
|
this.scheduleTranscriptFlush()
|
||||||
if (oldestKey) this.voiceTranscriptCache.delete(oldestKey)
|
}
|
||||||
}
|
|
||||||
|
/**
|
||||||
|
* 检查某个语音消息是否已有缓存的转写结果
|
||||||
|
*/
|
||||||
|
hasTranscriptCache(sessionId: string, msgId: string, createTime?: number): boolean {
|
||||||
|
this.loadTranscriptCacheIfNeeded()
|
||||||
|
const cacheKey = this.getVoiceCacheKey(sessionId, msgId, createTime)
|
||||||
|
return this.voiceTranscriptCache.has(cacheKey)
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|||||||
@@ -6,6 +6,9 @@ export interface DualReportMessage {
|
|||||||
isSentByMe: boolean
|
isSentByMe: boolean
|
||||||
createTime: number
|
createTime: number
|
||||||
createTimeStr: string
|
createTimeStr: string
|
||||||
|
localType?: number
|
||||||
|
emojiMd5?: string
|
||||||
|
emojiCdnUrl?: string
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface DualReportFirstChat {
|
export interface DualReportFirstChat {
|
||||||
@@ -14,6 +17,9 @@ export interface DualReportFirstChat {
|
|||||||
content: string
|
content: string
|
||||||
isSentByMe: boolean
|
isSentByMe: boolean
|
||||||
senderUsername?: string
|
senderUsername?: string
|
||||||
|
localType?: number
|
||||||
|
emojiMd5?: string
|
||||||
|
emojiCdnUrl?: string
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface DualReportStats {
|
export interface DualReportStats {
|
||||||
@@ -26,13 +32,17 @@ export interface DualReportStats {
|
|||||||
friendTopEmojiMd5?: string
|
friendTopEmojiMd5?: string
|
||||||
myTopEmojiUrl?: string
|
myTopEmojiUrl?: string
|
||||||
friendTopEmojiUrl?: string
|
friendTopEmojiUrl?: string
|
||||||
|
myTopEmojiCount?: number
|
||||||
|
friendTopEmojiCount?: number
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface DualReportData {
|
export interface DualReportData {
|
||||||
year: number
|
year: number
|
||||||
selfName: string
|
selfName: string
|
||||||
|
selfAvatarUrl?: string
|
||||||
friendUsername: string
|
friendUsername: string
|
||||||
friendName: string
|
friendName: string
|
||||||
|
friendAvatarUrl?: string
|
||||||
firstChat: DualReportFirstChat | null
|
firstChat: DualReportFirstChat | null
|
||||||
firstChatMessages?: DualReportMessage[]
|
firstChatMessages?: DualReportMessage[]
|
||||||
yearFirstChat?: {
|
yearFirstChat?: {
|
||||||
@@ -42,9 +52,17 @@ export interface DualReportData {
|
|||||||
isSentByMe: boolean
|
isSentByMe: boolean
|
||||||
friendName: string
|
friendName: string
|
||||||
firstThreeMessages: DualReportMessage[]
|
firstThreeMessages: DualReportMessage[]
|
||||||
|
localType?: number
|
||||||
|
emojiMd5?: string
|
||||||
|
emojiCdnUrl?: string
|
||||||
} | null
|
} | null
|
||||||
stats: DualReportStats
|
stats: DualReportStats
|
||||||
topPhrases: Array<{ phrase: string; count: number }>
|
topPhrases: Array<{ phrase: string; count: number }>
|
||||||
|
heatmap?: number[][]
|
||||||
|
initiative?: { initiated: number; received: number }
|
||||||
|
response?: { avg: number; fastest: number; count: number }
|
||||||
|
monthly?: Record<string, number>
|
||||||
|
streak?: { days: number; startDate: string; endDate: string }
|
||||||
}
|
}
|
||||||
|
|
||||||
class DualReportService {
|
class DualReportService {
|
||||||
@@ -168,26 +186,258 @@ class DualReportService {
|
|||||||
return `${month}/${day} ${hour}:${minute}`
|
return `${month}/${day} ${hour}:${minute}`
|
||||||
}
|
}
|
||||||
|
|
||||||
private extractEmojiUrl(content: string): string | undefined {
|
private getRecordField(record: Record<string, any> | undefined | null, keys: string[]): any {
|
||||||
if (!content) return undefined
|
if (!record) return undefined
|
||||||
const attrMatch = /cdnurl\s*=\s*['"]([^'"]+)['"]/i.exec(content)
|
for (const key of keys) {
|
||||||
if (attrMatch) {
|
if (Object.prototype.hasOwnProperty.call(record, key) && record[key] !== undefined && record[key] !== null) {
|
||||||
let url = attrMatch[1].replace(/&/g, '&')
|
return record[key]
|
||||||
try {
|
}
|
||||||
if (url.includes('%')) {
|
|
||||||
url = decodeURIComponent(url)
|
|
||||||
}
|
|
||||||
} catch { }
|
|
||||||
return url
|
|
||||||
}
|
}
|
||||||
const tagMatch = /cdnurl[^>]*>([^<]+)/i.exec(content)
|
return undefined
|
||||||
return tagMatch?.[1]
|
|
||||||
}
|
}
|
||||||
|
|
||||||
private extractEmojiMd5(content: string): string | undefined {
|
private coerceNumber(raw: any): number {
|
||||||
|
if (raw === undefined || raw === null || raw === '') return NaN
|
||||||
|
if (typeof raw === 'number') return raw
|
||||||
|
if (typeof raw === 'bigint') return Number(raw)
|
||||||
|
if (Buffer.isBuffer(raw)) return parseInt(raw.toString('utf-8'), 10)
|
||||||
|
if (raw instanceof Uint8Array) return parseInt(Buffer.from(raw).toString('utf-8'), 10)
|
||||||
|
const parsed = parseInt(String(raw), 10)
|
||||||
|
return Number.isFinite(parsed) ? parsed : NaN
|
||||||
|
}
|
||||||
|
|
||||||
|
private coerceString(raw: any): string {
|
||||||
|
if (raw === undefined || raw === null) return ''
|
||||||
|
if (typeof raw === 'string') return raw
|
||||||
|
if (Buffer.isBuffer(raw)) return this.decodeBinaryContent(raw)
|
||||||
|
if (raw instanceof Uint8Array) return this.decodeBinaryContent(Buffer.from(raw))
|
||||||
|
return String(raw)
|
||||||
|
}
|
||||||
|
|
||||||
|
private coerceBoolean(raw: any): boolean | undefined {
|
||||||
|
if (raw === undefined || raw === null || raw === '') return undefined
|
||||||
|
if (typeof raw === 'boolean') return raw
|
||||||
|
if (typeof raw === 'number') return raw !== 0
|
||||||
|
|
||||||
|
const normalized = String(raw).trim().toLowerCase()
|
||||||
|
if (!normalized) return undefined
|
||||||
|
|
||||||
|
if (['1', 'true', 'yes', 'me', 'self', 'mine', 'sent', 'out', 'outgoing'].includes(normalized)) return true
|
||||||
|
if (['0', 'false', 'no', 'friend', 'peer', 'other', 'recv', 'received', 'in', 'incoming'].includes(normalized)) return false
|
||||||
|
return undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
private normalizeEmojiMd5(raw: string): string | undefined {
|
||||||
|
if (!raw) return undefined
|
||||||
|
const trimmed = raw.trim()
|
||||||
|
if (!trimmed) return undefined
|
||||||
|
const match = /([a-fA-F0-9]{16,64})/.exec(trimmed)
|
||||||
|
return match ? match[1].toLowerCase() : undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
private normalizeEmojiUrl(raw: string): string | undefined {
|
||||||
|
if (!raw) return undefined
|
||||||
|
let url = raw.trim().replace(/&/g, '&')
|
||||||
|
if (!url) return undefined
|
||||||
|
try {
|
||||||
|
if (url.includes('%')) {
|
||||||
|
url = decodeURIComponent(url)
|
||||||
|
}
|
||||||
|
} catch { }
|
||||||
|
return url || undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
private extractEmojiUrl(content: string | undefined): string | undefined {
|
||||||
if (!content) return undefined
|
if (!content) return undefined
|
||||||
const match = /md5="([^"]+)"/i.exec(content) || /<md5>([^<]+)<\/md5>/i.exec(content)
|
const direct = this.normalizeEmojiUrl(content)
|
||||||
return match?.[1]
|
if (direct && /^https?:\/\//i.test(direct)) return direct
|
||||||
|
|
||||||
|
const attrMatch = /(?:cdnurl|thumburl)\s*=\s*['"]([^'"]+)['"]/i.exec(content)
|
||||||
|
|| /(?:cdnurl|thumburl)\s*=\s*([^'"\s>]+)/i.exec(content)
|
||||||
|
if (attrMatch) return this.normalizeEmojiUrl(attrMatch[1])
|
||||||
|
|
||||||
|
const tagMatch = /<(?:cdnurl|thumburl)>([^<]+)<\/(?:cdnurl|thumburl)>/i.exec(content)
|
||||||
|
|| /(?:cdnurl|thumburl)[^>]*>([^<]+)/i.exec(content)
|
||||||
|
return this.normalizeEmojiUrl(tagMatch?.[1] || '')
|
||||||
|
}
|
||||||
|
|
||||||
|
private extractEmojiMd5(content: string | undefined): string | undefined {
|
||||||
|
if (!content) return undefined
|
||||||
|
const direct = this.normalizeEmojiMd5(content)
|
||||||
|
if (direct && direct.length >= 24) return direct
|
||||||
|
|
||||||
|
const match = /md5\s*=\s*['"]([a-fA-F0-9]{16,64})['"]/i.exec(content)
|
||||||
|
|| /md5\s*=\s*([a-fA-F0-9]{16,64})/i.exec(content)
|
||||||
|
|| /<md5>([a-fA-F0-9]{16,64})<\/md5>/i.exec(content)
|
||||||
|
return this.normalizeEmojiMd5(match?.[1] || '')
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveEmojiOwner(item: any, content: string): boolean | undefined {
|
||||||
|
const sentFlag = this.coerceBoolean(this.getRecordField(item, [
|
||||||
|
'isMe',
|
||||||
|
'is_me',
|
||||||
|
'isSent',
|
||||||
|
'is_sent',
|
||||||
|
'isSend',
|
||||||
|
'is_send',
|
||||||
|
'fromMe',
|
||||||
|
'from_me'
|
||||||
|
]))
|
||||||
|
if (sentFlag !== undefined) return sentFlag
|
||||||
|
|
||||||
|
const sideRaw = this.coerceString(this.getRecordField(item, ['side', 'sender', 'from', 'owner', 'role', 'direction'])).trim().toLowerCase()
|
||||||
|
if (sideRaw) {
|
||||||
|
if (['me', 'self', 'mine', 'out', 'outgoing', 'sent'].includes(sideRaw)) return true
|
||||||
|
if (['friend', 'peer', 'other', 'in', 'incoming', 'received', 'recv'].includes(sideRaw)) return false
|
||||||
|
}
|
||||||
|
|
||||||
|
const prefixMatch = /^\s*([01])\s*:\s*/.exec(content)
|
||||||
|
if (prefixMatch) return prefixMatch[1] === '1'
|
||||||
|
return undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
private stripEmojiOwnerPrefix(content: string): string {
|
||||||
|
if (!content) return ''
|
||||||
|
return content.replace(/^\s*[01]\s*:\s*/, '')
|
||||||
|
}
|
||||||
|
|
||||||
|
private parseEmojiCandidate(item: any): { isMe?: boolean; md5?: string; url?: string; count: number } {
|
||||||
|
const rawContent = this.coerceString(this.getRecordField(item, [
|
||||||
|
'content',
|
||||||
|
'xml',
|
||||||
|
'message_content',
|
||||||
|
'messageContent',
|
||||||
|
'msg',
|
||||||
|
'payload',
|
||||||
|
'raw'
|
||||||
|
]))
|
||||||
|
const content = this.stripEmojiOwnerPrefix(rawContent)
|
||||||
|
|
||||||
|
const countRaw = this.getRecordField(item, ['count', 'cnt', 'times', 'total', 'num'])
|
||||||
|
const parsedCount = this.coerceNumber(countRaw)
|
||||||
|
const count = Number.isFinite(parsedCount) && parsedCount > 0 ? parsedCount : 0
|
||||||
|
|
||||||
|
const directMd5 = this.normalizeEmojiMd5(this.coerceString(this.getRecordField(item, [
|
||||||
|
'md5',
|
||||||
|
'emojiMd5',
|
||||||
|
'emoji_md5',
|
||||||
|
'emd5'
|
||||||
|
])))
|
||||||
|
const md5 = directMd5 || this.extractEmojiMd5(content)
|
||||||
|
|
||||||
|
const directUrl = this.normalizeEmojiUrl(this.coerceString(this.getRecordField(item, [
|
||||||
|
'cdnUrl',
|
||||||
|
'cdnurl',
|
||||||
|
'emojiUrl',
|
||||||
|
'emoji_url',
|
||||||
|
'url',
|
||||||
|
'thumbUrl',
|
||||||
|
'thumburl'
|
||||||
|
])))
|
||||||
|
const url = directUrl || this.extractEmojiUrl(content)
|
||||||
|
|
||||||
|
return {
|
||||||
|
isMe: this.resolveEmojiOwner(item, rawContent),
|
||||||
|
md5,
|
||||||
|
url,
|
||||||
|
count
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private getRowInt(row: Record<string, any>, keys: string[], fallback = 0): number {
|
||||||
|
const raw = this.getRecordField(row, keys)
|
||||||
|
const parsed = this.coerceNumber(raw)
|
||||||
|
return Number.isFinite(parsed) ? parsed : fallback
|
||||||
|
}
|
||||||
|
|
||||||
|
private decodeRowMessageContent(row: Record<string, any>): string {
|
||||||
|
const messageContent = this.getRecordField(row, [
|
||||||
|
'message_content',
|
||||||
|
'messageContent',
|
||||||
|
'content',
|
||||||
|
'msg_content',
|
||||||
|
'msgContent',
|
||||||
|
'WCDB_CT_message_content',
|
||||||
|
'WCDB_CT_messageContent'
|
||||||
|
])
|
||||||
|
const compressContent = this.getRecordField(row, [
|
||||||
|
'compress_content',
|
||||||
|
'compressContent',
|
||||||
|
'compressed_content',
|
||||||
|
'WCDB_CT_compress_content',
|
||||||
|
'WCDB_CT_compressContent'
|
||||||
|
])
|
||||||
|
return this.decodeMessageContent(messageContent, compressContent)
|
||||||
|
}
|
||||||
|
|
||||||
|
private async scanEmojiTopFallback(
|
||||||
|
sessionId: string,
|
||||||
|
beginTimestamp: number,
|
||||||
|
endTimestamp: number,
|
||||||
|
rawWxid: string,
|
||||||
|
cleanedWxid: string
|
||||||
|
): Promise<{ my?: { md5: string; url?: string; count: number }; friend?: { md5: string; url?: string; count: number } }> {
|
||||||
|
const cursorResult = await wcdbService.openMessageCursor(sessionId, 500, true, beginTimestamp, endTimestamp)
|
||||||
|
if (!cursorResult.success || !cursorResult.cursor) return {}
|
||||||
|
|
||||||
|
const tallyMap = new Map<string, { isMe: boolean; md5: string; url?: string; count: number }>()
|
||||||
|
try {
|
||||||
|
let hasMore = true
|
||||||
|
while (hasMore) {
|
||||||
|
const batch = await wcdbService.fetchMessageBatch(cursorResult.cursor)
|
||||||
|
if (!batch.success || !Array.isArray(batch.rows)) break
|
||||||
|
|
||||||
|
for (const row of batch.rows) {
|
||||||
|
const localType = this.getRowInt(row, ['local_type', 'localType', 'type', 'msg_type', 'msgType', 'WCDB_CT_local_type'], 0)
|
||||||
|
if (localType !== 47) continue
|
||||||
|
|
||||||
|
const rawContent = this.decodeRowMessageContent(row)
|
||||||
|
const content = this.stripEmojiOwnerPrefix(rawContent)
|
||||||
|
const directMd5 = this.normalizeEmojiMd5(this.coerceString(this.getRecordField(row, ['emoji_md5', 'emojiMd5', 'md5'])))
|
||||||
|
const md5 = directMd5 || this.extractEmojiMd5(content)
|
||||||
|
if (!md5) continue
|
||||||
|
|
||||||
|
const directUrl = this.normalizeEmojiUrl(this.coerceString(this.getRecordField(row, [
|
||||||
|
'emoji_cdn_url',
|
||||||
|
'emojiCdnUrl',
|
||||||
|
'cdnurl',
|
||||||
|
'cdn_url',
|
||||||
|
'emoji_url',
|
||||||
|
'emojiUrl',
|
||||||
|
'url',
|
||||||
|
'thumburl',
|
||||||
|
'thumb_url'
|
||||||
|
])))
|
||||||
|
const url = directUrl || this.extractEmojiUrl(content)
|
||||||
|
const isMe = this.resolveIsSent(row, rawWxid, cleanedWxid)
|
||||||
|
const mapKey = `${isMe ? '1' : '0'}:${md5}`
|
||||||
|
const existing = tallyMap.get(mapKey)
|
||||||
|
if (existing) {
|
||||||
|
existing.count += 1
|
||||||
|
if (!existing.url && url) existing.url = url
|
||||||
|
} else {
|
||||||
|
tallyMap.set(mapKey, { isMe, md5, url, count: 1 })
|
||||||
|
}
|
||||||
|
}
|
||||||
|
hasMore = batch.hasMore === true
|
||||||
|
}
|
||||||
|
} finally {
|
||||||
|
await wcdbService.closeMessageCursor(cursorResult.cursor)
|
||||||
|
}
|
||||||
|
|
||||||
|
let myTop: { md5: string; url?: string; count: number } | undefined
|
||||||
|
let friendTop: { md5: string; url?: string; count: number } | undefined
|
||||||
|
for (const entry of tallyMap.values()) {
|
||||||
|
if (entry.isMe) {
|
||||||
|
if (!myTop || entry.count > myTop.count) {
|
||||||
|
myTop = { md5: entry.md5, url: entry.url, count: entry.count }
|
||||||
|
}
|
||||||
|
} else if (!friendTop || entry.count > friendTop.count) {
|
||||||
|
friendTop = { md5: entry.md5, url: entry.url, count: entry.count }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return { my: myTop, friend: friendTop }
|
||||||
}
|
}
|
||||||
|
|
||||||
private async getDisplayName(username: string, fallback: string): Promise<string> {
|
private async getDisplayName(username: string, fallback: string): Promise<string> {
|
||||||
@@ -271,189 +521,222 @@ class DualReportService {
|
|||||||
if (myName === rawWxid && cleanedWxid && cleanedWxid !== rawWxid) {
|
if (myName === rawWxid && cleanedWxid && cleanedWxid !== rawWxid) {
|
||||||
myName = await this.getDisplayName(cleanedWxid, rawWxid)
|
myName = await this.getDisplayName(cleanedWxid, rawWxid)
|
||||||
}
|
}
|
||||||
|
const avatarCandidates = Array.from(new Set([
|
||||||
|
friendUsername,
|
||||||
|
rawWxid,
|
||||||
|
cleanedWxid
|
||||||
|
].filter(Boolean) as string[]))
|
||||||
|
let selfAvatarUrl: string | undefined
|
||||||
|
let friendAvatarUrl: string | undefined
|
||||||
|
const avatarResult = await wcdbService.getAvatarUrls(avatarCandidates)
|
||||||
|
if (avatarResult.success && avatarResult.map) {
|
||||||
|
selfAvatarUrl = avatarResult.map[rawWxid] || avatarResult.map[cleanedWxid]
|
||||||
|
friendAvatarUrl = avatarResult.map[friendUsername]
|
||||||
|
}
|
||||||
|
|
||||||
this.reportProgress('获取首条聊天记录...', 15, onProgress)
|
this.reportProgress('获取首条聊天记录...', 15, onProgress)
|
||||||
const firstRows = await this.getFirstMessages(friendUsername, 3, 0, 0)
|
const firstRows = await this.getFirstMessages(friendUsername, 10, 0, 0)
|
||||||
let firstChat: DualReportFirstChat | null = null
|
let firstChat: DualReportFirstChat | null = null
|
||||||
if (firstRows.length > 0) {
|
if (firstRows.length > 0) {
|
||||||
const row = firstRows[0]
|
const row = firstRows[0]
|
||||||
const createTime = parseInt(row.create_time || '0', 10) * 1000
|
const createTime = parseInt(row.create_time || '0', 10) * 1000
|
||||||
const content = this.decodeMessageContent(row.message_content, row.compress_content)
|
const rawContent = this.decodeMessageContent(row.message_content, row.compress_content)
|
||||||
|
const localType = this.getRowInt(row, ['local_type', 'localType', 'type', 'msg_type', 'msgType'], 0)
|
||||||
|
let emojiMd5: string | undefined
|
||||||
|
let emojiCdnUrl: string | undefined
|
||||||
|
if (localType === 47) {
|
||||||
|
const stripped = this.stripEmojiOwnerPrefix(rawContent)
|
||||||
|
emojiMd5 = this.normalizeEmojiMd5(this.coerceString(this.getRecordField(row, ['emoji_md5', 'emojiMd5', 'md5']))) || this.extractEmojiMd5(stripped)
|
||||||
|
emojiCdnUrl = this.normalizeEmojiUrl(this.coerceString(this.getRecordField(row, ['emoji_cdn_url', 'emojiCdnUrl', 'cdnurl']))) || this.extractEmojiUrl(stripped)
|
||||||
|
}
|
||||||
|
|
||||||
firstChat = {
|
firstChat = {
|
||||||
createTime,
|
createTime,
|
||||||
createTimeStr: this.formatDateTime(createTime),
|
createTimeStr: this.formatDateTime(createTime),
|
||||||
content: String(content || ''),
|
content: String(rawContent || ''),
|
||||||
isSentByMe: this.resolveIsSent(row, rawWxid, cleanedWxid),
|
isSentByMe: this.resolveIsSent(row, rawWxid, cleanedWxid),
|
||||||
senderUsername: row.sender_username || row.sender
|
senderUsername: row.sender_username || row.sender,
|
||||||
|
localType,
|
||||||
|
emojiMd5,
|
||||||
|
emojiCdnUrl
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
const firstChatMessages: DualReportMessage[] = firstRows.map((row) => {
|
const firstChatMessages: DualReportMessage[] = firstRows.map((row) => {
|
||||||
const msgTime = parseInt(row.create_time || '0', 10) * 1000
|
const msgTime = parseInt(row.create_time || '0', 10) * 1000
|
||||||
const msgContent = this.decodeMessageContent(row.message_content, row.compress_content)
|
const rawContent = this.decodeMessageContent(row.message_content, row.compress_content)
|
||||||
|
const localType = this.getRowInt(row, ['local_type', 'localType', 'type', 'msg_type', 'msgType'], 0)
|
||||||
|
let emojiMd5: string | undefined
|
||||||
|
let emojiCdnUrl: string | undefined
|
||||||
|
if (localType === 47) {
|
||||||
|
const stripped = this.stripEmojiOwnerPrefix(rawContent)
|
||||||
|
emojiMd5 = this.normalizeEmojiMd5(this.coerceString(this.getRecordField(row, ['emoji_md5', 'emojiMd5', 'md5']))) || this.extractEmojiMd5(stripped)
|
||||||
|
emojiCdnUrl = this.normalizeEmojiUrl(this.coerceString(this.getRecordField(row, ['emoji_cdn_url', 'emojiCdnUrl', 'cdnurl']))) || this.extractEmojiUrl(stripped)
|
||||||
|
}
|
||||||
|
|
||||||
return {
|
return {
|
||||||
content: String(msgContent || ''),
|
content: String(rawContent || ''),
|
||||||
isSentByMe: this.resolveIsSent(row, rawWxid, cleanedWxid),
|
isSentByMe: this.resolveIsSent(row, rawWxid, cleanedWxid),
|
||||||
createTime: msgTime,
|
createTime: msgTime,
|
||||||
createTimeStr: this.formatDateTime(msgTime)
|
createTimeStr: this.formatDateTime(msgTime),
|
||||||
|
localType,
|
||||||
|
emojiMd5,
|
||||||
|
emojiCdnUrl
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
let yearFirstChat: DualReportData['yearFirstChat'] = null
|
let yearFirstChat: DualReportData['yearFirstChat'] = null
|
||||||
if (!isAllTime) {
|
if (!isAllTime) {
|
||||||
this.reportProgress('获取今年首次聊天...', 20, onProgress)
|
this.reportProgress('获取今年首次聊天...', 20, onProgress)
|
||||||
const firstYearRows = await this.getFirstMessages(friendUsername, 3, startTime, endTime)
|
const firstYearRows = await this.getFirstMessages(friendUsername, 10, startTime, endTime)
|
||||||
if (firstYearRows.length > 0) {
|
if (firstYearRows.length > 0) {
|
||||||
const firstRow = firstYearRows[0]
|
const firstRow = firstYearRows[0]
|
||||||
const createTime = parseInt(firstRow.create_time || '0', 10) * 1000
|
const createTime = parseInt(firstRow.create_time || '0', 10) * 1000
|
||||||
const firstThreeMessages: DualReportMessage[] = firstYearRows.map((row) => {
|
const firstThreeMessages: DualReportMessage[] = firstYearRows.map((row) => {
|
||||||
const msgTime = parseInt(row.create_time || '0', 10) * 1000
|
const msgTime = parseInt(row.create_time || '0', 10) * 1000
|
||||||
const msgContent = this.decodeMessageContent(row.message_content, row.compress_content)
|
const rawContent = this.decodeMessageContent(row.message_content, row.compress_content)
|
||||||
|
const localType = this.getRowInt(row, ['local_type', 'localType', 'type', 'msg_type', 'msgType'], 0)
|
||||||
|
let emojiMd5: string | undefined
|
||||||
|
let emojiCdnUrl: string | undefined
|
||||||
|
if (localType === 47) {
|
||||||
|
const stripped = this.stripEmojiOwnerPrefix(rawContent)
|
||||||
|
emojiMd5 = this.normalizeEmojiMd5(this.coerceString(this.getRecordField(row, ['emoji_md5', 'emojiMd5', 'md5']))) || this.extractEmojiMd5(stripped)
|
||||||
|
emojiCdnUrl = this.normalizeEmojiUrl(this.coerceString(this.getRecordField(row, ['emoji_cdn_url', 'emojiCdnUrl', 'cdnurl']))) || this.extractEmojiUrl(stripped)
|
||||||
|
}
|
||||||
|
|
||||||
return {
|
return {
|
||||||
content: String(msgContent || ''),
|
content: String(rawContent || ''),
|
||||||
isSentByMe: this.resolveIsSent(row, rawWxid, cleanedWxid),
|
isSentByMe: this.resolveIsSent(row, rawWxid, cleanedWxid),
|
||||||
createTime: msgTime,
|
createTime: msgTime,
|
||||||
createTimeStr: this.formatDateTime(msgTime)
|
createTimeStr: this.formatDateTime(msgTime),
|
||||||
|
localType,
|
||||||
|
emojiMd5,
|
||||||
|
emojiCdnUrl
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
const firstRowYear = firstYearRows[0]
|
||||||
|
const rawContentYear = this.decodeMessageContent(firstRowYear.message_content, firstRowYear.compress_content)
|
||||||
|
const localTypeYear = this.getRowInt(firstRowYear, ['local_type', 'localType', 'type', 'msg_type', 'msgType'], 0)
|
||||||
|
let emojiMd5Year: string | undefined
|
||||||
|
let emojiCdnUrlYear: string | undefined
|
||||||
|
if (localTypeYear === 47) {
|
||||||
|
const stripped = this.stripEmojiOwnerPrefix(rawContentYear)
|
||||||
|
emojiMd5Year = this.normalizeEmojiMd5(this.coerceString(this.getRecordField(firstRowYear, ['emoji_md5', 'emojiMd5', 'md5']))) || this.extractEmojiMd5(stripped)
|
||||||
|
emojiCdnUrlYear = this.normalizeEmojiUrl(this.coerceString(this.getRecordField(firstRowYear, ['emoji_cdn_url', 'emojiCdnUrl', 'cdnurl']))) || this.extractEmojiUrl(stripped)
|
||||||
|
}
|
||||||
|
|
||||||
yearFirstChat = {
|
yearFirstChat = {
|
||||||
createTime,
|
createTime,
|
||||||
createTimeStr: this.formatDateTime(createTime),
|
createTimeStr: this.formatDateTime(createTime),
|
||||||
content: String(this.decodeMessageContent(firstRow.message_content, firstRow.compress_content) || ''),
|
content: String(rawContentYear || ''),
|
||||||
isSentByMe: this.resolveIsSent(firstRow, rawWxid, cleanedWxid),
|
isSentByMe: this.resolveIsSent(firstRowYear, rawWxid, cleanedWxid),
|
||||||
friendName,
|
friendName,
|
||||||
firstThreeMessages
|
firstThreeMessages,
|
||||||
|
localType: localTypeYear,
|
||||||
|
emojiMd5: emojiMd5Year,
|
||||||
|
emojiCdnUrl: emojiCdnUrlYear
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
this.reportProgress('统计聊天数据...', 30, onProgress)
|
this.reportProgress('统计聊天数据...', 30, onProgress)
|
||||||
|
|
||||||
|
const statsResult = await wcdbService.getDualReportStats(friendUsername, startTime, endTime)
|
||||||
|
if (!statsResult.success || !statsResult.data) {
|
||||||
|
return { success: false, error: statsResult.error || '获取双人报告统计失败' }
|
||||||
|
}
|
||||||
|
|
||||||
|
const cppData = statsResult.data
|
||||||
|
const counts = cppData.counts || {}
|
||||||
|
|
||||||
const stats: DualReportStats = {
|
const stats: DualReportStats = {
|
||||||
totalMessages: 0,
|
totalMessages: counts.total || 0,
|
||||||
totalWords: 0,
|
totalWords: counts.words || 0,
|
||||||
imageCount: 0,
|
imageCount: counts.image || 0,
|
||||||
voiceCount: 0,
|
voiceCount: counts.voice || 0,
|
||||||
emojiCount: 0
|
emojiCount: counts.emoji || 0
|
||||||
}
|
|
||||||
const wordCountMap = new Map<string, number>()
|
|
||||||
const myEmojiCounts = new Map<string, number>()
|
|
||||||
const friendEmojiCounts = new Map<string, number>()
|
|
||||||
const myEmojiUrlMap = new Map<string, string>()
|
|
||||||
const friendEmojiUrlMap = new Map<string, string>()
|
|
||||||
|
|
||||||
const messageCountResult = await wcdbService.getMessageCount(friendUsername)
|
|
||||||
const totalForProgress = messageCountResult.success && messageCountResult.count
|
|
||||||
? messageCountResult.count
|
|
||||||
: 0
|
|
||||||
let processed = 0
|
|
||||||
let lastProgressAt = 0
|
|
||||||
|
|
||||||
const cursorResult = await wcdbService.openMessageCursor(friendUsername, 1000, true, startTime, endTime)
|
|
||||||
if (!cursorResult.success || !cursorResult.cursor) {
|
|
||||||
return { success: false, error: cursorResult.error || '打开消息游标失败' }
|
|
||||||
}
|
}
|
||||||
|
|
||||||
try {
|
// Process Emojis to find top for me and friend
|
||||||
let hasMore = true
|
let myTopEmojiMd5: string | undefined
|
||||||
while (hasMore) {
|
let myTopEmojiUrl: string | undefined
|
||||||
const batch = await wcdbService.fetchMessageBatch(cursorResult.cursor)
|
let myTopCount = -1
|
||||||
if (!batch.success || !batch.rows) break
|
|
||||||
for (const row of batch.rows) {
|
|
||||||
const localType = parseInt(row.local_type || row.type || '1', 10)
|
|
||||||
const isSent = this.resolveIsSent(row, rawWxid, cleanedWxid)
|
|
||||||
stats.totalMessages += 1
|
|
||||||
|
|
||||||
if (localType === 3) stats.imageCount += 1
|
let friendTopEmojiMd5: string | undefined
|
||||||
if (localType === 34) stats.voiceCount += 1
|
let friendTopEmojiUrl: string | undefined
|
||||||
if (localType === 47) {
|
let friendTopCount = -1
|
||||||
stats.emojiCount += 1
|
|
||||||
const content = this.decodeMessageContent(row.message_content, row.compress_content)
|
|
||||||
const md5 = this.extractEmojiMd5(content)
|
|
||||||
const url = this.extractEmojiUrl(content)
|
|
||||||
if (md5) {
|
|
||||||
const targetMap = isSent ? myEmojiCounts : friendEmojiCounts
|
|
||||||
targetMap.set(md5, (targetMap.get(md5) || 0) + 1)
|
|
||||||
if (url) {
|
|
||||||
const urlMap = isSent ? myEmojiUrlMap : friendEmojiUrlMap
|
|
||||||
if (!urlMap.has(md5)) urlMap.set(md5, url)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (localType === 1 || localType === 244813135921) {
|
if (cppData.emojis && Array.isArray(cppData.emojis)) {
|
||||||
const content = this.decodeMessageContent(row.message_content, row.compress_content)
|
for (const item of cppData.emojis) {
|
||||||
const text = String(content || '').trim()
|
const candidate = this.parseEmojiCandidate(item)
|
||||||
if (text.length > 0) {
|
if (!candidate.md5 || candidate.isMe === undefined || candidate.count <= 0) continue
|
||||||
stats.totalWords += text.replace(/\s+/g, '').length
|
|
||||||
const normalized = text.replace(/\s+/g, ' ').trim()
|
|
||||||
if (normalized.length >= 2 &&
|
|
||||||
normalized.length <= 50 &&
|
|
||||||
!normalized.includes('http') &&
|
|
||||||
!normalized.includes('<') &&
|
|
||||||
!normalized.startsWith('[') &&
|
|
||||||
!normalized.startsWith('<?xml')) {
|
|
||||||
wordCountMap.set(normalized, (wordCountMap.get(normalized) || 0) + 1)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (totalForProgress > 0) {
|
if (candidate.isMe) {
|
||||||
processed++
|
if (candidate.count > myTopCount) {
|
||||||
|
myTopCount = candidate.count
|
||||||
|
myTopEmojiMd5 = candidate.md5
|
||||||
|
myTopEmojiUrl = candidate.url
|
||||||
}
|
}
|
||||||
}
|
} else if (candidate.count > friendTopCount) {
|
||||||
hasMore = batch.hasMore === true
|
friendTopCount = candidate.count
|
||||||
|
friendTopEmojiMd5 = candidate.md5
|
||||||
const now = Date.now()
|
friendTopEmojiUrl = candidate.url
|
||||||
if (now - lastProgressAt > 200) {
|
|
||||||
if (totalForProgress > 0) {
|
|
||||||
const ratio = Math.min(1, processed / totalForProgress)
|
|
||||||
const progress = 30 + Math.floor(ratio * 50)
|
|
||||||
this.reportProgress('统计聊天数据...', progress, onProgress)
|
|
||||||
}
|
|
||||||
lastProgressAt = now
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
} finally {
|
|
||||||
await wcdbService.closeMessageCursor(cursorResult.cursor)
|
|
||||||
}
|
}
|
||||||
|
|
||||||
const pickTop = (map: Map<string, number>): string | undefined => {
|
const needsEmojiFallback = stats.emojiCount > 0 && (!myTopEmojiMd5 || !friendTopEmojiMd5)
|
||||||
let topKey: string | undefined
|
if (needsEmojiFallback) {
|
||||||
let topCount = -1
|
const fallback = await this.scanEmojiTopFallback(friendUsername, startTime, endTime, rawWxid, cleanedWxid)
|
||||||
for (const [key, count] of map.entries()) {
|
|
||||||
if (count > topCount) {
|
if (!myTopEmojiMd5 && fallback.my?.md5) {
|
||||||
topCount = count
|
myTopEmojiMd5 = fallback.my.md5
|
||||||
topKey = key
|
myTopEmojiUrl = myTopEmojiUrl || fallback.my.url
|
||||||
}
|
myTopCount = fallback.my.count
|
||||||
|
}
|
||||||
|
if (!friendTopEmojiMd5 && fallback.friend?.md5) {
|
||||||
|
friendTopEmojiMd5 = fallback.friend.md5
|
||||||
|
friendTopEmojiUrl = friendTopEmojiUrl || fallback.friend.url
|
||||||
|
friendTopCount = fallback.friend.count
|
||||||
}
|
}
|
||||||
return topKey
|
|
||||||
}
|
}
|
||||||
|
|
||||||
const myTopEmojiMd5 = pickTop(myEmojiCounts)
|
const [myEmojiUrlResult, friendEmojiUrlResult] = await Promise.all([
|
||||||
const friendTopEmojiMd5 = pickTop(friendEmojiCounts)
|
myTopEmojiMd5 && !myTopEmojiUrl ? wcdbService.getEmoticonCdnUrl(dbPath, myTopEmojiMd5) : Promise.resolve(null),
|
||||||
|
friendTopEmojiMd5 && !friendTopEmojiUrl ? wcdbService.getEmoticonCdnUrl(dbPath, friendTopEmojiMd5) : Promise.resolve(null)
|
||||||
|
])
|
||||||
|
if (myEmojiUrlResult?.success && myEmojiUrlResult.url) myTopEmojiUrl = myEmojiUrlResult.url
|
||||||
|
if (friendEmojiUrlResult?.success && friendEmojiUrlResult.url) friendTopEmojiUrl = friendEmojiUrlResult.url
|
||||||
|
|
||||||
stats.myTopEmojiMd5 = myTopEmojiMd5
|
stats.myTopEmojiMd5 = myTopEmojiMd5
|
||||||
|
stats.myTopEmojiUrl = myTopEmojiUrl
|
||||||
stats.friendTopEmojiMd5 = friendTopEmojiMd5
|
stats.friendTopEmojiMd5 = friendTopEmojiMd5
|
||||||
stats.myTopEmojiUrl = myTopEmojiMd5 ? myEmojiUrlMap.get(myTopEmojiMd5) : undefined
|
stats.friendTopEmojiUrl = friendTopEmojiUrl
|
||||||
stats.friendTopEmojiUrl = friendTopEmojiMd5 ? friendEmojiUrlMap.get(friendTopEmojiMd5) : undefined
|
if (myTopCount >= 0) stats.myTopEmojiCount = myTopCount
|
||||||
|
if (friendTopCount >= 0) stats.friendTopEmojiCount = friendTopCount
|
||||||
|
|
||||||
this.reportProgress('生成常用语词云...', 85, onProgress)
|
const topPhrases = (cppData.phrases || []).map((p: any) => ({
|
||||||
const topPhrases = Array.from(wordCountMap.entries())
|
phrase: p.phrase,
|
||||||
.filter(([_, count]) => count >= 2)
|
count: p.count
|
||||||
.sort((a, b) => b[1] - a[1])
|
}))
|
||||||
.slice(0, 50)
|
|
||||||
.map(([phrase, count]) => ({ phrase, count }))
|
|
||||||
|
|
||||||
const reportData: DualReportData = {
|
const reportData: DualReportData = {
|
||||||
year: reportYear,
|
year: reportYear,
|
||||||
selfName: myName,
|
selfName: myName,
|
||||||
|
selfAvatarUrl,
|
||||||
friendUsername,
|
friendUsername,
|
||||||
friendName,
|
friendName,
|
||||||
|
friendAvatarUrl,
|
||||||
firstChat,
|
firstChat,
|
||||||
firstChatMessages,
|
firstChatMessages,
|
||||||
yearFirstChat,
|
yearFirstChat,
|
||||||
stats,
|
stats,
|
||||||
topPhrases
|
topPhrases,
|
||||||
}
|
heatmap: cppData.heatmap,
|
||||||
|
initiative: cppData.initiative,
|
||||||
|
response: cppData.response,
|
||||||
|
monthly: cppData.monthly,
|
||||||
|
streak: cppData.streak
|
||||||
|
} as any
|
||||||
|
|
||||||
this.reportProgress('双人报告生成完成', 100, onProgress)
|
this.reportProgress('双人报告生成完成', 100, onProgress)
|
||||||
return { success: true, data: reportData }
|
return { success: true, data: reportData }
|
||||||
|
|||||||
@@ -25,83 +25,87 @@ body {
|
|||||||
|
|
||||||
.page {
|
.page {
|
||||||
max-width: 1080px;
|
max-width: 1080px;
|
||||||
margin: 32px auto 60px;
|
margin: 0 auto;
|
||||||
padding: 0 20px;
|
padding: 8px 20px;
|
||||||
|
height: 100vh;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
}
|
}
|
||||||
|
|
||||||
.header {
|
.header {
|
||||||
background: var(--card);
|
background: var(--card);
|
||||||
border-radius: var(--radius);
|
border-radius: 12px;
|
||||||
box-shadow: var(--shadow);
|
box-shadow: 0 2px 8px rgba(15, 23, 42, 0.06);
|
||||||
padding: 24px;
|
padding: 12px 20px;
|
||||||
margin-bottom: 24px;
|
flex-shrink: 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
.title {
|
.title {
|
||||||
font-size: 24px;
|
font-size: 16px;
|
||||||
font-weight: 600;
|
font-weight: 600;
|
||||||
margin: 0 0 8px;
|
margin: 0;
|
||||||
|
display: inline;
|
||||||
}
|
}
|
||||||
|
|
||||||
.meta {
|
.meta {
|
||||||
color: var(--muted);
|
color: var(--muted);
|
||||||
font-size: 14px;
|
font-size: 13px;
|
||||||
display: flex;
|
display: inline;
|
||||||
flex-wrap: wrap;
|
margin-left: 12px;
|
||||||
gap: 12px;
|
}
|
||||||
|
|
||||||
|
.meta span {
|
||||||
|
margin-right: 10px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.controls {
|
.controls {
|
||||||
display: grid;
|
|
||||||
grid-template-columns: repeat(auto-fit, minmax(220px, 1fr));
|
|
||||||
gap: 16px;
|
|
||||||
margin-top: 20px;
|
|
||||||
}
|
|
||||||
|
|
||||||
.control {
|
|
||||||
display: flex;
|
display: flex;
|
||||||
flex-direction: column;
|
align-items: center;
|
||||||
gap: 6px;
|
gap: 8px;
|
||||||
|
margin-top: 8px;
|
||||||
|
flex-wrap: wrap;
|
||||||
}
|
}
|
||||||
|
|
||||||
.control label {
|
.controls input,
|
||||||
font-size: 13px;
|
.controls button {
|
||||||
color: var(--muted);
|
border-radius: 8px;
|
||||||
}
|
|
||||||
|
|
||||||
.control input,
|
|
||||||
.control select,
|
|
||||||
.control button {
|
|
||||||
border-radius: 12px;
|
|
||||||
border: 1px solid var(--border);
|
border: 1px solid var(--border);
|
||||||
padding: 10px 12px;
|
padding: 6px 10px;
|
||||||
font-size: 14px;
|
font-size: 13px;
|
||||||
font-family: inherit;
|
font-family: inherit;
|
||||||
}
|
}
|
||||||
|
|
||||||
.control button {
|
.controls input[type="search"] {
|
||||||
|
width: 200px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.controls input[type="datetime-local"] {
|
||||||
|
width: 200px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.controls button {
|
||||||
background: var(--accent);
|
background: var(--accent);
|
||||||
color: #fff;
|
color: #fff;
|
||||||
border: none;
|
border: none;
|
||||||
cursor: pointer;
|
cursor: pointer;
|
||||||
transition: transform 0.1s ease;
|
padding: 6px 14px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.control button:active {
|
.controls button:active {
|
||||||
transform: scale(0.98);
|
transform: scale(0.98);
|
||||||
}
|
}
|
||||||
|
|
||||||
.stats {
|
.stats {
|
||||||
font-size: 13px;
|
font-size: 13px;
|
||||||
color: var(--muted);
|
color: var(--muted);
|
||||||
display: flex;
|
margin-left: auto;
|
||||||
align-items: flex-end;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.message-list {
|
.message-list {
|
||||||
display: flex;
|
display: flex;
|
||||||
flex-direction: column;
|
flex-direction: column;
|
||||||
gap: 18px;
|
gap: 12px;
|
||||||
|
padding: 4px 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
.message {
|
.message {
|
||||||
@@ -248,50 +252,11 @@ body {
|
|||||||
cursor: zoom-out;
|
cursor: zoom-out;
|
||||||
}
|
}
|
||||||
|
|
||||||
body[data-theme="cloud-dancer"] {
|
|
||||||
--accent: #6b8cff;
|
|
||||||
--sent: #e0e7ff;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #d8e0f7;
|
|
||||||
--bg: #f6f7fb;
|
|
||||||
}
|
|
||||||
|
|
||||||
body[data-theme="corundum-blue"] {
|
|
||||||
--accent: #2563eb;
|
|
||||||
--sent: #dbeafe;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #c7d2fe;
|
|
||||||
--bg: #eef2ff;
|
|
||||||
}
|
|
||||||
|
|
||||||
body[data-theme="kiwi-green"] {
|
|
||||||
--accent: #16a34a;
|
|
||||||
--sent: #dcfce7;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #bbf7d0;
|
|
||||||
--bg: #f0fdf4;
|
|
||||||
}
|
|
||||||
|
|
||||||
body[data-theme="spicy-red"] {
|
|
||||||
--accent: #e11d48;
|
|
||||||
--sent: #ffe4e6;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #fecdd3;
|
|
||||||
--bg: #fff1f2;
|
|
||||||
}
|
|
||||||
|
|
||||||
body[data-theme="teal-water"] {
|
|
||||||
--accent: #0f766e;
|
|
||||||
--sent: #ccfbf1;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #99f6e4;
|
|
||||||
--bg: #f0fdfa;
|
|
||||||
}
|
|
||||||
|
|
||||||
.highlight {
|
.highlight {
|
||||||
outline: 2px solid var(--accent);
|
outline: 2px solid var(--accent);
|
||||||
outline-offset: 4px;
|
outline-offset: 4px;
|
||||||
border-radius: 18px;
|
border-radius: 18px;
|
||||||
|
transition: outline-color 0.3s;
|
||||||
}
|
}
|
||||||
|
|
||||||
.empty {
|
.empty {
|
||||||
@@ -300,32 +265,29 @@ body[data-theme="teal-water"] {
|
|||||||
padding: 40px;
|
padding: 40px;
|
||||||
}
|
}
|
||||||
|
|
||||||
/* Virtual Scroll */
|
/* Scroll Container */
|
||||||
.virtual-scroll-container {
|
.scroll-container {
|
||||||
height: calc(100vh - 180px);
|
flex: 1;
|
||||||
/* Adjust based on header height */
|
min-height: 0;
|
||||||
overflow-y: auto;
|
overflow-y: auto;
|
||||||
position: relative;
|
|
||||||
border: 1px solid var(--border);
|
border: 1px solid var(--border);
|
||||||
border-radius: var(--radius);
|
border-radius: var(--radius);
|
||||||
background: var(--bg);
|
background: var(--bg);
|
||||||
margin-top: 20px;
|
margin-top: 8px;
|
||||||
|
margin-bottom: 8px;
|
||||||
|
padding: 12px;
|
||||||
|
-webkit-overflow-scrolling: touch;
|
||||||
}
|
}
|
||||||
|
|
||||||
.virtual-scroll-spacer {
|
.scroll-container::-webkit-scrollbar {
|
||||||
opacity: 0;
|
width: 6px;
|
||||||
pointer-events: none;
|
|
||||||
width: 1px;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.virtual-scroll-content {
|
.scroll-container::-webkit-scrollbar-thumb {
|
||||||
position: absolute;
|
background: #c1c1c1;
|
||||||
top: 0;
|
border-radius: 3px;
|
||||||
left: 0;
|
|
||||||
width: 100%;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.message-list {
|
.load-sentinel {
|
||||||
/* Override message-list to be inside virtual scroll */
|
height: 1px;
|
||||||
display: block;
|
|
||||||
}
|
}
|
||||||
@@ -25,83 +25,87 @@ body {
|
|||||||
|
|
||||||
.page {
|
.page {
|
||||||
max-width: 1080px;
|
max-width: 1080px;
|
||||||
margin: 32px auto 60px;
|
margin: 0 auto;
|
||||||
padding: 0 20px;
|
padding: 8px 20px;
|
||||||
|
height: 100vh;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
}
|
}
|
||||||
|
|
||||||
.header {
|
.header {
|
||||||
background: var(--card);
|
background: var(--card);
|
||||||
border-radius: var(--radius);
|
border-radius: 12px;
|
||||||
box-shadow: var(--shadow);
|
box-shadow: 0 2px 8px rgba(15, 23, 42, 0.06);
|
||||||
padding: 24px;
|
padding: 12px 20px;
|
||||||
margin-bottom: 24px;
|
flex-shrink: 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
.title {
|
.title {
|
||||||
font-size: 24px;
|
font-size: 16px;
|
||||||
font-weight: 600;
|
font-weight: 600;
|
||||||
margin: 0 0 8px;
|
margin: 0;
|
||||||
|
display: inline;
|
||||||
}
|
}
|
||||||
|
|
||||||
.meta {
|
.meta {
|
||||||
color: var(--muted);
|
color: var(--muted);
|
||||||
font-size: 14px;
|
font-size: 13px;
|
||||||
display: flex;
|
display: inline;
|
||||||
flex-wrap: wrap;
|
margin-left: 12px;
|
||||||
gap: 12px;
|
}
|
||||||
|
|
||||||
|
.meta span {
|
||||||
|
margin-right: 10px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.controls {
|
.controls {
|
||||||
display: grid;
|
|
||||||
grid-template-columns: repeat(auto-fit, minmax(220px, 1fr));
|
|
||||||
gap: 16px;
|
|
||||||
margin-top: 20px;
|
|
||||||
}
|
|
||||||
|
|
||||||
.control {
|
|
||||||
display: flex;
|
display: flex;
|
||||||
flex-direction: column;
|
align-items: center;
|
||||||
gap: 6px;
|
gap: 8px;
|
||||||
|
margin-top: 8px;
|
||||||
|
flex-wrap: wrap;
|
||||||
}
|
}
|
||||||
|
|
||||||
.control label {
|
.controls input,
|
||||||
font-size: 13px;
|
.controls button {
|
||||||
color: var(--muted);
|
border-radius: 8px;
|
||||||
}
|
|
||||||
|
|
||||||
.control input,
|
|
||||||
.control select,
|
|
||||||
.control button {
|
|
||||||
border-radius: 12px;
|
|
||||||
border: 1px solid var(--border);
|
border: 1px solid var(--border);
|
||||||
padding: 10px 12px;
|
padding: 6px 10px;
|
||||||
font-size: 14px;
|
font-size: 13px;
|
||||||
font-family: inherit;
|
font-family: inherit;
|
||||||
}
|
}
|
||||||
|
|
||||||
.control button {
|
.controls input[type="search"] {
|
||||||
|
width: 200px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.controls input[type="datetime-local"] {
|
||||||
|
width: 200px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.controls button {
|
||||||
background: var(--accent);
|
background: var(--accent);
|
||||||
color: #fff;
|
color: #fff;
|
||||||
border: none;
|
border: none;
|
||||||
cursor: pointer;
|
cursor: pointer;
|
||||||
transition: transform 0.1s ease;
|
padding: 6px 14px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.control button:active {
|
.controls button:active {
|
||||||
transform: scale(0.98);
|
transform: scale(0.98);
|
||||||
}
|
}
|
||||||
|
|
||||||
.stats {
|
.stats {
|
||||||
font-size: 13px;
|
font-size: 13px;
|
||||||
color: var(--muted);
|
color: var(--muted);
|
||||||
display: flex;
|
margin-left: auto;
|
||||||
align-items: flex-end;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.message-list {
|
.message-list {
|
||||||
display: flex;
|
display: flex;
|
||||||
flex-direction: column;
|
flex-direction: column;
|
||||||
gap: 18px;
|
gap: 12px;
|
||||||
|
padding: 4px 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
.message {
|
.message {
|
||||||
@@ -248,50 +252,11 @@ body {
|
|||||||
cursor: zoom-out;
|
cursor: zoom-out;
|
||||||
}
|
}
|
||||||
|
|
||||||
body[data-theme="cloud-dancer"] {
|
|
||||||
--accent: #6b8cff;
|
|
||||||
--sent: #e0e7ff;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #d8e0f7;
|
|
||||||
--bg: #f6f7fb;
|
|
||||||
}
|
|
||||||
|
|
||||||
body[data-theme="corundum-blue"] {
|
|
||||||
--accent: #2563eb;
|
|
||||||
--sent: #dbeafe;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #c7d2fe;
|
|
||||||
--bg: #eef2ff;
|
|
||||||
}
|
|
||||||
|
|
||||||
body[data-theme="kiwi-green"] {
|
|
||||||
--accent: #16a34a;
|
|
||||||
--sent: #dcfce7;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #bbf7d0;
|
|
||||||
--bg: #f0fdf4;
|
|
||||||
}
|
|
||||||
|
|
||||||
body[data-theme="spicy-red"] {
|
|
||||||
--accent: #e11d48;
|
|
||||||
--sent: #ffe4e6;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #fecdd3;
|
|
||||||
--bg: #fff1f2;
|
|
||||||
}
|
|
||||||
|
|
||||||
body[data-theme="teal-water"] {
|
|
||||||
--accent: #0f766e;
|
|
||||||
--sent: #ccfbf1;
|
|
||||||
--received: #ffffff;
|
|
||||||
--border: #99f6e4;
|
|
||||||
--bg: #f0fdfa;
|
|
||||||
}
|
|
||||||
|
|
||||||
.highlight {
|
.highlight {
|
||||||
outline: 2px solid var(--accent);
|
outline: 2px solid var(--accent);
|
||||||
outline-offset: 4px;
|
outline-offset: 4px;
|
||||||
border-radius: 18px;
|
border-radius: 18px;
|
||||||
|
transition: outline-color 0.3s;
|
||||||
}
|
}
|
||||||
|
|
||||||
.empty {
|
.empty {
|
||||||
@@ -299,4 +264,32 @@ body[data-theme="teal-water"] {
|
|||||||
color: var(--muted);
|
color: var(--muted);
|
||||||
padding: 40px;
|
padding: 40px;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/* Scroll Container */
|
||||||
|
.scroll-container {
|
||||||
|
flex: 1;
|
||||||
|
min-height: 0;
|
||||||
|
overflow-y: auto;
|
||||||
|
border: 1px solid var(--border);
|
||||||
|
border-radius: var(--radius);
|
||||||
|
background: var(--bg);
|
||||||
|
margin-top: 8px;
|
||||||
|
margin-bottom: 8px;
|
||||||
|
padding: 12px;
|
||||||
|
-webkit-overflow-scrolling: touch;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scroll-container::-webkit-scrollbar {
|
||||||
|
width: 6px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scroll-container::-webkit-scrollbar-thumb {
|
||||||
|
background: #c1c1c1;
|
||||||
|
border-radius: 3px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.load-sentinel {
|
||||||
|
height: 1px;
|
||||||
|
}
|
||||||
`;
|
`;
|
||||||
|
|
||||||
|
|||||||
File diff suppressed because it is too large
Load Diff
@@ -105,19 +105,166 @@ class GroupAnalyticsService {
|
|||||||
/**
|
/**
|
||||||
* 从 DLL 获取群成员的群昵称
|
* 从 DLL 获取群成员的群昵称
|
||||||
*/
|
*/
|
||||||
private async getGroupNicknamesForRoom(chatroomId: string): Promise<Map<string, string>> {
|
private async getGroupNicknamesForRoom(chatroomId: string, candidates: string[] = []): Promise<Map<string, string>> {
|
||||||
try {
|
try {
|
||||||
const result = await wcdbService.getGroupNicknames(chatroomId)
|
const escapedChatroomId = chatroomId.replace(/'/g, "''")
|
||||||
if (result.success && result.nicknames) {
|
const sql = `SELECT ext_buffer FROM chat_room WHERE username='${escapedChatroomId}' LIMIT 1`
|
||||||
return new Map(Object.entries(result.nicknames))
|
const result = await wcdbService.execQuery('contact', null, sql)
|
||||||
|
if (!result.success || !result.rows || result.rows.length === 0) {
|
||||||
|
return new Map<string, string>()
|
||||||
}
|
}
|
||||||
return new Map<string, string>()
|
|
||||||
|
const extBuffer = this.decodeExtBuffer((result.rows[0] as any).ext_buffer)
|
||||||
|
if (!extBuffer) return new Map<string, string>()
|
||||||
|
return this.parseGroupNicknamesFromExtBuffer(extBuffer, candidates)
|
||||||
} catch (e) {
|
} catch (e) {
|
||||||
console.error('getGroupNicknamesForRoom error:', e)
|
console.error('getGroupNicknamesForRoom error:', e)
|
||||||
return new Map<string, string>()
|
return new Map<string, string>()
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
private looksLikeHex(s: string): boolean {
|
||||||
|
if (s.length % 2 !== 0) return false
|
||||||
|
return /^[0-9a-fA-F]+$/.test(s)
|
||||||
|
}
|
||||||
|
|
||||||
|
private looksLikeBase64(s: string): boolean {
|
||||||
|
if (s.length % 4 !== 0) return false
|
||||||
|
return /^[A-Za-z0-9+/=]+$/.test(s)
|
||||||
|
}
|
||||||
|
|
||||||
|
private decodeExtBuffer(value: unknown): Buffer | null {
|
||||||
|
if (!value) return null
|
||||||
|
if (Buffer.isBuffer(value)) return value
|
||||||
|
if (value instanceof Uint8Array) return Buffer.from(value)
|
||||||
|
|
||||||
|
if (typeof value === 'string') {
|
||||||
|
const raw = value.trim()
|
||||||
|
if (!raw) return null
|
||||||
|
|
||||||
|
if (this.looksLikeHex(raw)) {
|
||||||
|
try { return Buffer.from(raw, 'hex') } catch { }
|
||||||
|
}
|
||||||
|
if (this.looksLikeBase64(raw)) {
|
||||||
|
try { return Buffer.from(raw, 'base64') } catch { }
|
||||||
|
}
|
||||||
|
|
||||||
|
try { return Buffer.from(raw, 'hex') } catch { }
|
||||||
|
try { return Buffer.from(raw, 'base64') } catch { }
|
||||||
|
try { return Buffer.from(raw, 'utf8') } catch { }
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
private readVarint(buffer: Buffer, offset: number, limit: number = buffer.length): { value: number; next: number } | null {
|
||||||
|
let value = 0
|
||||||
|
let shift = 0
|
||||||
|
let pos = offset
|
||||||
|
while (pos < limit && shift <= 53) {
|
||||||
|
const byte = buffer[pos]
|
||||||
|
value += (byte & 0x7f) * Math.pow(2, shift)
|
||||||
|
pos += 1
|
||||||
|
if ((byte & 0x80) === 0) return { value, next: pos }
|
||||||
|
shift += 7
|
||||||
|
}
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
private isLikelyMemberId(value: string): boolean {
|
||||||
|
const id = String(value || '').trim()
|
||||||
|
if (!id) return false
|
||||||
|
if (id.includes('@chatroom')) return false
|
||||||
|
if (id.length < 4 || id.length > 80) return false
|
||||||
|
return /^[A-Za-z][A-Za-z0-9_.@-]*$/.test(id)
|
||||||
|
}
|
||||||
|
|
||||||
|
private isLikelyNickname(value: string): boolean {
|
||||||
|
const cleaned = this.normalizeGroupNickname(value)
|
||||||
|
if (!cleaned) return false
|
||||||
|
if (/^wxid_[a-z0-9_]+$/i.test(cleaned)) return false
|
||||||
|
if (cleaned.includes('@chatroom')) return false
|
||||||
|
if (!/[\u4E00-\u9FFF\u3400-\u4DBF\w]/.test(cleaned)) return false
|
||||||
|
if (cleaned.length === 1) {
|
||||||
|
const code = cleaned.charCodeAt(0)
|
||||||
|
const isCjk = code >= 0x3400 && code <= 0x9fff
|
||||||
|
if (!isCjk) return false
|
||||||
|
}
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
|
||||||
|
private parseGroupNicknamesFromExtBuffer(buffer: Buffer, candidates: string[] = []): Map<string, string> {
|
||||||
|
const nicknameMap = new Map<string, string>()
|
||||||
|
if (!buffer || buffer.length === 0) return nicknameMap
|
||||||
|
|
||||||
|
try {
|
||||||
|
const candidateSet = new Set(this.buildIdCandidates(candidates).map((id) => id.toLowerCase()))
|
||||||
|
|
||||||
|
for (let i = 0; i < buffer.length - 2; i += 1) {
|
||||||
|
if (buffer[i] !== 0x0a) continue
|
||||||
|
|
||||||
|
const idLenInfo = this.readVarint(buffer, i + 1)
|
||||||
|
if (!idLenInfo) continue
|
||||||
|
const idLen = idLenInfo.value
|
||||||
|
if (!Number.isFinite(idLen) || idLen <= 0 || idLen > 96) continue
|
||||||
|
|
||||||
|
const idStart = idLenInfo.next
|
||||||
|
const idEnd = idStart + idLen
|
||||||
|
if (idEnd > buffer.length) continue
|
||||||
|
|
||||||
|
const memberId = buffer.toString('utf8', idStart, idEnd).trim()
|
||||||
|
if (!this.isLikelyMemberId(memberId)) continue
|
||||||
|
|
||||||
|
const memberIdLower = memberId.toLowerCase()
|
||||||
|
if (candidateSet.size > 0 && !candidateSet.has(memberIdLower)) {
|
||||||
|
i = idEnd - 1
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
const cursor = idEnd
|
||||||
|
if (cursor >= buffer.length || buffer[cursor] !== 0x12) {
|
||||||
|
i = idEnd - 1
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
const nickLenInfo = this.readVarint(buffer, cursor + 1)
|
||||||
|
if (!nickLenInfo) {
|
||||||
|
i = idEnd - 1
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
const nickLen = nickLenInfo.value
|
||||||
|
if (!Number.isFinite(nickLen) || nickLen <= 0 || nickLen > 128) {
|
||||||
|
i = idEnd - 1
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
const nickStart = nickLenInfo.next
|
||||||
|
const nickEnd = nickStart + nickLen
|
||||||
|
if (nickEnd > buffer.length) {
|
||||||
|
i = idEnd - 1
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
const rawNick = buffer.toString('utf8', nickStart, nickEnd)
|
||||||
|
const nickname = this.normalizeGroupNickname(rawNick.replace(/[\x00-\x1F\x7F]/g, '').trim())
|
||||||
|
if (!this.isLikelyNickname(nickname)) {
|
||||||
|
i = nickEnd - 1
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!nicknameMap.has(memberId)) nicknameMap.set(memberId, nickname)
|
||||||
|
if (!nicknameMap.has(memberIdLower)) nicknameMap.set(memberIdLower, nickname)
|
||||||
|
i = nickEnd - 1
|
||||||
|
}
|
||||||
|
} catch (e) {
|
||||||
|
console.error('Failed to parse chat_room.ext_buffer:', e)
|
||||||
|
}
|
||||||
|
|
||||||
|
return nicknameMap
|
||||||
|
}
|
||||||
|
|
||||||
private escapeCsvValue(value: string): string {
|
private escapeCsvValue(value: string): string {
|
||||||
if (value == null) return ''
|
if (value == null) return ''
|
||||||
const str = String(value)
|
const str = String(value)
|
||||||
@@ -127,14 +274,54 @@ class GroupAnalyticsService {
|
|||||||
return str
|
return str
|
||||||
}
|
}
|
||||||
|
|
||||||
private normalizeGroupNickname(value: string, wxid: string, fallback: string): string {
|
private normalizeGroupNickname(value: string): string {
|
||||||
const trimmed = (value || '').trim()
|
const trimmed = (value || '').trim()
|
||||||
if (!trimmed) return fallback
|
if (!trimmed) return ''
|
||||||
if (/^["'@]+$/.test(trimmed)) return fallback
|
if (/^["'@]+$/.test(trimmed)) return ''
|
||||||
if (trimmed.toLowerCase() === (wxid || '').toLowerCase()) return fallback
|
|
||||||
return trimmed
|
return trimmed
|
||||||
}
|
}
|
||||||
|
|
||||||
|
private buildIdCandidates(values: Array<string | undefined | null>): string[] {
|
||||||
|
const set = new Set<string>()
|
||||||
|
for (const rawValue of values) {
|
||||||
|
const raw = String(rawValue || '').trim()
|
||||||
|
if (!raw) continue
|
||||||
|
set.add(raw)
|
||||||
|
const cleaned = this.cleanAccountDirName(raw)
|
||||||
|
if (cleaned && cleaned !== raw) {
|
||||||
|
set.add(cleaned)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return Array.from(set)
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveGroupNicknameByCandidates(groupNicknames: Map<string, string>, candidates: string[]): string {
|
||||||
|
const idCandidates = this.buildIdCandidates(candidates)
|
||||||
|
if (idCandidates.length === 0) return ''
|
||||||
|
|
||||||
|
for (const id of idCandidates) {
|
||||||
|
const exact = this.normalizeGroupNickname(groupNicknames.get(id) || '')
|
||||||
|
if (exact) return exact
|
||||||
|
}
|
||||||
|
|
||||||
|
for (const id of idCandidates) {
|
||||||
|
const lower = id.toLowerCase()
|
||||||
|
let found = ''
|
||||||
|
let matched = 0
|
||||||
|
for (const [key, value] of groupNicknames.entries()) {
|
||||||
|
if (String(key || '').toLowerCase() !== lower) continue
|
||||||
|
const normalized = this.normalizeGroupNickname(value || '')
|
||||||
|
if (!normalized) continue
|
||||||
|
found = normalized
|
||||||
|
matched += 1
|
||||||
|
if (matched > 1) return ''
|
||||||
|
}
|
||||||
|
if (matched === 1 && found) return found
|
||||||
|
}
|
||||||
|
|
||||||
|
return ''
|
||||||
|
}
|
||||||
|
|
||||||
private sanitizeWorksheetName(name: string): string {
|
private sanitizeWorksheetName(name: string): string {
|
||||||
const cleaned = (name || '').replace(/[*?:\\/\\[\\]]/g, '_').trim()
|
const cleaned = (name || '').replace(/[*?:\\/\\[\\]]/g, '_').trim()
|
||||||
const limited = cleaned.slice(0, 31)
|
const limited = cleaned.slice(0, 31)
|
||||||
@@ -219,15 +406,24 @@ class GroupAnalyticsService {
|
|||||||
return { success: false, error: result.error || '获取群成员失败' }
|
return { success: false, error: result.error || '获取群成员失败' }
|
||||||
}
|
}
|
||||||
|
|
||||||
const members = result.members as { username: string; avatarUrl?: string }[]
|
const members = result.members as Array<{
|
||||||
|
username: string
|
||||||
|
avatarUrl?: string
|
||||||
|
originalName?: string
|
||||||
|
}>
|
||||||
const usernames = members.map((m) => m.username).filter(Boolean)
|
const usernames = members.map((m) => m.username).filter(Boolean)
|
||||||
|
|
||||||
const [displayNames, groupNicknames] = await Promise.all([
|
const displayNamesPromise = wcdbService.getDisplayNames(usernames)
|
||||||
wcdbService.getDisplayNames(usernames),
|
|
||||||
this.getGroupNicknamesForRoom(chatroomId)
|
|
||||||
])
|
|
||||||
|
|
||||||
const contactMap = new Map<string, { remark?: string; nickName?: string; alias?: string }>()
|
const contactMap = new Map<string, {
|
||||||
|
remark?: string
|
||||||
|
nickName?: string
|
||||||
|
alias?: string
|
||||||
|
username?: string
|
||||||
|
userName?: string
|
||||||
|
encryptUsername?: string
|
||||||
|
encryptUserName?: string
|
||||||
|
}>()
|
||||||
const concurrency = 6
|
const concurrency = 6
|
||||||
await this.parallelLimit(usernames, concurrency, async (username) => {
|
await this.parallelLimit(usernames, concurrency, async (username) => {
|
||||||
const contactResult = await wcdbService.getContact(username)
|
const contactResult = await wcdbService.getContact(username)
|
||||||
@@ -236,13 +432,29 @@ class GroupAnalyticsService {
|
|||||||
contactMap.set(username, {
|
contactMap.set(username, {
|
||||||
remark: contact.remark || '',
|
remark: contact.remark || '',
|
||||||
nickName: contact.nickName || contact.nick_name || '',
|
nickName: contact.nickName || contact.nick_name || '',
|
||||||
alias: contact.alias || ''
|
alias: contact.alias || '',
|
||||||
|
username: contact.username || '',
|
||||||
|
userName: contact.userName || contact.user_name || '',
|
||||||
|
encryptUsername: contact.encryptUsername || contact.encrypt_username || '',
|
||||||
|
encryptUserName: contact.encryptUserName || ''
|
||||||
})
|
})
|
||||||
} else {
|
} else {
|
||||||
contactMap.set(username, { remark: '', nickName: '', alias: '' })
|
contactMap.set(username, { remark: '', nickName: '', alias: '' })
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
|
const displayNames = await displayNamesPromise
|
||||||
|
const nicknameCandidates = this.buildIdCandidates([
|
||||||
|
...members.map((m) => m.username),
|
||||||
|
...members.map((m) => m.originalName),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.username),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.userName),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.encryptUsername),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.encryptUserName),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.alias)
|
||||||
|
])
|
||||||
|
const groupNicknames = await this.getGroupNicknamesForRoom(chatroomId, nicknameCandidates)
|
||||||
|
|
||||||
const myWxid = this.cleanAccountDirName(this.configService.get('myWxid') || '')
|
const myWxid = this.cleanAccountDirName(this.configService.get('myWxid') || '')
|
||||||
const data: GroupMember[] = members.map((m) => {
|
const data: GroupMember[] = members.map((m) => {
|
||||||
const wxid = m.username || ''
|
const wxid = m.username || ''
|
||||||
@@ -251,13 +463,20 @@ class GroupAnalyticsService {
|
|||||||
const nickname = contact?.nickName || ''
|
const nickname = contact?.nickName || ''
|
||||||
const remark = contact?.remark || ''
|
const remark = contact?.remark || ''
|
||||||
const alias = contact?.alias || ''
|
const alias = contact?.alias || ''
|
||||||
const rawGroupNickname = groupNicknames.get(wxid.toLowerCase()) || ''
|
|
||||||
const normalizedWxid = this.cleanAccountDirName(wxid)
|
const normalizedWxid = this.cleanAccountDirName(wxid)
|
||||||
const groupNickname = this.normalizeGroupNickname(
|
const lookupCandidates = this.buildIdCandidates([
|
||||||
rawGroupNickname,
|
wxid,
|
||||||
normalizedWxid === myWxid ? myWxid : wxid,
|
m.originalName,
|
||||||
''
|
contact?.username,
|
||||||
)
|
contact?.userName,
|
||||||
|
contact?.encryptUsername,
|
||||||
|
contact?.encryptUserName,
|
||||||
|
alias
|
||||||
|
])
|
||||||
|
if (normalizedWxid === myWxid) {
|
||||||
|
lookupCandidates.push(myWxid)
|
||||||
|
}
|
||||||
|
const groupNickname = this.resolveGroupNicknameByCandidates(groupNicknames, lookupCandidates)
|
||||||
|
|
||||||
return {
|
return {
|
||||||
username: wxid,
|
username: wxid,
|
||||||
@@ -418,18 +637,27 @@ class GroupAnalyticsService {
|
|||||||
return { success: false, error: membersResult.error || '获取群成员失败' }
|
return { success: false, error: membersResult.error || '获取群成员失败' }
|
||||||
}
|
}
|
||||||
|
|
||||||
const members = membersResult.members as { username: string; avatarUrl?: string }[]
|
const members = membersResult.members as Array<{
|
||||||
|
username: string
|
||||||
|
avatarUrl?: string
|
||||||
|
originalName?: string
|
||||||
|
}>
|
||||||
if (members.length === 0) {
|
if (members.length === 0) {
|
||||||
return { success: false, error: '群成员为空' }
|
return { success: false, error: '群成员为空' }
|
||||||
}
|
}
|
||||||
|
|
||||||
const usernames = members.map((m) => m.username).filter(Boolean)
|
const usernames = members.map((m) => m.username).filter(Boolean)
|
||||||
const [displayNames, groupNicknames] = await Promise.all([
|
const displayNamesPromise = wcdbService.getDisplayNames(usernames)
|
||||||
wcdbService.getDisplayNames(usernames),
|
|
||||||
this.getGroupNicknamesForRoom(chatroomId)
|
|
||||||
])
|
|
||||||
|
|
||||||
const contactMap = new Map<string, { remark?: string; nickName?: string; alias?: string }>()
|
const contactMap = new Map<string, {
|
||||||
|
remark?: string
|
||||||
|
nickName?: string
|
||||||
|
alias?: string
|
||||||
|
username?: string
|
||||||
|
userName?: string
|
||||||
|
encryptUsername?: string
|
||||||
|
encryptUserName?: string
|
||||||
|
}>()
|
||||||
const concurrency = 6
|
const concurrency = 6
|
||||||
await this.parallelLimit(usernames, concurrency, async (username) => {
|
await this.parallelLimit(usernames, concurrency, async (username) => {
|
||||||
const result = await wcdbService.getContact(username)
|
const result = await wcdbService.getContact(username)
|
||||||
@@ -438,7 +666,11 @@ class GroupAnalyticsService {
|
|||||||
contactMap.set(username, {
|
contactMap.set(username, {
|
||||||
remark: contact.remark || '',
|
remark: contact.remark || '',
|
||||||
nickName: contact.nickName || contact.nick_name || '',
|
nickName: contact.nickName || contact.nick_name || '',
|
||||||
alias: contact.alias || ''
|
alias: contact.alias || '',
|
||||||
|
username: contact.username || '',
|
||||||
|
userName: contact.userName || contact.user_name || '',
|
||||||
|
encryptUsername: contact.encryptUsername || contact.encrypt_username || '',
|
||||||
|
encryptUserName: contact.encryptUserName || ''
|
||||||
})
|
})
|
||||||
} else {
|
} else {
|
||||||
contactMap.set(username, { remark: '', nickName: '', alias: '' })
|
contactMap.set(username, { remark: '', nickName: '', alias: '' })
|
||||||
@@ -453,6 +685,18 @@ class GroupAnalyticsService {
|
|||||||
const rows: string[][] = [infoTitleRow, infoRow, metaRow, header]
|
const rows: string[][] = [infoTitleRow, infoRow, metaRow, header]
|
||||||
const myWxid = this.cleanAccountDirName(this.configService.get('myWxid') || '')
|
const myWxid = this.cleanAccountDirName(this.configService.get('myWxid') || '')
|
||||||
|
|
||||||
|
const displayNames = await displayNamesPromise
|
||||||
|
const nicknameCandidates = this.buildIdCandidates([
|
||||||
|
...members.map((m) => m.username),
|
||||||
|
...members.map((m) => m.originalName),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.username),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.userName),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.encryptUsername),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.encryptUserName),
|
||||||
|
...Array.from(contactMap.values()).map((c) => c?.alias)
|
||||||
|
])
|
||||||
|
const groupNicknames = await this.getGroupNicknamesForRoom(chatroomId, nicknameCandidates)
|
||||||
|
|
||||||
for (const member of members) {
|
for (const member of members) {
|
||||||
const wxid = member.username
|
const wxid = member.username
|
||||||
const normalizedWxid = this.cleanAccountDirName(wxid || '')
|
const normalizedWxid = this.cleanAccountDirName(wxid || '')
|
||||||
@@ -460,13 +704,20 @@ class GroupAnalyticsService {
|
|||||||
const fallbackName = displayNames.success && displayNames.map ? (displayNames.map[wxid] || '') : ''
|
const fallbackName = displayNames.success && displayNames.map ? (displayNames.map[wxid] || '') : ''
|
||||||
const nickName = contact?.nickName || fallbackName || ''
|
const nickName = contact?.nickName || fallbackName || ''
|
||||||
const remark = contact?.remark || ''
|
const remark = contact?.remark || ''
|
||||||
const rawGroupNickname = groupNicknames.get(wxid.toLowerCase()) || ''
|
|
||||||
const alias = contact?.alias || ''
|
const alias = contact?.alias || ''
|
||||||
const groupNickname = this.normalizeGroupNickname(
|
const lookupCandidates = this.buildIdCandidates([
|
||||||
rawGroupNickname,
|
wxid,
|
||||||
normalizedWxid === myWxid ? myWxid : wxid,
|
member.originalName,
|
||||||
''
|
contact?.username,
|
||||||
)
|
contact?.userName,
|
||||||
|
contact?.encryptUsername,
|
||||||
|
contact?.encryptUserName,
|
||||||
|
alias
|
||||||
|
])
|
||||||
|
if (normalizedWxid === myWxid) {
|
||||||
|
lookupCandidates.push(myWxid)
|
||||||
|
}
|
||||||
|
const groupNickname = this.resolveGroupNicknameByCandidates(groupNicknames, lookupCandidates)
|
||||||
|
|
||||||
rows.push([nickName, remark, groupNickname, wxid, alias])
|
rows.push([nickName, remark, groupNickname, wxid, alias])
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -44,6 +44,7 @@ export class WcdbCore {
|
|||||||
private wcdbGetAvailableYears: any = null
|
private wcdbGetAvailableYears: any = null
|
||||||
private wcdbGetAnnualReportStats: any = null
|
private wcdbGetAnnualReportStats: any = null
|
||||||
private wcdbGetAnnualReportExtras: any = null
|
private wcdbGetAnnualReportExtras: any = null
|
||||||
|
private wcdbGetDualReportStats: any = null
|
||||||
private wcdbGetGroupStats: any = null
|
private wcdbGetGroupStats: any = null
|
||||||
private wcdbOpenMessageCursor: any = null
|
private wcdbOpenMessageCursor: any = null
|
||||||
private wcdbOpenMessageCursorLite: any = null
|
private wcdbOpenMessageCursorLite: any = null
|
||||||
@@ -456,6 +457,13 @@ export class WcdbCore {
|
|||||||
this.wcdbGetAnnualReportExtras = null
|
this.wcdbGetAnnualReportExtras = null
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// wcdb_status wcdb_get_dual_report_stats(wcdb_handle handle, const char* session_id, int32_t begin_timestamp, int32_t end_timestamp, char** out_json)
|
||||||
|
try {
|
||||||
|
this.wcdbGetDualReportStats = this.lib.func('int32 wcdb_get_dual_report_stats(int64 handle, const char* sessionId, int32 begin, int32 end, _Out_ void** outJson)')
|
||||||
|
} catch {
|
||||||
|
this.wcdbGetDualReportStats = null
|
||||||
|
}
|
||||||
|
|
||||||
// wcdb_status wcdb_get_logs(char** out_json)
|
// wcdb_status wcdb_get_logs(char** out_json)
|
||||||
try {
|
try {
|
||||||
this.wcdbGetLogs = this.lib.func('int32 wcdb_get_logs(_Out_ void** outJson)')
|
this.wcdbGetLogs = this.lib.func('int32 wcdb_get_logs(_Out_ void** outJson)')
|
||||||
@@ -1710,4 +1718,26 @@ export class WcdbCore {
|
|||||||
return { success: false, error: String(e) }
|
return { success: false, error: String(e) }
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
async getDualReportStats(sessionId: string, beginTimestamp: number = 0, endTimestamp: number = 0): Promise<{ success: boolean; data?: any; error?: string }> {
|
||||||
|
if (!this.ensureReady()) {
|
||||||
|
return { success: false, error: 'WCDB 未连接' }
|
||||||
|
}
|
||||||
|
if (!this.wcdbGetDualReportStats) {
|
||||||
|
return { success: false, error: '未支持双人报告统计' }
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
const { begin, end } = this.normalizeRange(beginTimestamp, endTimestamp)
|
||||||
|
const outPtr = [null as any]
|
||||||
|
const result = this.wcdbGetDualReportStats(this.handle, sessionId, begin, end, outPtr)
|
||||||
|
if (result !== 0 || !outPtr[0]) {
|
||||||
|
return { success: false, error: `获取双人报告统计失败: ${result}` }
|
||||||
|
}
|
||||||
|
const jsonStr = this.decodeJsonPtr(outPtr[0])
|
||||||
|
if (!jsonStr) return { success: false, error: '解析双人报告统计失败' }
|
||||||
|
const data = JSON.parse(jsonStr)
|
||||||
|
return { success: true, data }
|
||||||
|
} catch (e) {
|
||||||
|
return { success: false, error: String(e) }
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
@@ -315,6 +315,13 @@ export class WcdbService {
|
|||||||
return this.callWorker('getAnnualReportExtras', { sessionIds, beginTimestamp, endTimestamp, peakDayBegin, peakDayEnd })
|
return this.callWorker('getAnnualReportExtras', { sessionIds, beginTimestamp, endTimestamp, peakDayBegin, peakDayEnd })
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 获取双人报告统计数据
|
||||||
|
*/
|
||||||
|
async getDualReportStats(sessionId: string, beginTimestamp: number, endTimestamp: number): Promise<{ success: boolean; data?: any; error?: string }> {
|
||||||
|
return this.callWorker('getDualReportStats', { sessionId, beginTimestamp, endTimestamp })
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 获取群聊统计
|
* 获取群聊统计
|
||||||
*/
|
*/
|
||||||
|
|||||||
@@ -96,6 +96,9 @@ if (parentPort) {
|
|||||||
case 'getAnnualReportExtras':
|
case 'getAnnualReportExtras':
|
||||||
result = await core.getAnnualReportExtras(payload.sessionIds, payload.beginTimestamp, payload.endTimestamp, payload.peakDayBegin, payload.peakDayEnd)
|
result = await core.getAnnualReportExtras(payload.sessionIds, payload.beginTimestamp, payload.endTimestamp, payload.peakDayBegin, payload.peakDayEnd)
|
||||||
break
|
break
|
||||||
|
case 'getDualReportStats':
|
||||||
|
result = await core.getDualReportStats(payload.sessionId, payload.beginTimestamp, payload.endTimestamp)
|
||||||
|
break
|
||||||
case 'getGroupStats':
|
case 'getGroupStats':
|
||||||
result = await core.getGroupStats(payload.chatroomId, payload.beginTimestamp, payload.endTimestamp)
|
result = await core.getGroupStats(payload.chatroomId, payload.beginTimestamp, payload.endTimestamp)
|
||||||
break
|
break
|
||||||
|
|||||||
6
package-lock.json
generated
6
package-lock.json
generated
@@ -11428,12 +11428,6 @@
|
|||||||
"sherpa-onnx-win-x64": "^1.12.23"
|
"sherpa-onnx-win-x64": "^1.12.23"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/sherpa-onnx-node/node_modules/sherpa-onnx-darwin-x64": {
|
|
||||||
"optional": true
|
|
||||||
},
|
|
||||||
"node_modules/sherpa-onnx-node/node_modules/sherpa-onnx-linux-arm64": {
|
|
||||||
"optional": true
|
|
||||||
},
|
|
||||||
"node_modules/sherpa-onnx-win-ia32": {
|
"node_modules/sherpa-onnx-win-ia32": {
|
||||||
"version": "1.12.23",
|
"version": "1.12.23",
|
||||||
"resolved": "https://registry.npmmirror.com/sherpa-onnx-win-ia32/-/sherpa-onnx-win-ia32-1.12.23.tgz",
|
"resolved": "https://registry.npmmirror.com/sherpa-onnx-win-ia32/-/sherpa-onnx-win-ia32-1.12.23.tgz",
|
||||||
|
|||||||
Binary file not shown.
11
src/App.scss
11
src/App.scss
@@ -6,6 +6,17 @@
|
|||||||
animation: appFadeIn 0.35s ease-out;
|
animation: appFadeIn 0.35s ease-out;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.window-drag-region {
|
||||||
|
position: fixed;
|
||||||
|
top: 0;
|
||||||
|
left: 0;
|
||||||
|
right: 150px; // 预留系统最小化/最大化/关闭按钮区域
|
||||||
|
height: 40px;
|
||||||
|
-webkit-app-region: drag;
|
||||||
|
pointer-events: auto;
|
||||||
|
z-index: 2000;
|
||||||
|
}
|
||||||
|
|
||||||
.main-layout {
|
.main-layout {
|
||||||
flex: 1;
|
flex: 1;
|
||||||
display: flex;
|
display: flex;
|
||||||
|
|||||||
@@ -34,6 +34,7 @@ import UpdateDialog from './components/UpdateDialog'
|
|||||||
import UpdateProgressCapsule from './components/UpdateProgressCapsule'
|
import UpdateProgressCapsule from './components/UpdateProgressCapsule'
|
||||||
import LockScreen from './components/LockScreen'
|
import LockScreen from './components/LockScreen'
|
||||||
import { GlobalSessionMonitor } from './components/GlobalSessionMonitor'
|
import { GlobalSessionMonitor } from './components/GlobalSessionMonitor'
|
||||||
|
import { BatchTranscribeGlobal } from './components/BatchTranscribeGlobal'
|
||||||
|
|
||||||
function App() {
|
function App() {
|
||||||
const navigate = useNavigate()
|
const navigate = useNavigate()
|
||||||
@@ -345,6 +346,7 @@ function App() {
|
|||||||
// 主窗口 - 完整布局
|
// 主窗口 - 完整布局
|
||||||
return (
|
return (
|
||||||
<div className="app-container">
|
<div className="app-container">
|
||||||
|
<div className="window-drag-region" aria-hidden="true" />
|
||||||
{isLocked && (
|
{isLocked && (
|
||||||
<LockScreen
|
<LockScreen
|
||||||
onUnlock={() => setLocked(false)}
|
onUnlock={() => setLocked(false)}
|
||||||
@@ -360,6 +362,9 @@ function App() {
|
|||||||
{/* 全局会话监听与通知 */}
|
{/* 全局会话监听与通知 */}
|
||||||
<GlobalSessionMonitor />
|
<GlobalSessionMonitor />
|
||||||
|
|
||||||
|
{/* 全局批量转写进度浮窗 */}
|
||||||
|
<BatchTranscribeGlobal />
|
||||||
|
|
||||||
{/* 用户协议弹窗 */}
|
{/* 用户协议弹窗 */}
|
||||||
{showAgreement && !agreementLoading && (
|
{showAgreement && !agreementLoading && (
|
||||||
<div className="agreement-overlay">
|
<div className="agreement-overlay">
|
||||||
|
|||||||
147
src/components/BatchTranscribeGlobal.tsx
Normal file
147
src/components/BatchTranscribeGlobal.tsx
Normal file
@@ -0,0 +1,147 @@
|
|||||||
|
import React, { useEffect, useState } from 'react'
|
||||||
|
import { createPortal } from 'react-dom'
|
||||||
|
import { Loader2, X, CheckCircle, XCircle, AlertCircle, Clock } from 'lucide-react'
|
||||||
|
import { useBatchTranscribeStore } from '../stores/batchTranscribeStore'
|
||||||
|
import '../styles/batchTranscribe.scss'
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 全局批量转写进度浮窗 + 结果弹窗
|
||||||
|
* 挂载在 App 层,切换页面时不会消失
|
||||||
|
*/
|
||||||
|
export const BatchTranscribeGlobal: React.FC = () => {
|
||||||
|
const {
|
||||||
|
isBatchTranscribing,
|
||||||
|
progress,
|
||||||
|
showToast,
|
||||||
|
showResult,
|
||||||
|
result,
|
||||||
|
sessionName,
|
||||||
|
startTime,
|
||||||
|
setShowToast,
|
||||||
|
setShowResult
|
||||||
|
} = useBatchTranscribeStore()
|
||||||
|
|
||||||
|
const [eta, setEta] = useState<string>('')
|
||||||
|
|
||||||
|
// 计算剩余时间
|
||||||
|
useEffect(() => {
|
||||||
|
if (!isBatchTranscribing || !startTime || progress.current === 0) {
|
||||||
|
setEta('')
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const timer = setInterval(() => {
|
||||||
|
const now = Date.now()
|
||||||
|
const elapsed = now - startTime
|
||||||
|
const rate = progress.current / elapsed // ms per item
|
||||||
|
const remainingItems = progress.total - progress.current
|
||||||
|
|
||||||
|
if (remainingItems <= 0) {
|
||||||
|
setEta('')
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const remainingTimeMs = remainingItems / rate
|
||||||
|
const remainingSeconds = Math.ceil(remainingTimeMs / 1000)
|
||||||
|
|
||||||
|
if (remainingSeconds < 60) {
|
||||||
|
setEta(`${remainingSeconds}秒`)
|
||||||
|
} else {
|
||||||
|
const minutes = Math.floor(remainingSeconds / 60)
|
||||||
|
const seconds = remainingSeconds % 60
|
||||||
|
setEta(`${minutes}分${seconds}秒`)
|
||||||
|
}
|
||||||
|
}, 1000)
|
||||||
|
|
||||||
|
return () => clearInterval(timer)
|
||||||
|
}, [isBatchTranscribing, startTime, progress.current, progress.total])
|
||||||
|
|
||||||
|
return (
|
||||||
|
<>
|
||||||
|
{/* 批量转写进度浮窗(非阻塞) */}
|
||||||
|
{showToast && isBatchTranscribing && createPortal(
|
||||||
|
<div className="batch-progress-toast">
|
||||||
|
<div className="batch-progress-toast-header">
|
||||||
|
<div className="batch-progress-toast-title">
|
||||||
|
<Loader2 size={14} className="spin" />
|
||||||
|
<span>批量转写中{sessionName ? `(${sessionName})` : ''}</span>
|
||||||
|
</div>
|
||||||
|
<button className="batch-progress-toast-close" onClick={() => setShowToast(false)} title="最小化">
|
||||||
|
<X size={14} />
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
<div className="batch-progress-toast-body">
|
||||||
|
<div className="progress-info-row">
|
||||||
|
<div className="progress-text">
|
||||||
|
<span>{progress.current} / {progress.total}</span>
|
||||||
|
<span className="progress-percent">
|
||||||
|
{progress.total > 0
|
||||||
|
? Math.round((progress.current / progress.total) * 100)
|
||||||
|
: 0}%
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
{eta && (
|
||||||
|
<div className="progress-eta">
|
||||||
|
<Clock size={12} />
|
||||||
|
<span>剩余 {eta}</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="progress-bar">
|
||||||
|
<div
|
||||||
|
className="progress-fill"
|
||||||
|
style={{
|
||||||
|
width: `${progress.total > 0
|
||||||
|
? (progress.current / progress.total) * 100
|
||||||
|
: 0}%`
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>,
|
||||||
|
document.body
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* 批量转写结果对话框 */}
|
||||||
|
{showResult && createPortal(
|
||||||
|
<div className="batch-modal-overlay" onClick={() => setShowResult(false)}>
|
||||||
|
<div className="batch-modal-content batch-result-modal" onClick={(e) => e.stopPropagation()}>
|
||||||
|
<div className="batch-modal-header">
|
||||||
|
<CheckCircle size={20} />
|
||||||
|
<h3>转写完成</h3>
|
||||||
|
</div>
|
||||||
|
<div className="batch-modal-body">
|
||||||
|
<div className="result-summary">
|
||||||
|
<div className="result-item success">
|
||||||
|
<CheckCircle size={18} />
|
||||||
|
<span className="label">成功:</span>
|
||||||
|
<span className="value">{result.success} 条</span>
|
||||||
|
</div>
|
||||||
|
{result.fail > 0 && (
|
||||||
|
<div className="result-item fail">
|
||||||
|
<XCircle size={18} />
|
||||||
|
<span className="label">失败:</span>
|
||||||
|
<span className="value">{result.fail} 条</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
{result.fail > 0 && (
|
||||||
|
<div className="result-tip">
|
||||||
|
<AlertCircle size={16} />
|
||||||
|
<span>部分语音转写失败,可能是语音文件损坏或网络问题</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
<div className="batch-modal-footer">
|
||||||
|
<button className="btn-primary" onClick={() => setShowResult(false)}>
|
||||||
|
确定
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>,
|
||||||
|
document.body
|
||||||
|
)}
|
||||||
|
</>
|
||||||
|
)
|
||||||
|
}
|
||||||
142
src/components/ReportComponents.scss
Normal file
142
src/components/ReportComponents.scss
Normal file
@@ -0,0 +1,142 @@
|
|||||||
|
// Shared styles for Report components (Heatmap, WordCloud)
|
||||||
|
|
||||||
|
// --- Heatmap ---
|
||||||
|
.heatmap-wrapper {
|
||||||
|
margin-top: 24px;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.heatmap-header {
|
||||||
|
display: grid;
|
||||||
|
grid-template-columns: 28px 1fr;
|
||||||
|
gap: 3px;
|
||||||
|
margin-bottom: 6px;
|
||||||
|
color: var(--ar-text-sub); // Assumes --ar-text-sub is defined in parent context or globally
|
||||||
|
font-size: 10px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.time-labels {
|
||||||
|
display: grid;
|
||||||
|
grid-template-columns: repeat(24, 1fr);
|
||||||
|
gap: 3px;
|
||||||
|
|
||||||
|
span {
|
||||||
|
text-align: center;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.heatmap {
|
||||||
|
display: grid;
|
||||||
|
grid-template-columns: 28px 1fr;
|
||||||
|
gap: 3px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.heatmap-week-col {
|
||||||
|
display: grid;
|
||||||
|
grid-template-rows: repeat(7, 1fr);
|
||||||
|
gap: 3px;
|
||||||
|
font-size: 10px;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
}
|
||||||
|
|
||||||
|
.week-label {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.heatmap-grid {
|
||||||
|
display: grid;
|
||||||
|
grid-template-columns: repeat(24, 1fr);
|
||||||
|
gap: 3px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.h-cell {
|
||||||
|
aspect-ratio: 1;
|
||||||
|
border-radius: 2px;
|
||||||
|
min-height: 10px;
|
||||||
|
transition: transform 0.15s;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
transform: scale(1.3);
|
||||||
|
z-index: 1;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
// --- Word Cloud ---
|
||||||
|
.word-cloud-wrapper {
|
||||||
|
margin: 24px auto 0;
|
||||||
|
padding: 0;
|
||||||
|
max-width: 520px;
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
--cloud-scale: clamp(0.72, 80vw / 520, 1);
|
||||||
|
}
|
||||||
|
|
||||||
|
.word-cloud-inner {
|
||||||
|
position: relative;
|
||||||
|
width: 520px;
|
||||||
|
height: 520px;
|
||||||
|
margin: 0;
|
||||||
|
border-radius: 50%;
|
||||||
|
transform: scale(var(--cloud-scale));
|
||||||
|
transform-origin: center;
|
||||||
|
|
||||||
|
&::before {
|
||||||
|
content: "";
|
||||||
|
position: absolute;
|
||||||
|
inset: -6%;
|
||||||
|
background:
|
||||||
|
radial-gradient(circle at 35% 45%, color-mix(in srgb, var(--primary, #07C160) 12%, transparent), transparent 55%),
|
||||||
|
radial-gradient(circle at 65% 50%, color-mix(in srgb, var(--accent, #F2AA00) 10%, transparent), transparent 58%),
|
||||||
|
radial-gradient(circle at 50% 65%, var(--bg-tertiary, rgba(0, 0, 0, 0.04)), transparent 60%);
|
||||||
|
filter: blur(18px);
|
||||||
|
border-radius: 50%;
|
||||||
|
pointer-events: none;
|
||||||
|
z-index: 0;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.word-tag {
|
||||||
|
display: inline-block;
|
||||||
|
padding: 0;
|
||||||
|
background: transparent;
|
||||||
|
border-radius: 0;
|
||||||
|
border: none;
|
||||||
|
line-height: 1.2;
|
||||||
|
white-space: nowrap;
|
||||||
|
transition: transform 0.2s ease, color 0.2s ease;
|
||||||
|
cursor: default;
|
||||||
|
color: var(--ar-text-main);
|
||||||
|
font-weight: 600;
|
||||||
|
opacity: 0;
|
||||||
|
animation: wordPopIn 0.55s ease forwards;
|
||||||
|
position: absolute;
|
||||||
|
z-index: 1;
|
||||||
|
transform: translate(-50%, -50%) scale(0.8);
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
transform: translate(-50%, -50%) scale(1.08);
|
||||||
|
color: var(--ar-primary);
|
||||||
|
z-index: 2;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes wordPopIn {
|
||||||
|
0% {
|
||||||
|
opacity: 0;
|
||||||
|
transform: translate(-50%, -50%) scale(0.6);
|
||||||
|
}
|
||||||
|
|
||||||
|
100% {
|
||||||
|
opacity: var(--final-opacity, 1);
|
||||||
|
transform: translate(-50%, -50%) scale(1);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.word-cloud-note {
|
||||||
|
margin-top: 24px;
|
||||||
|
font-size: 14px !important;
|
||||||
|
color: var(--ar-text-sub) !important;
|
||||||
|
text-align: center;
|
||||||
|
}
|
||||||
51
src/components/ReportHeatmap.tsx
Normal file
51
src/components/ReportHeatmap.tsx
Normal file
@@ -0,0 +1,51 @@
|
|||||||
|
import React from 'react'
|
||||||
|
import './ReportComponents.scss'
|
||||||
|
|
||||||
|
interface ReportHeatmapProps {
|
||||||
|
data: number[][]
|
||||||
|
}
|
||||||
|
|
||||||
|
const ReportHeatmap: React.FC<ReportHeatmapProps> = ({ data }) => {
|
||||||
|
if (!data || data.length === 0) return null
|
||||||
|
|
||||||
|
const maxHeat = Math.max(...data.flat())
|
||||||
|
const weekLabels = ['周一', '周二', '周三', '周四', '周五', '周六', '周日']
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="heatmap-wrapper">
|
||||||
|
<div className="heatmap-header">
|
||||||
|
<div></div>
|
||||||
|
<div className="time-labels">
|
||||||
|
{[0, 6, 12, 18].map(h => (
|
||||||
|
<span key={h} style={{ gridColumn: h + 1 }}>{h}</span>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className="heatmap">
|
||||||
|
<div className="heatmap-week-col">
|
||||||
|
{weekLabels.map(w => <div key={w} className="week-label">{w}</div>)}
|
||||||
|
</div>
|
||||||
|
<div className="heatmap-grid">
|
||||||
|
{data.map((row, wi) =>
|
||||||
|
row.map((val, hi) => {
|
||||||
|
const alpha = maxHeat > 0 ? (val / maxHeat * 0.85 + 0.1).toFixed(2) : '0.1'
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
key={`${wi}-${hi}`}
|
||||||
|
className="h-cell"
|
||||||
|
style={{
|
||||||
|
backgroundColor: 'var(--primary)',
|
||||||
|
opacity: alpha
|
||||||
|
}}
|
||||||
|
title={`${weekLabels[wi]} ${hi}:00 - ${val}条`}
|
||||||
|
/>
|
||||||
|
)
|
||||||
|
})
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export default ReportHeatmap
|
||||||
113
src/components/ReportWordCloud.tsx
Normal file
113
src/components/ReportWordCloud.tsx
Normal file
@@ -0,0 +1,113 @@
|
|||||||
|
import React from 'react'
|
||||||
|
import './ReportComponents.scss'
|
||||||
|
|
||||||
|
interface ReportWordCloudProps {
|
||||||
|
words: { phrase: string; count: number }[]
|
||||||
|
}
|
||||||
|
|
||||||
|
const ReportWordCloud: React.FC<ReportWordCloudProps> = ({ words }) => {
|
||||||
|
if (!words || words.length === 0) return null
|
||||||
|
|
||||||
|
const maxCount = words.length > 0 ? words[0].count : 1
|
||||||
|
const topWords = words.slice(0, 32)
|
||||||
|
const baseSize = 520
|
||||||
|
|
||||||
|
// 使用确定性随机数生成器
|
||||||
|
const seededRandom = (seed: number) => {
|
||||||
|
const x = Math.sin(seed) * 10000
|
||||||
|
return x - Math.floor(x)
|
||||||
|
}
|
||||||
|
|
||||||
|
// 计算词云位置
|
||||||
|
const placedItems: { x: number; y: number; w: number; h: number }[] = []
|
||||||
|
|
||||||
|
const canPlace = (x: number, y: number, w: number, h: number): boolean => {
|
||||||
|
const halfW = w / 2
|
||||||
|
const halfH = h / 2
|
||||||
|
const dx = x - 50
|
||||||
|
const dy = y - 50
|
||||||
|
const dist = Math.sqrt(dx * dx + dy * dy)
|
||||||
|
const maxR = 49 - Math.max(halfW, halfH)
|
||||||
|
if (dist > maxR) return false
|
||||||
|
|
||||||
|
const pad = 1.8
|
||||||
|
for (const p of placedItems) {
|
||||||
|
if ((x - halfW - pad) < (p.x + p.w / 2) &&
|
||||||
|
(x + halfW + pad) > (p.x - p.w / 2) &&
|
||||||
|
(y - halfH - pad) < (p.y + p.h / 2) &&
|
||||||
|
(y + halfH + pad) > (p.y - p.h / 2)) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
|
||||||
|
const wordItems = topWords.map((item, i) => {
|
||||||
|
const ratio = item.count / maxCount
|
||||||
|
const fontSize = Math.round(12 + Math.pow(ratio, 0.65) * 20)
|
||||||
|
const opacity = Math.min(1, Math.max(0.35, 0.35 + ratio * 0.65))
|
||||||
|
const delay = (i * 0.04).toFixed(2)
|
||||||
|
|
||||||
|
// 计算词语宽度
|
||||||
|
const charCount = Math.max(1, item.phrase.length)
|
||||||
|
const hasCjk = /[\u4e00-\u9fff]/.test(item.phrase)
|
||||||
|
const hasLatin = /[A-Za-z0-9]/.test(item.phrase)
|
||||||
|
const widthFactor = hasCjk && hasLatin ? 0.85 : hasCjk ? 0.98 : 0.6
|
||||||
|
const widthPx = fontSize * (charCount * widthFactor)
|
||||||
|
const heightPx = fontSize * 1.1
|
||||||
|
const widthPct = (widthPx / baseSize) * 100
|
||||||
|
const heightPct = (heightPx / baseSize) * 100
|
||||||
|
|
||||||
|
// 寻找位置
|
||||||
|
let x = 50, y = 50
|
||||||
|
let placedOk = false
|
||||||
|
const tries = i === 0 ? 1 : 420
|
||||||
|
|
||||||
|
for (let t = 0; t < tries; t++) {
|
||||||
|
if (i === 0) {
|
||||||
|
x = 50
|
||||||
|
y = 50
|
||||||
|
} else {
|
||||||
|
const idx = i + t * 0.28
|
||||||
|
const radius = Math.sqrt(idx) * 7.6 + (seededRandom(i * 1000 + t) * 1.2 - 0.6)
|
||||||
|
const angle = idx * 2.399963 + seededRandom(i * 2000 + t) * 0.35
|
||||||
|
x = 50 + radius * Math.cos(angle)
|
||||||
|
y = 50 + radius * Math.sin(angle)
|
||||||
|
}
|
||||||
|
if (canPlace(x, y, widthPct, heightPct)) {
|
||||||
|
placedOk = true
|
||||||
|
break
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!placedOk) return null
|
||||||
|
placedItems.push({ x, y, w: widthPct, h: heightPct })
|
||||||
|
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
key={i}
|
||||||
|
className="word-tag"
|
||||||
|
style={{
|
||||||
|
'--final-opacity': opacity,
|
||||||
|
left: `${x.toFixed(2)}%`,
|
||||||
|
top: `${y.toFixed(2)}%`,
|
||||||
|
fontSize: `${fontSize}px`,
|
||||||
|
animationDelay: `${delay}s`,
|
||||||
|
} as React.CSSProperties}
|
||||||
|
title={`${item.phrase} (出现 ${item.count} 次)`}
|
||||||
|
>
|
||||||
|
{item.phrase}
|
||||||
|
</span>
|
||||||
|
)
|
||||||
|
}).filter(Boolean)
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="word-cloud-wrapper">
|
||||||
|
<div className="word-cloud-inner">
|
||||||
|
{wordItems}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export default ReportWordCloud
|
||||||
@@ -43,7 +43,7 @@
|
|||||||
|
|
||||||
// 背景装饰圆点 - 毛玻璃效果
|
// 背景装饰圆点 - 毛玻璃效果
|
||||||
.bg-decoration {
|
.bg-decoration {
|
||||||
position: absolute; // Changed from fixed
|
position: absolute;
|
||||||
inset: 0;
|
inset: 0;
|
||||||
pointer-events: none;
|
pointer-events: none;
|
||||||
z-index: 0;
|
z-index: 0;
|
||||||
@@ -53,10 +53,10 @@
|
|||||||
.deco-circle {
|
.deco-circle {
|
||||||
position: absolute;
|
position: absolute;
|
||||||
border-radius: 50%;
|
border-radius: 50%;
|
||||||
background: rgba(0, 0, 0, 0.03);
|
background: color-mix(in srgb, var(--primary) 3%, transparent);
|
||||||
backdrop-filter: blur(40px);
|
backdrop-filter: blur(40px);
|
||||||
-webkit-backdrop-filter: blur(40px);
|
-webkit-backdrop-filter: blur(40px);
|
||||||
border: 1px solid rgba(0, 0, 0, 0.05);
|
border: 1px solid var(--border-color);
|
||||||
|
|
||||||
&.c1 {
|
&.c1 {
|
||||||
width: 280px;
|
width: 280px;
|
||||||
@@ -243,6 +243,7 @@
|
|||||||
}
|
}
|
||||||
|
|
||||||
.exporting-snapshot {
|
.exporting-snapshot {
|
||||||
|
|
||||||
.hero-title,
|
.hero-title,
|
||||||
.label-text,
|
.label-text,
|
||||||
.hero-desc,
|
.hero-desc,
|
||||||
@@ -1279,134 +1280,135 @@
|
|||||||
color: var(--ar-text-sub) !important;
|
color: var(--ar-text-sub) !important;
|
||||||
text-align: center;
|
text-align: center;
|
||||||
}
|
}
|
||||||
|
|
||||||
// 曾经的好朋友 视觉效果
|
// 曾经的好朋友 视觉效果
|
||||||
.lost-friend-visual {
|
.lost-friend-visual {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
gap: 32px;
|
||||||
|
margin: 64px auto 48px;
|
||||||
|
position: relative;
|
||||||
|
max-width: 480px;
|
||||||
|
|
||||||
|
.avatar-group {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
gap: 12px;
|
||||||
|
z-index: 2;
|
||||||
|
|
||||||
|
.avatar-label {
|
||||||
|
font-size: 13px;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
font-weight: 500;
|
||||||
|
opacity: 0.6;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.sender {
|
||||||
|
animation: fadeInRight 1s ease-out backwards;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.receiver {
|
||||||
|
animation: fadeInLeft 1s ease-out backwards;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.fading-line {
|
||||||
|
position: relative;
|
||||||
|
flex: 1;
|
||||||
|
height: 2px;
|
||||||
|
min-width: 120px;
|
||||||
display: flex;
|
display: flex;
|
||||||
align-items: center;
|
align-items: center;
|
||||||
justify-content: center;
|
justify-content: center;
|
||||||
gap: 32px;
|
|
||||||
margin: 64px auto 48px;
|
|
||||||
position: relative;
|
|
||||||
max-width: 480px;
|
|
||||||
|
|
||||||
.avatar-group {
|
.line-path {
|
||||||
display: flex;
|
width: 100%;
|
||||||
flex-direction: column;
|
height: 100%;
|
||||||
align-items: center;
|
background: linear-gradient(to right,
|
||||||
gap: 12px;
|
var(--ar-primary) 0%,
|
||||||
z-index: 2;
|
rgba(var(--ar-primary-rgb), 0.4) 50%,
|
||||||
|
rgba(var(--ar-primary-rgb), 0.05) 100%);
|
||||||
.avatar-label {
|
border-radius: 2px;
|
||||||
font-size: 13px;
|
|
||||||
color: var(--ar-text-sub);
|
|
||||||
font-weight: 500;
|
|
||||||
opacity: 0.6;
|
|
||||||
}
|
|
||||||
|
|
||||||
&.sender {
|
|
||||||
animation: fadeInRight 1s ease-out backwards;
|
|
||||||
}
|
|
||||||
|
|
||||||
&.receiver {
|
|
||||||
animation: fadeInLeft 1s ease-out backwards;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.fading-line {
|
.line-glow {
|
||||||
position: relative;
|
position: absolute;
|
||||||
flex: 1;
|
inset: -4px 0;
|
||||||
height: 2px;
|
background: linear-gradient(to right,
|
||||||
min-width: 120px;
|
rgba(var(--ar-primary-rgb), 0.2) 0%,
|
||||||
display: flex;
|
transparent 100%);
|
||||||
align-items: center;
|
filter: blur(8px);
|
||||||
justify-content: center;
|
pointer-events: none;
|
||||||
|
|
||||||
.line-path {
|
|
||||||
width: 100%;
|
|
||||||
height: 100%;
|
|
||||||
background: linear-gradient(to right,
|
|
||||||
var(--ar-primary) 0%,
|
|
||||||
rgba(var(--ar-primary-rgb), 0.4) 50%,
|
|
||||||
rgba(var(--ar-primary-rgb), 0.05) 100%);
|
|
||||||
border-radius: 2px;
|
|
||||||
}
|
|
||||||
|
|
||||||
.line-glow {
|
|
||||||
position: absolute;
|
|
||||||
inset: -4px 0;
|
|
||||||
background: linear-gradient(to right,
|
|
||||||
rgba(var(--ar-primary-rgb), 0.2) 0%,
|
|
||||||
transparent 100%);
|
|
||||||
filter: blur(8px);
|
|
||||||
pointer-events: none;
|
|
||||||
}
|
|
||||||
|
|
||||||
.flow-particle {
|
|
||||||
position: absolute;
|
|
||||||
width: 40px;
|
|
||||||
height: 2px;
|
|
||||||
background: linear-gradient(to right, transparent, var(--ar-primary), transparent);
|
|
||||||
border-radius: 2px;
|
|
||||||
opacity: 0;
|
|
||||||
animation: flowAcross 4s infinite linear;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.flow-particle {
|
||||||
|
position: absolute;
|
||||||
|
width: 40px;
|
||||||
|
height: 2px;
|
||||||
|
background: linear-gradient(to right, transparent, var(--ar-primary), transparent);
|
||||||
|
border-radius: 2px;
|
||||||
|
opacity: 0;
|
||||||
|
animation: flowAcross 4s infinite linear;
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
.hero-desc.fading {
|
.hero-desc.fading {
|
||||||
opacity: 0.7;
|
opacity: 0.7;
|
||||||
font-style: italic;
|
font-style: italic;
|
||||||
font-size: 16px;
|
font-size: 16px;
|
||||||
margin-top: 32px;
|
margin-top: 32px;
|
||||||
line-height: 1.8;
|
line-height: 1.8;
|
||||||
letter-spacing: 0.05em;
|
letter-spacing: 0.05em;
|
||||||
animation: fadeIn 1.5s ease-out 0.5s backwards;
|
animation: fadeIn 1.5s ease-out 0.5s backwards;
|
||||||
}
|
}
|
||||||
|
|
||||||
@keyframes flowAcross {
|
@keyframes flowAcross {
|
||||||
0% {
|
0% {
|
||||||
left: -20%;
|
left: -20%;
|
||||||
opacity: 0;
|
opacity: 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
10% {
|
10% {
|
||||||
opacity: 0.8;
|
opacity: 0.8;
|
||||||
}
|
}
|
||||||
|
|
||||||
50% {
|
50% {
|
||||||
opacity: 0.4;
|
opacity: 0.4;
|
||||||
}
|
}
|
||||||
|
|
||||||
90% {
|
90% {
|
||||||
opacity: 0.1;
|
opacity: 0.1;
|
||||||
}
|
}
|
||||||
|
|
||||||
100% {
|
100% {
|
||||||
left: 120%;
|
left: 120%;
|
||||||
opacity: 0;
|
opacity: 0;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@keyframes fadeInRight {
|
@keyframes fadeInRight {
|
||||||
from {
|
from {
|
||||||
opacity: 0;
|
opacity: 0;
|
||||||
transform: translateX(-20px);
|
transform: translateX(-20px);
|
||||||
}
|
}
|
||||||
|
|
||||||
to {
|
to {
|
||||||
opacity: 1;
|
opacity: 1;
|
||||||
transform: translateX(0);
|
transform: translateX(0);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@keyframes fadeInLeft {
|
@keyframes fadeInLeft {
|
||||||
from {
|
from {
|
||||||
opacity: 0;
|
opacity: 0;
|
||||||
transform: translateX(20px);
|
transform: translateX(20px);
|
||||||
}
|
}
|
||||||
|
|
||||||
to {
|
to {
|
||||||
opacity: 1;
|
opacity: 1;
|
||||||
transform: translateX(0);
|
transform: translateX(0);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -109,148 +109,8 @@ const Avatar = ({ url, name, size = 'md' }: { url?: string; name: string; size?:
|
|||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|
||||||
// 热力图组件
|
import Heatmap from '../components/ReportHeatmap'
|
||||||
const Heatmap = ({ data }: { data: number[][] }) => {
|
import WordCloud from '../components/ReportWordCloud'
|
||||||
const maxHeat = Math.max(...data.flat())
|
|
||||||
const weekLabels = ['周一', '周二', '周三', '周四', '周五', '周六', '周日']
|
|
||||||
|
|
||||||
return (
|
|
||||||
<div className="heatmap-wrapper">
|
|
||||||
<div className="heatmap-header">
|
|
||||||
<div></div>
|
|
||||||
<div className="time-labels">
|
|
||||||
{[0, 6, 12, 18].map(h => (
|
|
||||||
<span key={h} style={{ gridColumn: h + 1 }}>{h}</span>
|
|
||||||
))}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<div className="heatmap">
|
|
||||||
<div className="heatmap-week-col">
|
|
||||||
{weekLabels.map(w => <div key={w} className="week-label">{w}</div>)}
|
|
||||||
</div>
|
|
||||||
<div className="heatmap-grid">
|
|
||||||
{data.map((row, wi) =>
|
|
||||||
row.map((val, hi) => {
|
|
||||||
const alpha = maxHeat > 0 ? (val / maxHeat * 0.85 + 0.1).toFixed(2) : '0.1'
|
|
||||||
return (
|
|
||||||
<div
|
|
||||||
key={`${wi}-${hi}`}
|
|
||||||
className="h-cell"
|
|
||||||
style={{ background: `rgba(7, 193, 96, ${alpha})` }}
|
|
||||||
title={`${weekLabels[wi]} ${hi}:00 - ${val}条`}
|
|
||||||
/>
|
|
||||||
)
|
|
||||||
})
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
)
|
|
||||||
}
|
|
||||||
|
|
||||||
// 词云组件
|
|
||||||
const WordCloud = ({ words }: { words: { phrase: string; count: number }[] }) => {
|
|
||||||
const maxCount = words.length > 0 ? words[0].count : 1
|
|
||||||
const topWords = words.slice(0, 32)
|
|
||||||
const baseSize = 520
|
|
||||||
|
|
||||||
// 使用确定性随机数生成器
|
|
||||||
const seededRandom = (seed: number) => {
|
|
||||||
const x = Math.sin(seed) * 10000
|
|
||||||
return x - Math.floor(x)
|
|
||||||
}
|
|
||||||
|
|
||||||
// 计算词云位置
|
|
||||||
const placedItems: { x: number; y: number; w: number; h: number }[] = []
|
|
||||||
|
|
||||||
const canPlace = (x: number, y: number, w: number, h: number): boolean => {
|
|
||||||
const halfW = w / 2
|
|
||||||
const halfH = h / 2
|
|
||||||
const dx = x - 50
|
|
||||||
const dy = y - 50
|
|
||||||
const dist = Math.sqrt(dx * dx + dy * dy)
|
|
||||||
const maxR = 49 - Math.max(halfW, halfH)
|
|
||||||
if (dist > maxR) return false
|
|
||||||
|
|
||||||
const pad = 1.8
|
|
||||||
for (const p of placedItems) {
|
|
||||||
if ((x - halfW - pad) < (p.x + p.w / 2) &&
|
|
||||||
(x + halfW + pad) > (p.x - p.w / 2) &&
|
|
||||||
(y - halfH - pad) < (p.y + p.h / 2) &&
|
|
||||||
(y + halfH + pad) > (p.y - p.h / 2)) {
|
|
||||||
return false
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return true
|
|
||||||
}
|
|
||||||
|
|
||||||
const wordItems = topWords.map((item, i) => {
|
|
||||||
const ratio = item.count / maxCount
|
|
||||||
const fontSize = Math.round(12 + Math.pow(ratio, 0.65) * 20)
|
|
||||||
const opacity = Math.min(1, Math.max(0.35, 0.35 + ratio * 0.65))
|
|
||||||
const delay = (i * 0.04).toFixed(2)
|
|
||||||
|
|
||||||
// 计算词语宽度
|
|
||||||
const charCount = Math.max(1, item.phrase.length)
|
|
||||||
const hasCjk = /[\u4e00-\u9fff]/.test(item.phrase)
|
|
||||||
const hasLatin = /[A-Za-z0-9]/.test(item.phrase)
|
|
||||||
const widthFactor = hasCjk && hasLatin ? 0.85 : hasCjk ? 0.98 : 0.6
|
|
||||||
const widthPx = fontSize * (charCount * widthFactor)
|
|
||||||
const heightPx = fontSize * 1.1
|
|
||||||
const widthPct = (widthPx / baseSize) * 100
|
|
||||||
const heightPct = (heightPx / baseSize) * 100
|
|
||||||
|
|
||||||
// 寻找位置
|
|
||||||
let x = 50, y = 50
|
|
||||||
let placedOk = false
|
|
||||||
const tries = i === 0 ? 1 : 420
|
|
||||||
|
|
||||||
for (let t = 0; t < tries; t++) {
|
|
||||||
if (i === 0) {
|
|
||||||
x = 50
|
|
||||||
y = 50
|
|
||||||
} else {
|
|
||||||
const idx = i + t * 0.28
|
|
||||||
const radius = Math.sqrt(idx) * 7.6 + (seededRandom(i * 1000 + t) * 1.2 - 0.6)
|
|
||||||
const angle = idx * 2.399963 + seededRandom(i * 2000 + t) * 0.35
|
|
||||||
x = 50 + radius * Math.cos(angle)
|
|
||||||
y = 50 + radius * Math.sin(angle)
|
|
||||||
}
|
|
||||||
if (canPlace(x, y, widthPct, heightPct)) {
|
|
||||||
placedOk = true
|
|
||||||
break
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!placedOk) return null
|
|
||||||
placedItems.push({ x, y, w: widthPct, h: heightPct })
|
|
||||||
|
|
||||||
return (
|
|
||||||
<span
|
|
||||||
key={i}
|
|
||||||
className="word-tag"
|
|
||||||
style={{
|
|
||||||
'--final-opacity': opacity,
|
|
||||||
left: `${x.toFixed(2)}%`,
|
|
||||||
top: `${y.toFixed(2)}%`,
|
|
||||||
fontSize: `${fontSize}px`,
|
|
||||||
animationDelay: `${delay}s`,
|
|
||||||
} as React.CSSProperties}
|
|
||||||
title={`${item.phrase} (出现 ${item.count} 次)`}
|
|
||||||
>
|
|
||||||
{item.phrase}
|
|
||||||
</span>
|
|
||||||
)
|
|
||||||
}).filter(Boolean)
|
|
||||||
|
|
||||||
return (
|
|
||||||
<div className="word-cloud-wrapper">
|
|
||||||
<div className="word-cloud-inner">
|
|
||||||
{wordItems}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
)
|
|
||||||
}
|
|
||||||
|
|
||||||
function AnnualReportWindow() {
|
function AnnualReportWindow() {
|
||||||
const [reportData, setReportData] = useState<AnnualReportData | null>(null)
|
const [reportData, setReportData] = useState<AnnualReportData | null>(null)
|
||||||
|
|||||||
@@ -2616,42 +2616,14 @@
|
|||||||
&:hover:not(:disabled) {
|
&:hover:not(:disabled) {
|
||||||
color: var(--primary-color);
|
color: var(--primary-color);
|
||||||
}
|
}
|
||||||
|
&.transcribing {
|
||||||
|
color: var(--primary-color);
|
||||||
|
cursor: pointer;
|
||||||
|
opacity: 1 !important;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 批量转写模态框基础样式
|
// 批量转写模态框基础样式(共享样式在 styles/batchTranscribe.scss)
|
||||||
.batch-modal-overlay {
|
|
||||||
position: fixed;
|
|
||||||
top: 0;
|
|
||||||
left: 0;
|
|
||||||
right: 0;
|
|
||||||
bottom: 0;
|
|
||||||
background: rgba(0, 0, 0, 0.5);
|
|
||||||
backdrop-filter: blur(4px);
|
|
||||||
display: flex;
|
|
||||||
align-items: center;
|
|
||||||
justify-content: center;
|
|
||||||
z-index: 10000;
|
|
||||||
animation: batchFadeIn 0.2s ease-out;
|
|
||||||
}
|
|
||||||
|
|
||||||
.batch-modal-content {
|
|
||||||
background: var(--bg-primary);
|
|
||||||
border-radius: 12px;
|
|
||||||
box-shadow: 0 20px 60px rgba(0, 0, 0, 0.3);
|
|
||||||
max-height: 90vh;
|
|
||||||
overflow-y: auto;
|
|
||||||
animation: batchSlideUp 0.3s cubic-bezier(0.16, 1, 0.3, 1);
|
|
||||||
}
|
|
||||||
|
|
||||||
@keyframes batchFadeIn {
|
|
||||||
from { opacity: 0; }
|
|
||||||
to { opacity: 1; }
|
|
||||||
}
|
|
||||||
|
|
||||||
@keyframes batchSlideUp {
|
|
||||||
from { opacity: 0; transform: translateY(20px); }
|
|
||||||
to { opacity: 1; transform: translateY(0); }
|
|
||||||
}
|
|
||||||
|
|
||||||
// 批量转写确认对话框
|
// 批量转写确认对话框
|
||||||
.batch-confirm-modal {
|
.batch-confirm-modal {
|
||||||
@@ -2845,187 +2817,3 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 批量转写进度对话框
|
|
||||||
.batch-progress-modal {
|
|
||||||
width: 420px;
|
|
||||||
max-width: 90vw;
|
|
||||||
|
|
||||||
.batch-modal-header {
|
|
||||||
display: flex;
|
|
||||||
align-items: center;
|
|
||||||
gap: 0.75rem;
|
|
||||||
padding: 1.5rem;
|
|
||||||
border-bottom: 1px solid var(--border-color);
|
|
||||||
|
|
||||||
svg { color: var(--primary-color); }
|
|
||||||
|
|
||||||
h3 {
|
|
||||||
margin: 0;
|
|
||||||
font-size: 18px;
|
|
||||||
font-weight: 600;
|
|
||||||
color: var(--text-primary);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
.batch-modal-body {
|
|
||||||
padding: 1.5rem;
|
|
||||||
|
|
||||||
.progress-info {
|
|
||||||
.progress-text {
|
|
||||||
display: flex;
|
|
||||||
justify-content: space-between;
|
|
||||||
align-items: center;
|
|
||||||
margin-bottom: 0.75rem;
|
|
||||||
font-size: 14px;
|
|
||||||
color: var(--text-secondary);
|
|
||||||
|
|
||||||
.progress-percent {
|
|
||||||
font-weight: 600;
|
|
||||||
color: var(--primary-color);
|
|
||||||
font-size: 16px;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
.progress-bar {
|
|
||||||
height: 8px;
|
|
||||||
background: var(--bg-tertiary);
|
|
||||||
border-radius: 4px;
|
|
||||||
overflow: hidden;
|
|
||||||
margin-bottom: 1rem;
|
|
||||||
|
|
||||||
.progress-fill {
|
|
||||||
height: 100%;
|
|
||||||
background: linear-gradient(90deg, var(--primary-color), var(--primary-color));
|
|
||||||
border-radius: 4px;
|
|
||||||
transition: width 0.3s ease;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
.batch-tip {
|
|
||||||
display: flex;
|
|
||||||
align-items: center;
|
|
||||||
justify-content: center;
|
|
||||||
padding: 0.75rem;
|
|
||||||
background: var(--bg-tertiary);
|
|
||||||
border-radius: 8px;
|
|
||||||
|
|
||||||
span {
|
|
||||||
font-size: 13px;
|
|
||||||
color: var(--text-secondary);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// 批量转写结果对话框
|
|
||||||
.batch-result-modal {
|
|
||||||
width: 420px;
|
|
||||||
max-width: 90vw;
|
|
||||||
|
|
||||||
.batch-modal-header {
|
|
||||||
display: flex;
|
|
||||||
align-items: center;
|
|
||||||
gap: 0.75rem;
|
|
||||||
padding: 1.5rem;
|
|
||||||
border-bottom: 1px solid var(--border-color);
|
|
||||||
|
|
||||||
svg { color: #4caf50; }
|
|
||||||
|
|
||||||
h3 {
|
|
||||||
margin: 0;
|
|
||||||
font-size: 18px;
|
|
||||||
font-weight: 600;
|
|
||||||
color: var(--text-primary);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
.batch-modal-body {
|
|
||||||
padding: 1.5rem;
|
|
||||||
|
|
||||||
.result-summary {
|
|
||||||
display: flex;
|
|
||||||
flex-direction: column;
|
|
||||||
gap: 0.75rem;
|
|
||||||
margin-bottom: 1rem;
|
|
||||||
|
|
||||||
.result-item {
|
|
||||||
display: flex;
|
|
||||||
align-items: center;
|
|
||||||
gap: 0.75rem;
|
|
||||||
padding: 1rem;
|
|
||||||
border-radius: 8px;
|
|
||||||
background: var(--bg-tertiary);
|
|
||||||
|
|
||||||
svg { flex-shrink: 0; }
|
|
||||||
|
|
||||||
.label {
|
|
||||||
font-size: 14px;
|
|
||||||
color: var(--text-secondary);
|
|
||||||
}
|
|
||||||
|
|
||||||
.value {
|
|
||||||
margin-left: auto;
|
|
||||||
font-size: 18px;
|
|
||||||
font-weight: 600;
|
|
||||||
}
|
|
||||||
|
|
||||||
&.success {
|
|
||||||
svg { color: #4caf50; }
|
|
||||||
.value { color: #4caf50; }
|
|
||||||
}
|
|
||||||
|
|
||||||
&.fail {
|
|
||||||
svg { color: #f44336; }
|
|
||||||
.value { color: #f44336; }
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
.result-tip {
|
|
||||||
display: flex;
|
|
||||||
align-items: flex-start;
|
|
||||||
gap: 0.5rem;
|
|
||||||
padding: 0.75rem;
|
|
||||||
background: rgba(255, 152, 0, 0.1);
|
|
||||||
border-radius: 8px;
|
|
||||||
border: 1px solid rgba(255, 152, 0, 0.3);
|
|
||||||
|
|
||||||
svg {
|
|
||||||
flex-shrink: 0;
|
|
||||||
margin-top: 2px;
|
|
||||||
color: #ff9800;
|
|
||||||
}
|
|
||||||
|
|
||||||
span {
|
|
||||||
font-size: 13px;
|
|
||||||
color: var(--text-secondary);
|
|
||||||
line-height: 1.5;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
.batch-modal-footer {
|
|
||||||
display: flex;
|
|
||||||
justify-content: flex-end;
|
|
||||||
padding: 1rem 1.5rem;
|
|
||||||
border-top: 1px solid var(--border-color);
|
|
||||||
|
|
||||||
button {
|
|
||||||
padding: 0.5rem 1.5rem;
|
|
||||||
border-radius: 8px;
|
|
||||||
font-size: 14px;
|
|
||||||
font-weight: 500;
|
|
||||||
cursor: pointer;
|
|
||||||
transition: all 0.2s;
|
|
||||||
border: none;
|
|
||||||
|
|
||||||
&.btn-primary {
|
|
||||||
background: var(--primary-color);
|
|
||||||
color: white;
|
|
||||||
&:hover { opacity: 0.9; }
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|||||||
@@ -1,7 +1,9 @@
|
|||||||
import React, { useState, useEffect, useRef, useCallback, useMemo } from 'react'
|
import React, { useState, useEffect, useRef, useCallback, useMemo } from 'react'
|
||||||
import { Search, MessageSquare, AlertCircle, Loader2, RefreshCw, X, ChevronDown, Info, Calendar, Database, Hash, Play, Pause, Image as ImageIcon, Link, Mic, CheckCircle, XCircle, Copy, Check } from 'lucide-react'
|
import { Search, MessageSquare, AlertCircle, Loader2, RefreshCw, X, ChevronDown, Info, Calendar, Database, Hash, Play, Pause, Image as ImageIcon, Link, Mic, CheckCircle, Copy, Check, Download, BarChart3 } from 'lucide-react'
|
||||||
|
import { useNavigate } from 'react-router-dom'
|
||||||
import { createPortal } from 'react-dom'
|
import { createPortal } from 'react-dom'
|
||||||
import { useChatStore } from '../stores/chatStore'
|
import { useChatStore } from '../stores/chatStore'
|
||||||
|
import { useBatchTranscribeStore } from '../stores/batchTranscribeStore'
|
||||||
import type { ChatSession, Message } from '../types/models'
|
import type { ChatSession, Message } from '../types/models'
|
||||||
import { getEmojiPath } from 'wechat-emojis'
|
import { getEmojiPath } from 'wechat-emojis'
|
||||||
import { VoiceTranscribeDialog } from '../components/VoiceTranscribeDialog'
|
import { VoiceTranscribeDialog } from '../components/VoiceTranscribeDialog'
|
||||||
@@ -116,6 +118,8 @@ const SessionItem = React.memo(function SessionItem({
|
|||||||
|
|
||||||
|
|
||||||
function ChatPage(_props: ChatPageProps) {
|
function ChatPage(_props: ChatPageProps) {
|
||||||
|
const navigate = useNavigate()
|
||||||
|
|
||||||
const {
|
const {
|
||||||
isConnected,
|
isConnected,
|
||||||
isConnecting,
|
isConnecting,
|
||||||
@@ -175,17 +179,13 @@ function ChatPage(_props: ChatPageProps) {
|
|||||||
const [showVoiceTranscribeDialog, setShowVoiceTranscribeDialog] = useState(false)
|
const [showVoiceTranscribeDialog, setShowVoiceTranscribeDialog] = useState(false)
|
||||||
const [pendingVoiceTranscriptRequest, setPendingVoiceTranscriptRequest] = useState<{ sessionId: string; messageId: string } | null>(null)
|
const [pendingVoiceTranscriptRequest, setPendingVoiceTranscriptRequest] = useState<{ sessionId: string; messageId: string } | null>(null)
|
||||||
|
|
||||||
// 批量语音转文字相关状态
|
// 批量语音转文字相关状态(进度/结果 由全局 store 管理)
|
||||||
const [isBatchTranscribing, setIsBatchTranscribing] = useState(false)
|
const { isBatchTranscribing, progress: batchTranscribeProgress, showToast: showBatchProgress, startTranscribe, updateProgress, finishTranscribe, setShowToast: setShowBatchProgress } = useBatchTranscribeStore()
|
||||||
const [batchTranscribeProgress, setBatchTranscribeProgress] = useState({ current: 0, total: 0 })
|
|
||||||
const [showBatchConfirm, setShowBatchConfirm] = useState(false)
|
const [showBatchConfirm, setShowBatchConfirm] = useState(false)
|
||||||
const [batchVoiceCount, setBatchVoiceCount] = useState(0)
|
const [batchVoiceCount, setBatchVoiceCount] = useState(0)
|
||||||
const [batchVoiceMessages, setBatchVoiceMessages] = useState<Message[] | null>(null)
|
const [batchVoiceMessages, setBatchVoiceMessages] = useState<Message[] | null>(null)
|
||||||
const [batchVoiceDates, setBatchVoiceDates] = useState<string[]>([])
|
const [batchVoiceDates, setBatchVoiceDates] = useState<string[]>([])
|
||||||
const [batchSelectedDates, setBatchSelectedDates] = useState<Set<string>>(new Set())
|
const [batchSelectedDates, setBatchSelectedDates] = useState<Set<string>>(new Set())
|
||||||
const [showBatchProgress, setShowBatchProgress] = useState(false)
|
|
||||||
const [showBatchResult, setShowBatchResult] = useState(false)
|
|
||||||
const [batchResult, setBatchResult] = useState({ success: 0, fail: 0 })
|
|
||||||
|
|
||||||
// 联系人信息加载控制
|
// 联系人信息加载控制
|
||||||
const isEnrichingRef = useRef(false)
|
const isEnrichingRef = useRef(false)
|
||||||
@@ -1231,7 +1231,7 @@ function ChatPage(_props: ChatPageProps) {
|
|||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
const voiceMessages = result.messages
|
const voiceMessages: Message[] = result.messages
|
||||||
if (voiceMessages.length === 0) {
|
if (voiceMessages.length === 0) {
|
||||||
alert('当前会话没有语音消息')
|
alert('当前会话没有语音消息')
|
||||||
return
|
return
|
||||||
@@ -1248,6 +1248,24 @@ function ChatPage(_props: ChatPageProps) {
|
|||||||
setShowBatchConfirm(true)
|
setShowBatchConfirm(true)
|
||||||
}, [sessions, currentSessionId, isBatchTranscribing])
|
}, [sessions, currentSessionId, isBatchTranscribing])
|
||||||
|
|
||||||
|
const handleExportCurrentSession = useCallback(() => {
|
||||||
|
if (!currentSessionId) return
|
||||||
|
navigate('/export', {
|
||||||
|
state: {
|
||||||
|
preselectSessionIds: [currentSessionId]
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}, [currentSessionId, navigate])
|
||||||
|
|
||||||
|
const handleGroupAnalytics = useCallback(() => {
|
||||||
|
if (!currentSessionId || !isGroupChat(currentSessionId)) return
|
||||||
|
navigate('/group-analytics', {
|
||||||
|
state: {
|
||||||
|
preselectGroupIds: [currentSessionId]
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}, [currentSessionId, navigate])
|
||||||
|
|
||||||
// 确认批量转写
|
// 确认批量转写
|
||||||
const confirmBatchTranscribe = useCallback(async () => {
|
const confirmBatchTranscribe = useCallback(async () => {
|
||||||
if (!currentSessionId) return
|
if (!currentSessionId) return
|
||||||
@@ -1280,23 +1298,20 @@ function ChatPage(_props: ChatPageProps) {
|
|||||||
const session = sessions.find(s => s.username === currentSessionId)
|
const session = sessions.find(s => s.username === currentSessionId)
|
||||||
if (!session) return
|
if (!session) return
|
||||||
|
|
||||||
setIsBatchTranscribing(true)
|
startTranscribe(voiceMessages.length, session.displayName || session.username)
|
||||||
setShowBatchProgress(true)
|
|
||||||
setBatchTranscribeProgress({ current: 0, total: voiceMessages.length })
|
|
||||||
|
|
||||||
// 检查模型状态
|
// 检查模型状态
|
||||||
const modelStatus = await window.electronAPI.whisper.getModelStatus()
|
const modelStatus = await window.electronAPI.whisper.getModelStatus()
|
||||||
if (!modelStatus?.exists) {
|
if (!modelStatus?.exists) {
|
||||||
alert('SenseVoice 模型未下载,请先在设置中下载模型')
|
alert('SenseVoice 模型未下载,请先在设置中下载模型')
|
||||||
setIsBatchTranscribing(false)
|
finishTranscribe(0, 0)
|
||||||
setShowBatchProgress(false)
|
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
let successCount = 0
|
let successCount = 0
|
||||||
let failCount = 0
|
let failCount = 0
|
||||||
let completedCount = 0
|
let completedCount = 0
|
||||||
const concurrency = 3
|
const concurrency = 10
|
||||||
|
|
||||||
const transcribeOne = async (msg: Message) => {
|
const transcribeOne = async (msg: Message) => {
|
||||||
try {
|
try {
|
||||||
@@ -1319,15 +1334,12 @@ function ChatPage(_props: ChatPageProps) {
|
|||||||
if (result.success) successCount++
|
if (result.success) successCount++
|
||||||
else failCount++
|
else failCount++
|
||||||
completedCount++
|
completedCount++
|
||||||
setBatchTranscribeProgress({ current: completedCount, total: voiceMessages.length })
|
updateProgress(completedCount, voiceMessages.length)
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
setIsBatchTranscribing(false)
|
finishTranscribe(successCount, failCount)
|
||||||
setShowBatchProgress(false)
|
}, [sessions, currentSessionId, batchSelectedDates, batchVoiceMessages, startTranscribe, updateProgress, finishTranscribe])
|
||||||
setBatchResult({ success: successCount, fail: failCount })
|
|
||||||
setShowBatchResult(true)
|
|
||||||
}, [sessions, currentSessionId, batchSelectedDates, batchVoiceMessages])
|
|
||||||
|
|
||||||
// 批量转写:按日期的消息数量
|
// 批量转写:按日期的消息数量
|
||||||
const batchCountByDate = useMemo(() => {
|
const batchCountByDate = useMemo(() => {
|
||||||
@@ -1474,11 +1486,34 @@ function ChatPage(_props: ChatPageProps) {
|
|||||||
)}
|
)}
|
||||||
</div>
|
</div>
|
||||||
<div className="header-actions">
|
<div className="header-actions">
|
||||||
|
{isGroupChat(currentSession.username) && (
|
||||||
|
<button
|
||||||
|
className="icon-btn group-analytics-btn"
|
||||||
|
onClick={handleGroupAnalytics}
|
||||||
|
title="群聊分析"
|
||||||
|
>
|
||||||
|
<BarChart3 size={18} />
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
<button
|
<button
|
||||||
className="icon-btn batch-transcribe-btn"
|
className="icon-btn export-session-btn"
|
||||||
onClick={handleBatchTranscribe}
|
onClick={handleExportCurrentSession}
|
||||||
disabled={isBatchTranscribing || !currentSessionId}
|
disabled={!currentSessionId}
|
||||||
title={isBatchTranscribing ? `批量转写中 (${batchTranscribeProgress.current}/${batchTranscribeProgress.total})` : '批量语音转文字'}
|
title="导出当前会话"
|
||||||
|
>
|
||||||
|
<Download size={18} />
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
className={`icon-btn batch-transcribe-btn${isBatchTranscribing ? ' transcribing' : ''}`}
|
||||||
|
onClick={() => {
|
||||||
|
if (isBatchTranscribing) {
|
||||||
|
setShowBatchProgress(true)
|
||||||
|
} else {
|
||||||
|
handleBatchTranscribe()
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
disabled={!currentSessionId}
|
||||||
|
title={isBatchTranscribing ? `批量转写中 (${batchTranscribeProgress.current}/${batchTranscribeProgress.total}),点击查看进度` : '批量语音转文字'}
|
||||||
>
|
>
|
||||||
{isBatchTranscribing ? (
|
{isBatchTranscribing ? (
|
||||||
<Loader2 size={18} className="spin" />
|
<Loader2 size={18} className="spin" />
|
||||||
@@ -1813,84 +1848,6 @@ function ChatPage(_props: ChatPageProps) {
|
|||||||
</div>,
|
</div>,
|
||||||
document.body
|
document.body
|
||||||
)}
|
)}
|
||||||
|
|
||||||
{/* 批量转写进度对话框 */}
|
|
||||||
{showBatchProgress && createPortal(
|
|
||||||
<div className="batch-modal-overlay">
|
|
||||||
<div className="batch-modal-content batch-progress-modal" onClick={(e) => e.stopPropagation()}>
|
|
||||||
<div className="batch-modal-header">
|
|
||||||
<Loader2 size={20} className="spin" />
|
|
||||||
<h3>正在转写...</h3>
|
|
||||||
</div>
|
|
||||||
<div className="batch-modal-body">
|
|
||||||
<div className="progress-info">
|
|
||||||
<div className="progress-text">
|
|
||||||
<span>已完成 {batchTranscribeProgress.current} / {batchTranscribeProgress.total} 条</span>
|
|
||||||
<span className="progress-percent">
|
|
||||||
{batchTranscribeProgress.total > 0
|
|
||||||
? Math.round((batchTranscribeProgress.current / batchTranscribeProgress.total) * 100)
|
|
||||||
: 0}%
|
|
||||||
</span>
|
|
||||||
</div>
|
|
||||||
<div className="progress-bar">
|
|
||||||
<div
|
|
||||||
className="progress-fill"
|
|
||||||
style={{
|
|
||||||
width: `${batchTranscribeProgress.total > 0
|
|
||||||
? (batchTranscribeProgress.current / batchTranscribeProgress.total) * 100
|
|
||||||
: 0}%`
|
|
||||||
}}
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<div className="batch-tip">
|
|
||||||
<span>转写过程中可以继续使用其他功能</span>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>,
|
|
||||||
document.body
|
|
||||||
)}
|
|
||||||
|
|
||||||
{/* 批量转写结果对话框 */}
|
|
||||||
{showBatchResult && createPortal(
|
|
||||||
<div className="batch-modal-overlay" onClick={() => setShowBatchResult(false)}>
|
|
||||||
<div className="batch-modal-content batch-result-modal" onClick={(e) => e.stopPropagation()}>
|
|
||||||
<div className="batch-modal-header">
|
|
||||||
<CheckCircle size={20} />
|
|
||||||
<h3>转写完成</h3>
|
|
||||||
</div>
|
|
||||||
<div className="batch-modal-body">
|
|
||||||
<div className="result-summary">
|
|
||||||
<div className="result-item success">
|
|
||||||
<CheckCircle size={18} />
|
|
||||||
<span className="label">成功:</span>
|
|
||||||
<span className="value">{batchResult.success} 条</span>
|
|
||||||
</div>
|
|
||||||
{batchResult.fail > 0 && (
|
|
||||||
<div className="result-item fail">
|
|
||||||
<XCircle size={18} />
|
|
||||||
<span className="label">失败:</span>
|
|
||||||
<span className="value">{batchResult.fail} 条</span>
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
{batchResult.fail > 0 && (
|
|
||||||
<div className="result-tip">
|
|
||||||
<AlertCircle size={16} />
|
|
||||||
<span>部分语音转写失败,可能是语音文件损坏或网络问题</span>
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
<div className="batch-modal-footer">
|
|
||||||
<button className="btn-primary" onClick={() => setShowBatchResult(false)}>
|
|
||||||
确定
|
|
||||||
</button>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>,
|
|
||||||
document.body
|
|
||||||
)}
|
|
||||||
</div>
|
</div>
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -132,26 +132,43 @@
|
|||||||
.info {
|
.info {
|
||||||
display: flex;
|
display: flex;
|
||||||
flex-direction: column;
|
flex-direction: column;
|
||||||
gap: 4px;
|
gap: 2px;
|
||||||
|
min-width: 0; // 允许 flex 子项缩小,配合 ellipsis
|
||||||
|
|
||||||
.name {
|
.name {
|
||||||
|
font-size: 15px;
|
||||||
font-weight: 600;
|
font-weight: 600;
|
||||||
|
color: var(--text-primary);
|
||||||
|
white-space: nowrap;
|
||||||
|
overflow: hidden;
|
||||||
|
text-overflow: ellipsis;
|
||||||
}
|
}
|
||||||
|
|
||||||
.sub {
|
.sub {
|
||||||
font-size: 12px;
|
font-size: 12px;
|
||||||
color: var(--text-tertiary);
|
color: var(--text-secondary); // 从 tertiary 改为 secondary 以增强对比度
|
||||||
|
white-space: nowrap;
|
||||||
|
overflow: hidden;
|
||||||
|
text-overflow: ellipsis;
|
||||||
|
opacity: 0.8;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
.meta {
|
.meta {
|
||||||
text-align: right;
|
text-align: right;
|
||||||
font-size: 12px;
|
font-size: 12px;
|
||||||
color: var(--text-tertiary);
|
color: var(--text-secondary); // 改为 secondary
|
||||||
|
flex-shrink: 0;
|
||||||
|
|
||||||
.count {
|
.count {
|
||||||
font-weight: 600;
|
font-size: 14px;
|
||||||
color: var(--text-primary);
|
font-weight: 700;
|
||||||
|
color: var(--primary); // 使用主题色更醒目
|
||||||
|
margin-bottom: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.hint {
|
||||||
|
opacity: 0.7;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -166,6 +183,11 @@
|
|||||||
}
|
}
|
||||||
|
|
||||||
@keyframes spin {
|
@keyframes spin {
|
||||||
from { transform: rotate(0deg); }
|
from {
|
||||||
to { transform: rotate(360deg); }
|
transform: rotate(0deg);
|
||||||
|
}
|
||||||
|
|
||||||
|
to {
|
||||||
|
transform: rotate(360deg);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
@@ -7,6 +7,7 @@ interface ContactRanking {
|
|||||||
username: string
|
username: string
|
||||||
displayName: string
|
displayName: string
|
||||||
avatarUrl?: string
|
avatarUrl?: string
|
||||||
|
wechatId?: string
|
||||||
messageCount: number
|
messageCount: number
|
||||||
sentCount: number
|
sentCount: number
|
||||||
receivedCount: number
|
receivedCount: number
|
||||||
@@ -15,28 +16,29 @@ interface ContactRanking {
|
|||||||
|
|
||||||
function DualReportPage() {
|
function DualReportPage() {
|
||||||
const navigate = useNavigate()
|
const navigate = useNavigate()
|
||||||
const [year, setYear] = useState<number>(0)
|
const [year] = useState<number>(() => {
|
||||||
|
const params = new URLSearchParams(window.location.hash.split('?')[1] || '')
|
||||||
|
const yearParam = params.get('year')
|
||||||
|
const parsedYear = yearParam ? parseInt(yearParam, 10) : 0
|
||||||
|
return Number.isNaN(parsedYear) ? 0 : parsedYear
|
||||||
|
})
|
||||||
const [rankings, setRankings] = useState<ContactRanking[]>([])
|
const [rankings, setRankings] = useState<ContactRanking[]>([])
|
||||||
const [isLoading, setIsLoading] = useState(true)
|
const [isLoading, setIsLoading] = useState(true)
|
||||||
const [loadError, setLoadError] = useState<string | null>(null)
|
const [loadError, setLoadError] = useState<string | null>(null)
|
||||||
const [keyword, setKeyword] = useState('')
|
const [keyword, setKeyword] = useState('')
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const params = new URLSearchParams(window.location.hash.split('?')[1] || '')
|
void loadRankings(year)
|
||||||
const yearParam = params.get('year')
|
}, [year])
|
||||||
const parsedYear = yearParam ? parseInt(yearParam, 10) : 0
|
|
||||||
setYear(Number.isNaN(parsedYear) ? 0 : parsedYear)
|
|
||||||
}, [])
|
|
||||||
|
|
||||||
useEffect(() => {
|
const loadRankings = async (reportYear: number) => {
|
||||||
loadRankings()
|
|
||||||
}, [])
|
|
||||||
|
|
||||||
const loadRankings = async () => {
|
|
||||||
setIsLoading(true)
|
setIsLoading(true)
|
||||||
setLoadError(null)
|
setLoadError(null)
|
||||||
try {
|
try {
|
||||||
const result = await window.electronAPI.analytics.getContactRankings(200)
|
const isAllTime = reportYear <= 0
|
||||||
|
const beginTimestamp = isAllTime ? 0 : Math.floor(new Date(reportYear, 0, 1).getTime() / 1000)
|
||||||
|
const endTimestamp = isAllTime ? 0 : Math.floor(new Date(reportYear, 11, 31, 23, 59, 59).getTime() / 1000)
|
||||||
|
const result = await window.electronAPI.analytics.getContactRankings(200, beginTimestamp, endTimestamp)
|
||||||
if (result.success && result.data) {
|
if (result.success && result.data) {
|
||||||
setRankings(result.data)
|
setRankings(result.data)
|
||||||
} else {
|
} else {
|
||||||
@@ -55,7 +57,8 @@ function DualReportPage() {
|
|||||||
if (!keyword.trim()) return rankings
|
if (!keyword.trim()) return rankings
|
||||||
const q = keyword.trim().toLowerCase()
|
const q = keyword.trim().toLowerCase()
|
||||||
return rankings.filter((item) => {
|
return rankings.filter((item) => {
|
||||||
return item.displayName.toLowerCase().includes(q) || item.username.toLowerCase().includes(q)
|
const wechatId = (item.wechatId || '').toLowerCase()
|
||||||
|
return item.displayName.toLowerCase().includes(q) || wechatId.includes(q)
|
||||||
})
|
})
|
||||||
}, [rankings, keyword])
|
}, [rankings, keyword])
|
||||||
|
|
||||||
@@ -99,7 +102,7 @@ function DualReportPage() {
|
|||||||
<input
|
<input
|
||||||
value={keyword}
|
value={keyword}
|
||||||
onChange={(e) => setKeyword(e.target.value)}
|
onChange={(e) => setKeyword(e.target.value)}
|
||||||
placeholder="搜索好友(昵称/备注/wxid)"
|
placeholder="搜索好友(昵称/微信号)"
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
@@ -119,7 +122,7 @@ function DualReportPage() {
|
|||||||
</div>
|
</div>
|
||||||
<div className="info">
|
<div className="info">
|
||||||
<div className="name">{item.displayName}</div>
|
<div className="name">{item.displayName}</div>
|
||||||
<div className="sub">{item.username}</div>
|
<div className="sub">{item.wechatId || '\u672A\u8bbe\u7f6e\u5fae\u4fe1\u53f7'}</div>
|
||||||
</div>
|
</div>
|
||||||
<div className="meta">
|
<div className="meta">
|
||||||
<div className="count">{item.messageCount.toLocaleString()} 条</div>
|
<div className="count">{item.messageCount.toLocaleString()} 条</div>
|
||||||
|
|||||||
@@ -8,6 +8,7 @@
|
|||||||
font-size: clamp(26px, 5vw, 44px);
|
font-size: clamp(26px, 5vw, 44px);
|
||||||
white-space: normal;
|
white-space: normal;
|
||||||
}
|
}
|
||||||
|
|
||||||
.dual-names {
|
.dual-names {
|
||||||
font-size: clamp(24px, 4vw, 40px);
|
font-size: clamp(24px, 4vw, 40px);
|
||||||
font-weight: 700;
|
font-weight: 700;
|
||||||
@@ -30,9 +31,6 @@
|
|||||||
}
|
}
|
||||||
|
|
||||||
.dual-info-card {
|
.dual-info-card {
|
||||||
background: var(--ar-card-bg);
|
|
||||||
border: 1px solid var(--bg-tertiary, rgba(0, 0, 0, 0.05));
|
|
||||||
border-radius: 14px;
|
|
||||||
padding: 16px;
|
padding: 16px;
|
||||||
|
|
||||||
&.full {
|
&.full {
|
||||||
@@ -60,14 +58,8 @@
|
|||||||
}
|
}
|
||||||
|
|
||||||
.dual-message {
|
.dual-message {
|
||||||
background: var(--ar-card-bg);
|
|
||||||
border-radius: 14px;
|
|
||||||
padding: 14px;
|
padding: 14px;
|
||||||
|
|
||||||
&.received {
|
|
||||||
background: var(--ar-card-bg-hover);
|
|
||||||
}
|
|
||||||
|
|
||||||
.message-meta {
|
.message-meta {
|
||||||
font-size: 12px;
|
font-size: 12px;
|
||||||
color: var(--ar-text-sub);
|
color: var(--ar-text-sub);
|
||||||
@@ -81,25 +73,15 @@
|
|||||||
}
|
}
|
||||||
|
|
||||||
.first-chat-scene {
|
.first-chat-scene {
|
||||||
background: linear-gradient(180deg, #8f5b85 0%, #e38aa0 50%, #f6d0c8 100%);
|
padding: 18px 16px 16px;
|
||||||
border-radius: 20px;
|
color: var(--ar-text-main);
|
||||||
padding: 28px 24px 24px;
|
|
||||||
color: #fff;
|
|
||||||
position: relative;
|
position: relative;
|
||||||
overflow: hidden;
|
overflow: hidden;
|
||||||
margin-top: 16px;
|
margin-top: 16px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.first-chat-scene::before {
|
.first-chat-scene::before {
|
||||||
content: "";
|
display: none;
|
||||||
position: absolute;
|
|
||||||
inset: 0;
|
|
||||||
background-image:
|
|
||||||
radial-gradient(circle at 20% 20%, rgba(255, 255, 255, 0.2), transparent 40%),
|
|
||||||
radial-gradient(circle at 80% 10%, rgba(255, 255, 255, 0.15), transparent 35%),
|
|
||||||
radial-gradient(circle at 50% 80%, rgba(255, 255, 255, 0.12), transparent 45%);
|
|
||||||
opacity: 0.6;
|
|
||||||
pointer-events: none;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.scene-title {
|
.scene-title {
|
||||||
@@ -107,6 +89,7 @@
|
|||||||
font-weight: 700;
|
font-weight: 700;
|
||||||
text-align: center;
|
text-align: center;
|
||||||
margin-bottom: 8px;
|
margin-bottom: 8px;
|
||||||
|
color: var(--ar-text-main);
|
||||||
}
|
}
|
||||||
|
|
||||||
.scene-subtitle {
|
.scene-subtitle {
|
||||||
@@ -114,92 +97,192 @@
|
|||||||
font-weight: 500;
|
font-weight: 500;
|
||||||
text-align: center;
|
text-align: center;
|
||||||
margin-bottom: 20px;
|
margin-bottom: 20px;
|
||||||
opacity: 0.95;
|
opacity: 0.9;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
}
|
}
|
||||||
|
|
||||||
.scene-messages {
|
.scene-messages {
|
||||||
display: flex;
|
display: flex;
|
||||||
flex-direction: column;
|
flex-direction: column;
|
||||||
gap: 14px;
|
gap: 16px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.scene-message {
|
.scene-message {
|
||||||
display: flex;
|
display: flex;
|
||||||
align-items: flex-end;
|
flex-direction: column;
|
||||||
gap: 12px;
|
align-items: center;
|
||||||
|
margin-bottom: 32px;
|
||||||
|
width: 100%;
|
||||||
|
|
||||||
&.sent {
|
&.system {
|
||||||
|
margin: 16px 0;
|
||||||
|
|
||||||
|
.system-msg-content {
|
||||||
|
background: rgba(255, 255, 255, 0.05);
|
||||||
|
padding: 4px 12px;
|
||||||
|
border-radius: 12px;
|
||||||
|
font-size: 12px;
|
||||||
|
color: rgba(255, 255, 255, 0.4);
|
||||||
|
text-align: center;
|
||||||
|
max-width: 80%;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.scene-meta {
|
||||||
|
font-size: 10px;
|
||||||
|
opacity: 0.65;
|
||||||
|
margin-bottom: 12px;
|
||||||
|
color: var(--text-tertiary);
|
||||||
|
text-align: center;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scene-body {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 12px;
|
||||||
|
width: 100%;
|
||||||
|
max-width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.sent .scene-body {
|
||||||
flex-direction: row-reverse;
|
flex-direction: row-reverse;
|
||||||
|
justify-content: flex-start;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.received .scene-body {
|
||||||
|
flex-direction: row;
|
||||||
|
justify-content: flex-start;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
.scene-avatar {
|
.scene-avatar {
|
||||||
width: 40px;
|
width: 42px;
|
||||||
height: 40px;
|
height: 42px;
|
||||||
border-radius: 12px;
|
border-radius: 50%;
|
||||||
background: rgba(255, 255, 255, 0.25);
|
background: var(--ar-card-bg);
|
||||||
display: flex;
|
display: flex;
|
||||||
align-items: center;
|
align-items: center;
|
||||||
justify-content: center;
|
justify-content: center;
|
||||||
font-weight: 700;
|
font-weight: 700;
|
||||||
color: #fff;
|
color: var(--ar-text-sub);
|
||||||
|
border: 1px solid var(--bg-tertiary, rgba(0, 0, 0, 0.08));
|
||||||
|
overflow: hidden;
|
||||||
|
flex-shrink: 0;
|
||||||
|
|
||||||
|
img {
|
||||||
|
width: 100%;
|
||||||
|
height: 100%;
|
||||||
|
object-fit: cover;
|
||||||
|
display: block;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.scene-content-wrapper {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
width: 100%;
|
||||||
|
max-width: min(78%, 720px);
|
||||||
|
}
|
||||||
|
|
||||||
|
.scene-message.sent .scene-content-wrapper {
|
||||||
|
align-items: flex-end;
|
||||||
}
|
}
|
||||||
|
|
||||||
.scene-bubble {
|
.scene-bubble {
|
||||||
background: rgba(255, 255, 255, 0.85);
|
color: var(--ar-text-main);
|
||||||
color: #5a4d5e;
|
|
||||||
padding: 10px 14px;
|
padding: 10px 14px;
|
||||||
border-radius: 14px;
|
width: fit-content;
|
||||||
max-width: 60%;
|
min-width: 40px;
|
||||||
box-shadow: 0 10px 24px rgba(0, 0, 0, 0.12);
|
max-width: 100%;
|
||||||
}
|
background: var(--ar-card-bg);
|
||||||
|
border-radius: 12px;
|
||||||
|
position: relative;
|
||||||
|
|
||||||
.scene-message.sent .scene-bubble {
|
&.no-bubble {
|
||||||
background: rgba(255, 224, 168, 0.9);
|
background: transparent;
|
||||||
color: #4a3a2f;
|
padding: 0;
|
||||||
}
|
box-shadow: none;
|
||||||
|
}
|
||||||
.scene-meta {
|
|
||||||
font-size: 11px;
|
|
||||||
opacity: 0.7;
|
|
||||||
margin-bottom: 4px;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.scene-content {
|
.scene-content {
|
||||||
|
line-height: 1.5;
|
||||||
|
font-size: clamp(14px, 1.8vw, 16px);
|
||||||
|
word-break: break-all;
|
||||||
|
white-space: pre-wrap;
|
||||||
|
overflow-wrap: break-word;
|
||||||
|
line-break: auto;
|
||||||
|
|
||||||
|
.report-emoji-container {
|
||||||
|
display: inline-block;
|
||||||
|
vertical-align: middle;
|
||||||
|
margin: 2px 0;
|
||||||
|
|
||||||
|
.report-emoji-img {
|
||||||
|
max-width: 120px;
|
||||||
|
max-height: 120px;
|
||||||
|
border-radius: 4px;
|
||||||
|
display: block;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.scene-avatar.fallback {
|
||||||
font-size: 14px;
|
font-size: 14px;
|
||||||
line-height: 1.4;
|
}
|
||||||
word-break: break-word;
|
|
||||||
|
.scene-avatar.with-image {
|
||||||
|
background: transparent;
|
||||||
|
color: transparent;
|
||||||
}
|
}
|
||||||
|
|
||||||
.scene-message.sent .scene-avatar {
|
.scene-message.sent .scene-avatar {
|
||||||
background: rgba(255, 224, 168, 0.9);
|
border-color: color-mix(in srgb, var(--primary) 30%, var(--bg-tertiary, rgba(0, 0, 0, 0.08)));
|
||||||
color: #4a3a2f;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.dual-stat-grid {
|
.dual-stat-grid {
|
||||||
display: grid;
|
display: flex;
|
||||||
grid-template-columns: repeat(5, minmax(140px, 1fr));
|
flex-wrap: nowrap;
|
||||||
gap: 14px;
|
gap: clamp(60px, 10vw, 120px);
|
||||||
margin: 20px -28px 24px;
|
margin: 48px 0 32px;
|
||||||
padding: 0 28px;
|
padding: 0;
|
||||||
overflow: visible;
|
justify-content: center;
|
||||||
|
align-items: flex-start;
|
||||||
|
|
||||||
|
&.bottom {
|
||||||
|
margin-top: 0;
|
||||||
|
margin-bottom: 48px;
|
||||||
|
gap: clamp(40px, 6vw, 80px);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
.dual-stat-card {
|
.dual-stat-card {
|
||||||
background: var(--ar-card-bg);
|
display: flex;
|
||||||
border-radius: 14px;
|
flex-direction: column;
|
||||||
padding: 14px 12px;
|
align-items: center;
|
||||||
text-align: center;
|
text-align: center;
|
||||||
|
min-width: 140px;
|
||||||
|
max-width: 280px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.stat-num {
|
.stat-num {
|
||||||
font-size: clamp(20px, 2.8vw, 30px);
|
font-size: clamp(36px, 6vw, 64px);
|
||||||
|
font-weight: 800;
|
||||||
font-variant-numeric: tabular-nums;
|
font-variant-numeric: tabular-nums;
|
||||||
|
color: var(--ar-primary);
|
||||||
|
line-height: 1;
|
||||||
white-space: nowrap;
|
white-space: nowrap;
|
||||||
|
|
||||||
|
&.small {
|
||||||
|
font-size: clamp(24px, 4vw, 40px);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
.stat-unit {
|
.stat-unit {
|
||||||
font-size: 12px;
|
font-size: 14px;
|
||||||
|
margin-top: 4px;
|
||||||
|
opacity: 0.8;
|
||||||
}
|
}
|
||||||
|
|
||||||
.dual-stat-card.long .stat-num {
|
.dual-stat-card.long .stat-num {
|
||||||
@@ -215,15 +298,12 @@
|
|||||||
}
|
}
|
||||||
|
|
||||||
.emoji-card {
|
.emoji-card {
|
||||||
border: 1px solid var(--bg-tertiary, rgba(0, 0, 0, 0.08));
|
|
||||||
border-radius: 16px;
|
|
||||||
padding: 18px 16px;
|
padding: 18px 16px;
|
||||||
display: flex;
|
display: flex;
|
||||||
flex-direction: column;
|
flex-direction: column;
|
||||||
gap: 10px;
|
gap: 10px;
|
||||||
align-items: center;
|
align-items: center;
|
||||||
justify-content: center;
|
justify-content: center;
|
||||||
background: var(--ar-card-bg);
|
|
||||||
|
|
||||||
img {
|
img {
|
||||||
width: 64px;
|
width: 64px;
|
||||||
@@ -250,4 +330,580 @@
|
|||||||
text-align: center;
|
text-align: center;
|
||||||
padding: 24px 0;
|
padding: 24px 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.initiative-container {
|
||||||
|
padding: 32px 0;
|
||||||
|
width: 100%;
|
||||||
|
background: transparent;
|
||||||
|
border: none;
|
||||||
|
}
|
||||||
|
|
||||||
|
.initiative-bar-wrapper {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 32px;
|
||||||
|
width: 100%;
|
||||||
|
padding: 24px 0;
|
||||||
|
margin-bottom: 24px;
|
||||||
|
position: relative;
|
||||||
|
}
|
||||||
|
|
||||||
|
.initiative-side {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
gap: 12px;
|
||||||
|
min-width: 80px;
|
||||||
|
z-index: 2;
|
||||||
|
|
||||||
|
.avatar-placeholder {
|
||||||
|
width: 54px;
|
||||||
|
height: 54px;
|
||||||
|
border-radius: 18px;
|
||||||
|
background: var(--bg-tertiary);
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
font-weight: 700;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
font-size: 16px;
|
||||||
|
border: 1.5px solid rgba(255, 255, 255, 0.15);
|
||||||
|
box-shadow: 0 4px 20px rgba(0, 0, 0, 0.3);
|
||||||
|
overflow: hidden;
|
||||||
|
|
||||||
|
img {
|
||||||
|
width: 100%;
|
||||||
|
height: 100%;
|
||||||
|
object-fit: cover;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.count {
|
||||||
|
font-size: 11px;
|
||||||
|
font-weight: 500;
|
||||||
|
opacity: 0.4;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
}
|
||||||
|
|
||||||
|
.percent {
|
||||||
|
font-size: 14px;
|
||||||
|
color: var(--ar-text-main);
|
||||||
|
font-weight: 800;
|
||||||
|
opacity: 0.9;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.initiative-progress {
|
||||||
|
flex: 1;
|
||||||
|
height: 1px; // 线条样式
|
||||||
|
position: relative;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
|
||||||
|
.line-bg {
|
||||||
|
position: absolute;
|
||||||
|
left: 0;
|
||||||
|
right: 0;
|
||||||
|
height: 1px;
|
||||||
|
background: linear-gradient(90deg,
|
||||||
|
transparent 0%,
|
||||||
|
rgba(255, 255, 255, 0.1) 20%,
|
||||||
|
rgba(255, 255, 255, 0.1) 80%,
|
||||||
|
transparent 100%);
|
||||||
|
}
|
||||||
|
|
||||||
|
.initiative-indicator {
|
||||||
|
position: absolute;
|
||||||
|
width: 8px;
|
||||||
|
height: 8px;
|
||||||
|
background: #fff;
|
||||||
|
border-radius: 50%;
|
||||||
|
transform: translateX(-50%);
|
||||||
|
transition: left 1.5s cubic-bezier(0.16, 1, 0.3, 1);
|
||||||
|
box-shadow:
|
||||||
|
0 0 10px #fff,
|
||||||
|
0 0 20px rgba(255, 255, 255, 0.5),
|
||||||
|
0 0 30px var(--ar-primary);
|
||||||
|
z-index: 3;
|
||||||
|
|
||||||
|
&::before {
|
||||||
|
content: '';
|
||||||
|
position: absolute;
|
||||||
|
top: -4px;
|
||||||
|
left: -4px;
|
||||||
|
right: -4px;
|
||||||
|
bottom: -4px;
|
||||||
|
border: 1px solid rgba(255, 255, 255, 0.2);
|
||||||
|
border-radius: 50%;
|
||||||
|
animation: pulse 2s infinite;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.initiative-desc {
|
||||||
|
text-align: center;
|
||||||
|
font-size: 14px;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
letter-spacing: 1px;
|
||||||
|
opacity: 0.6;
|
||||||
|
background: transparent;
|
||||||
|
padding: 0;
|
||||||
|
margin: 0 auto;
|
||||||
|
font-style: italic;
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes pulse {
|
||||||
|
0% {
|
||||||
|
transform: scale(1);
|
||||||
|
opacity: 0.8;
|
||||||
|
}
|
||||||
|
|
||||||
|
100% {
|
||||||
|
transform: scale(2);
|
||||||
|
opacity: 0;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
.response-pulse-container {
|
||||||
|
width: 100%;
|
||||||
|
padding: 80px 0;
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.pulse-visual {
|
||||||
|
position: relative;
|
||||||
|
width: 420px;
|
||||||
|
height: 240px;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.pulse-hub {
|
||||||
|
position: relative;
|
||||||
|
z-index: 5;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
width: 160px;
|
||||||
|
height: 160px;
|
||||||
|
background: radial-gradient(circle at center, rgba(255, 255, 255, 0.12) 0%, transparent 75%);
|
||||||
|
border-radius: 50%;
|
||||||
|
box-shadow: 0 0 40px rgba(255, 255, 255, 0.1);
|
||||||
|
|
||||||
|
.label {
|
||||||
|
font-size: 13px;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
opacity: 0.6;
|
||||||
|
margin-bottom: 6px;
|
||||||
|
letter-spacing: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.value {
|
||||||
|
font-size: 54px;
|
||||||
|
font-weight: 950;
|
||||||
|
color: #fff;
|
||||||
|
line-height: 1;
|
||||||
|
text-shadow: 0 0 30px rgba(255, 255, 255, 0.5);
|
||||||
|
|
||||||
|
span {
|
||||||
|
font-size: 18px;
|
||||||
|
font-weight: 500;
|
||||||
|
margin-left: 4px;
|
||||||
|
opacity: 0.7;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.pulse-node {
|
||||||
|
position: absolute;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
z-index: 4;
|
||||||
|
animation: floatNode 4s ease-in-out infinite;
|
||||||
|
|
||||||
|
&.left {
|
||||||
|
left: 0;
|
||||||
|
transform: translateX(-15%);
|
||||||
|
}
|
||||||
|
|
||||||
|
&.right {
|
||||||
|
right: 0;
|
||||||
|
transform: translateX(15%);
|
||||||
|
animation-delay: -2s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.label {
|
||||||
|
font-size: 12px;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
opacity: 0.5;
|
||||||
|
margin-bottom: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.value {
|
||||||
|
font-size: 24px;
|
||||||
|
font-weight: 800;
|
||||||
|
color: var(--ar-text-main);
|
||||||
|
opacity: 0.95;
|
||||||
|
|
||||||
|
span {
|
||||||
|
font-size: 13px;
|
||||||
|
margin-left: 2px;
|
||||||
|
opacity: 0.6;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.pulse-ripple {
|
||||||
|
position: absolute;
|
||||||
|
top: 50%;
|
||||||
|
left: 50%;
|
||||||
|
transform: translate(-50%, -50%);
|
||||||
|
border: 1.5px solid rgba(255, 255, 255, 0.08);
|
||||||
|
border-radius: 50%;
|
||||||
|
animation: ripplePulse 8s linear infinite;
|
||||||
|
pointer-events: none;
|
||||||
|
|
||||||
|
&.one {
|
||||||
|
animation-delay: 0s;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.two {
|
||||||
|
animation-delay: 2.5s;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.three {
|
||||||
|
animation-delay: 5s;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes ripplePulse {
|
||||||
|
0% {
|
||||||
|
width: 140px;
|
||||||
|
height: 140px;
|
||||||
|
opacity: 0.5;
|
||||||
|
}
|
||||||
|
|
||||||
|
100% {
|
||||||
|
width: 700px;
|
||||||
|
height: 700px;
|
||||||
|
opacity: 0;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes floatNode {
|
||||||
|
|
||||||
|
0%,
|
||||||
|
100% {
|
||||||
|
transform: translateY(0);
|
||||||
|
}
|
||||||
|
|
||||||
|
50% {
|
||||||
|
transform: translateY(-16px);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.response-note {
|
||||||
|
text-align: center;
|
||||||
|
font-size: 14px;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
opacity: 0.5;
|
||||||
|
margin-top: 32px;
|
||||||
|
font-style: italic;
|
||||||
|
max-width: none;
|
||||||
|
line-height: 1.6;
|
||||||
|
}
|
||||||
|
|
||||||
|
.streak-spark-visual.premium {
|
||||||
|
width: 100%;
|
||||||
|
height: 400px;
|
||||||
|
position: relative;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
margin: 20px 0;
|
||||||
|
overflow: visible;
|
||||||
|
|
||||||
|
.spark-ambient-glow {
|
||||||
|
position: absolute;
|
||||||
|
top: 40%;
|
||||||
|
left: 50%;
|
||||||
|
transform: translate(-50%, -50%);
|
||||||
|
width: 600px;
|
||||||
|
height: 480px;
|
||||||
|
background: radial-gradient(circle at center, rgba(242, 170, 0, 0.04) 0%, transparent 70%);
|
||||||
|
filter: blur(60px);
|
||||||
|
z-index: 1;
|
||||||
|
pointer-events: none;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.spark-core-wrapper {
|
||||||
|
position: relative;
|
||||||
|
width: 220px;
|
||||||
|
height: 280px;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
z-index: 5;
|
||||||
|
animation: flameSway 6s ease-in-out infinite;
|
||||||
|
transform-origin: bottom center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.spark-flame-outer {
|
||||||
|
position: absolute;
|
||||||
|
width: 100%;
|
||||||
|
height: 100%;
|
||||||
|
background: radial-gradient(ellipse at 50% 85%, rgba(242, 170, 0, 0.15) 0%, transparent 75%);
|
||||||
|
border-radius: 50% 50% 20% 20% / 80% 80% 30% 30%;
|
||||||
|
filter: blur(25px);
|
||||||
|
animation: flickerOuter 4s infinite alternate;
|
||||||
|
}
|
||||||
|
|
||||||
|
.spark-flame-inner {
|
||||||
|
position: absolute;
|
||||||
|
bottom: 20%;
|
||||||
|
width: 140px;
|
||||||
|
height: 180px;
|
||||||
|
background: radial-gradient(ellipse at 50% 90%, rgba(255, 215, 0, 0.2) 0%, transparent 80%);
|
||||||
|
border-radius: 50% 50% 30% 30% / 85% 85% 25% 25%;
|
||||||
|
filter: blur(12px);
|
||||||
|
animation: flickerInner 3s infinite alternate-reverse;
|
||||||
|
}
|
||||||
|
|
||||||
|
.spark-core {
|
||||||
|
position: relative;
|
||||||
|
z-index: 10;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
padding-bottom: 20px;
|
||||||
|
|
||||||
|
.spark-days {
|
||||||
|
font-size: 84px;
|
||||||
|
font-weight: 800;
|
||||||
|
color: rgba(255, 255, 255, 0.9);
|
||||||
|
line-height: 1;
|
||||||
|
letter-spacing: -1px;
|
||||||
|
text-shadow:
|
||||||
|
0 0 15px rgba(255, 255, 255, 0.4),
|
||||||
|
0 8px 30px rgba(0, 0, 0, 0.3);
|
||||||
|
}
|
||||||
|
|
||||||
|
.spark-label {
|
||||||
|
font-size: 14px;
|
||||||
|
font-weight: 800;
|
||||||
|
color: rgba(255, 255, 255, 0.4);
|
||||||
|
letter-spacing: 6px;
|
||||||
|
margin-top: 12px;
|
||||||
|
text-indent: 6px;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.streak-bridge.premium {
|
||||||
|
width: 100%;
|
||||||
|
max-width: 500px;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 0;
|
||||||
|
margin-top: -20px;
|
||||||
|
z-index: 20;
|
||||||
|
|
||||||
|
.bridge-date {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
position: relative;
|
||||||
|
width: 100px;
|
||||||
|
|
||||||
|
span {
|
||||||
|
font-size: 13px;
|
||||||
|
color: var(--ar-text-sub);
|
||||||
|
opacity: 0.6;
|
||||||
|
font-weight: 500;
|
||||||
|
letter-spacing: 0.2px;
|
||||||
|
position: absolute;
|
||||||
|
top: 24px;
|
||||||
|
white-space: nowrap;
|
||||||
|
}
|
||||||
|
|
||||||
|
.date-orb {
|
||||||
|
width: 6px;
|
||||||
|
height: 6px;
|
||||||
|
background: #fff;
|
||||||
|
border-radius: 50%;
|
||||||
|
box-shadow: 0 0 12px var(--ar-accent);
|
||||||
|
border: 1px solid rgba(252, 170, 0, 0.5);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.bridge-line {
|
||||||
|
flex: 1;
|
||||||
|
height: 40px;
|
||||||
|
position: relative;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
|
||||||
|
.line-string {
|
||||||
|
width: 100%;
|
||||||
|
height: 1.5px;
|
||||||
|
background: linear-gradient(90deg,
|
||||||
|
rgba(242, 170, 0, 0) 0%,
|
||||||
|
rgba(242, 170, 0, 0.6) 20%,
|
||||||
|
rgba(242, 170, 0, 0.6) 80%,
|
||||||
|
rgba(242, 170, 0, 0) 100%);
|
||||||
|
mask-image: radial-gradient(ellipse at center, black 60%, transparent 100%);
|
||||||
|
}
|
||||||
|
|
||||||
|
.line-glow {
|
||||||
|
position: absolute;
|
||||||
|
width: 100%;
|
||||||
|
height: 8px;
|
||||||
|
background: radial-gradient(ellipse at center, rgba(242, 170, 0, 0.2) 0%, transparent 80%);
|
||||||
|
filter: blur(4px);
|
||||||
|
animation: sparkFlicker 2s infinite alternate;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.spark-ember {
|
||||||
|
position: absolute;
|
||||||
|
background: #FFD700;
|
||||||
|
border-radius: 50%;
|
||||||
|
filter: blur(0.5px);
|
||||||
|
box-shadow: 0 0 6px #F2AA00;
|
||||||
|
opacity: 0;
|
||||||
|
z-index: 4;
|
||||||
|
|
||||||
|
&.one {
|
||||||
|
width: 3px;
|
||||||
|
height: 3px;
|
||||||
|
left: 46%;
|
||||||
|
animation: emberRise 5s infinite 0s;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.two {
|
||||||
|
width: 2px;
|
||||||
|
height: 2px;
|
||||||
|
left: 53%;
|
||||||
|
animation: emberRise 4s infinite 1.2s;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.three {
|
||||||
|
width: 4px;
|
||||||
|
height: 4px;
|
||||||
|
left: 50%;
|
||||||
|
animation: emberRise 6s infinite 2.5s;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.four {
|
||||||
|
width: 2.5px;
|
||||||
|
height: 2.5px;
|
||||||
|
left: 48%;
|
||||||
|
animation: emberRise 5.5s infinite 3.8s;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes flameSway {
|
||||||
|
|
||||||
|
0%,
|
||||||
|
100% {
|
||||||
|
transform: rotate(-1deg) skewX(-1deg);
|
||||||
|
}
|
||||||
|
|
||||||
|
50% {
|
||||||
|
transform: rotate(1.5deg) skewX(1deg);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes flickerOuter {
|
||||||
|
|
||||||
|
0%,
|
||||||
|
100% {
|
||||||
|
opacity: 0.15;
|
||||||
|
filter: blur(25px);
|
||||||
|
}
|
||||||
|
|
||||||
|
50% {
|
||||||
|
opacity: 0.25;
|
||||||
|
filter: blur(30px);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes flickerInner {
|
||||||
|
|
||||||
|
0%,
|
||||||
|
100% {
|
||||||
|
transform: scale(1);
|
||||||
|
opacity: 0.2;
|
||||||
|
}
|
||||||
|
|
||||||
|
50% {
|
||||||
|
transform: scale(1.08);
|
||||||
|
opacity: 0.3;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes emberRise {
|
||||||
|
0% {
|
||||||
|
transform: translateY(100px) scale(1);
|
||||||
|
opacity: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
20% {
|
||||||
|
opacity: 0.8;
|
||||||
|
}
|
||||||
|
|
||||||
|
80% {
|
||||||
|
opacity: 0.3;
|
||||||
|
}
|
||||||
|
|
||||||
|
100% {
|
||||||
|
transform: translateY(-260px) scale(0.4);
|
||||||
|
opacity: 0;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes sparkFlicker {
|
||||||
|
|
||||||
|
0%,
|
||||||
|
100% {
|
||||||
|
transform: scale(1);
|
||||||
|
opacity: 0.9;
|
||||||
|
filter: brightness(1);
|
||||||
|
}
|
||||||
|
|
||||||
|
50% {
|
||||||
|
transform: scale(1.03);
|
||||||
|
opacity: 1;
|
||||||
|
filter: brightness(1.2);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@media (max-width: 960px) {
|
||||||
|
.pulse-visual {
|
||||||
|
transform: scale(0.85);
|
||||||
|
}
|
||||||
|
|
||||||
|
.scene-avatar {
|
||||||
|
width: 36px;
|
||||||
|
height: 36px;
|
||||||
|
font-size: 13px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scene-content-wrapper {
|
||||||
|
max-width: min(86%, 500px);
|
||||||
|
}
|
||||||
|
|
||||||
|
.scene-bubble {
|
||||||
|
max-width: 100%;
|
||||||
|
min-width: 56px;
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
@@ -1,4 +1,6 @@
|
|||||||
import { useEffect, useState, type CSSProperties } from 'react'
|
import { useEffect, useState } from 'react'
|
||||||
|
import ReportHeatmap from '../components/ReportHeatmap'
|
||||||
|
import ReportWordCloud from '../components/ReportWordCloud'
|
||||||
import './AnnualReportWindow.scss'
|
import './AnnualReportWindow.scss'
|
||||||
import './DualReportWindow.scss'
|
import './DualReportWindow.scss'
|
||||||
|
|
||||||
@@ -7,19 +9,27 @@ interface DualReportMessage {
|
|||||||
isSentByMe: boolean
|
isSentByMe: boolean
|
||||||
createTime: number
|
createTime: number
|
||||||
createTimeStr: string
|
createTimeStr: string
|
||||||
|
localType?: number
|
||||||
|
emojiMd5?: string
|
||||||
|
emojiCdnUrl?: string
|
||||||
}
|
}
|
||||||
|
|
||||||
interface DualReportData {
|
interface DualReportData {
|
||||||
year: number
|
year: number
|
||||||
selfName: string
|
selfName: string
|
||||||
|
selfAvatarUrl?: string
|
||||||
friendUsername: string
|
friendUsername: string
|
||||||
friendName: string
|
friendName: string
|
||||||
|
friendAvatarUrl?: string
|
||||||
firstChat: {
|
firstChat: {
|
||||||
createTime: number
|
createTime: number
|
||||||
createTimeStr: string
|
createTimeStr: string
|
||||||
content: string
|
content: string
|
||||||
isSentByMe: boolean
|
isSentByMe: boolean
|
||||||
senderUsername?: string
|
senderUsername?: string
|
||||||
|
localType?: number
|
||||||
|
emojiMd5?: string
|
||||||
|
emojiCdnUrl?: string
|
||||||
} | null
|
} | null
|
||||||
firstChatMessages?: DualReportMessage[]
|
firstChatMessages?: DualReportMessage[]
|
||||||
yearFirstChat?: {
|
yearFirstChat?: {
|
||||||
@@ -29,6 +39,9 @@ interface DualReportData {
|
|||||||
isSentByMe: boolean
|
isSentByMe: boolean
|
||||||
friendName: string
|
friendName: string
|
||||||
firstThreeMessages: DualReportMessage[]
|
firstThreeMessages: DualReportMessage[]
|
||||||
|
localType?: number
|
||||||
|
emojiMd5?: string
|
||||||
|
emojiCdnUrl?: string
|
||||||
} | null
|
} | null
|
||||||
stats: {
|
stats: {
|
||||||
totalMessages: number
|
totalMessages: number
|
||||||
@@ -40,111 +53,15 @@ interface DualReportData {
|
|||||||
friendTopEmojiMd5?: string
|
friendTopEmojiMd5?: string
|
||||||
myTopEmojiUrl?: string
|
myTopEmojiUrl?: string
|
||||||
friendTopEmojiUrl?: string
|
friendTopEmojiUrl?: string
|
||||||
|
myTopEmojiCount?: number
|
||||||
|
friendTopEmojiCount?: number
|
||||||
}
|
}
|
||||||
topPhrases: Array<{ phrase: string; count: number }>
|
topPhrases: Array<{ phrase: string; count: number }>
|
||||||
}
|
heatmap?: number[][]
|
||||||
|
initiative?: { initiated: number; received: number }
|
||||||
const WordCloud = ({ words }: { words: { phrase: string; count: number }[] }) => {
|
response?: { avg: number; fastest: number; slowest: number; count: number }
|
||||||
if (!words || words.length === 0) {
|
monthly?: Record<string, number>
|
||||||
return <div className="word-cloud-empty">暂无高频语句</div>
|
streak?: { days: number; startDate: string; endDate: string }
|
||||||
}
|
|
||||||
const sortedWords = [...words].sort((a, b) => b.count - a.count)
|
|
||||||
const maxCount = sortedWords.length > 0 ? sortedWords[0].count : 1
|
|
||||||
const topWords = sortedWords.slice(0, 32)
|
|
||||||
const baseSize = 520
|
|
||||||
|
|
||||||
const seededRandom = (seed: number) => {
|
|
||||||
const x = Math.sin(seed) * 10000
|
|
||||||
return x - Math.floor(x)
|
|
||||||
}
|
|
||||||
|
|
||||||
const placedItems: { x: number; y: number; w: number; h: number }[] = []
|
|
||||||
|
|
||||||
const canPlace = (x: number, y: number, w: number, h: number): boolean => {
|
|
||||||
const halfW = w / 2
|
|
||||||
const halfH = h / 2
|
|
||||||
const dx = x - 50
|
|
||||||
const dy = y - 50
|
|
||||||
const dist = Math.sqrt(dx * dx + dy * dy)
|
|
||||||
const maxR = 49 - Math.max(halfW, halfH)
|
|
||||||
if (dist > maxR) return false
|
|
||||||
|
|
||||||
const pad = 1.8
|
|
||||||
for (const p of placedItems) {
|
|
||||||
if ((x - halfW - pad) < (p.x + p.w / 2) &&
|
|
||||||
(x + halfW + pad) > (p.x - p.w / 2) &&
|
|
||||||
(y - halfH - pad) < (p.y + p.h / 2) &&
|
|
||||||
(y + halfH + pad) > (p.y - p.h / 2)) {
|
|
||||||
return false
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return true
|
|
||||||
}
|
|
||||||
|
|
||||||
const wordItems = topWords.map((item, i) => {
|
|
||||||
const ratio = item.count / maxCount
|
|
||||||
const fontSize = Math.round(12 + Math.pow(ratio, 0.65) * 20)
|
|
||||||
const opacity = Math.min(1, Math.max(0.35, 0.35 + ratio * 0.65))
|
|
||||||
const delay = (i * 0.04).toFixed(2)
|
|
||||||
|
|
||||||
const charCount = Math.max(1, item.phrase.length)
|
|
||||||
const hasCjk = /[\u4e00-\u9fff]/.test(item.phrase)
|
|
||||||
const hasLatin = /[A-Za-z0-9]/.test(item.phrase)
|
|
||||||
const widthFactor = hasCjk && hasLatin ? 0.85 : hasCjk ? 0.98 : 0.6
|
|
||||||
const widthPx = fontSize * (charCount * widthFactor)
|
|
||||||
const heightPx = fontSize * 1.1
|
|
||||||
const widthPct = (widthPx / baseSize) * 100
|
|
||||||
const heightPct = (heightPx / baseSize) * 100
|
|
||||||
|
|
||||||
let x = 50, y = 50
|
|
||||||
let placedOk = false
|
|
||||||
const tries = i === 0 ? 1 : 420
|
|
||||||
|
|
||||||
for (let t = 0; t < tries; t++) {
|
|
||||||
if (i === 0) {
|
|
||||||
x = 50
|
|
||||||
y = 50
|
|
||||||
} else {
|
|
||||||
const idx = i + t * 0.28
|
|
||||||
const radius = Math.sqrt(idx) * 7.6 + (seededRandom(i * 1000 + t) * 1.2 - 0.6)
|
|
||||||
const angle = idx * 2.399963 + seededRandom(i * 2000 + t) * 0.35
|
|
||||||
x = 50 + radius * Math.cos(angle)
|
|
||||||
y = 50 + radius * Math.sin(angle)
|
|
||||||
}
|
|
||||||
if (canPlace(x, y, widthPct, heightPct)) {
|
|
||||||
placedOk = true
|
|
||||||
break
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!placedOk) return null
|
|
||||||
placedItems.push({ x, y, w: widthPct, h: heightPct })
|
|
||||||
|
|
||||||
return (
|
|
||||||
<span
|
|
||||||
key={i}
|
|
||||||
className="word-tag"
|
|
||||||
style={{
|
|
||||||
'--final-opacity': opacity,
|
|
||||||
left: `${x.toFixed(2)}%`,
|
|
||||||
top: `${y.toFixed(2)}%`,
|
|
||||||
fontSize: `${fontSize}px`,
|
|
||||||
animationDelay: `${delay}s`,
|
|
||||||
} as CSSProperties}
|
|
||||||
title={`${item.phrase} (出现 ${item.count} 次)`}
|
|
||||||
>
|
|
||||||
{item.phrase}
|
|
||||||
</span>
|
|
||||||
)
|
|
||||||
}).filter(Boolean)
|
|
||||||
|
|
||||||
return (
|
|
||||||
<div className="word-cloud-wrapper">
|
|
||||||
<div className="word-cloud-inner">
|
|
||||||
{wordItems}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
)
|
|
||||||
}
|
}
|
||||||
|
|
||||||
function DualReportWindow() {
|
function DualReportWindow() {
|
||||||
@@ -203,6 +120,8 @@ function DualReportWindow() {
|
|||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const loadEmojis = async () => {
|
const loadEmojis = async () => {
|
||||||
if (!reportData) return
|
if (!reportData) return
|
||||||
|
setMyEmojiUrl(null)
|
||||||
|
setFriendEmojiUrl(null)
|
||||||
const stats = reportData.stats
|
const stats = reportData.stats
|
||||||
if (stats.myTopEmojiUrl) {
|
if (stats.myTopEmojiUrl) {
|
||||||
const res = await window.electronAPI.chat.downloadEmoji(stats.myTopEmojiUrl, stats.myTopEmojiMd5)
|
const res = await window.electronAPI.chat.downloadEmoji(stats.myTopEmojiUrl, stats.myTopEmojiMd5)
|
||||||
@@ -273,12 +192,15 @@ function DualReportWindow() {
|
|||||||
: null
|
: null
|
||||||
const yearFirstChat = reportData.yearFirstChat
|
const yearFirstChat = reportData.yearFirstChat
|
||||||
const stats = reportData.stats
|
const stats = reportData.stats
|
||||||
|
const initiativeTotal = (reportData.initiative?.initiated || 0) + (reportData.initiative?.received || 0)
|
||||||
|
const initiatedPercent = initiativeTotal > 0 ? (reportData.initiative!.initiated / initiativeTotal) * 100 : 0
|
||||||
|
const receivedPercent = initiativeTotal > 0 ? (reportData.initiative!.received / initiativeTotal) * 100 : 0
|
||||||
const statItems = [
|
const statItems = [
|
||||||
{ label: '总消息数', value: stats.totalMessages },
|
{ label: '总消息数', value: stats.totalMessages, color: '#07C160' },
|
||||||
{ label: '总字数', value: stats.totalWords },
|
{ label: '总字数', value: stats.totalWords, color: '#10AEFF' },
|
||||||
{ label: '图片', value: stats.imageCount },
|
{ label: '图片', value: stats.imageCount, color: '#FFC300' },
|
||||||
{ label: '语音', value: stats.voiceCount },
|
{ label: '语音', value: stats.voiceCount, color: '#FA5151' },
|
||||||
{ label: '表情', value: stats.emojiCount },
|
{ label: '表情', value: stats.emojiCount, color: '#FA9D3B' },
|
||||||
]
|
]
|
||||||
|
|
||||||
const decodeEntities = (text: string) => (
|
const decodeEntities = (text: string) => (
|
||||||
@@ -290,7 +212,28 @@ function DualReportWindow() {
|
|||||||
.replace(/'/g, "'")
|
.replace(/'/g, "'")
|
||||||
)
|
)
|
||||||
|
|
||||||
|
const filterDisplayMessages = (messages: DualReportMessage[], maxActual: number = 3) => {
|
||||||
|
let actualCount = 0
|
||||||
|
const result: DualReportMessage[] = []
|
||||||
|
for (const msg of messages) {
|
||||||
|
const isSystem = msg.localType === 10000 || msg.localType === 10002
|
||||||
|
if (!isSystem) {
|
||||||
|
if (actualCount >= maxActual) break
|
||||||
|
actualCount++
|
||||||
|
}
|
||||||
|
result.push(msg)
|
||||||
|
}
|
||||||
|
return result
|
||||||
|
}
|
||||||
|
|
||||||
const stripCdata = (text: string) => text.replace(/<!\[CDATA\[([\s\S]*?)\]\]>/g, '$1')
|
const stripCdata = (text: string) => text.replace(/<!\[CDATA\[([\s\S]*?)\]\]>/g, '$1')
|
||||||
|
const compactMessageText = (text: string) => (
|
||||||
|
text
|
||||||
|
.replace(/\r\n/g, '\n')
|
||||||
|
.replace(/\s*\n+\s*/g, ' ')
|
||||||
|
.replace(/\s{2,}/g, ' ')
|
||||||
|
.trim()
|
||||||
|
)
|
||||||
|
|
||||||
const extractXmlText = (content: string) => {
|
const extractXmlText = (content: string) => {
|
||||||
const titleMatch = content.match(/<title>([\s\S]*?)<\/title>/i)
|
const titleMatch = content.match(/<title>([\s\S]*?)<\/title>/i)
|
||||||
@@ -304,16 +247,62 @@ function DualReportWindow() {
|
|||||||
return ''
|
return ''
|
||||||
}
|
}
|
||||||
|
|
||||||
const formatMessageContent = (content?: string) => {
|
const formatMessageContent = (content?: string, localType?: number) => {
|
||||||
const raw = String(content || '').trim()
|
const isSystemMsg = localType === 10000 || localType === 10002
|
||||||
|
if (!isSystemMsg) {
|
||||||
|
if (localType === 3) return '[图片]'
|
||||||
|
if (localType === 34) return '[语音]'
|
||||||
|
if (localType === 43) return '[视频]'
|
||||||
|
if (localType === 47) return '[表情]'
|
||||||
|
if (localType === 42) return '[名片]'
|
||||||
|
if (localType === 48) return '[位置]'
|
||||||
|
if (localType === 49) return '[链接/文件]'
|
||||||
|
}
|
||||||
|
|
||||||
|
const raw = compactMessageText(String(content || '').trim())
|
||||||
if (!raw) return '(空)'
|
if (!raw) return '(空)'
|
||||||
|
|
||||||
|
// 1. 尝试提取 XML 关键字段
|
||||||
|
const titleMatch = raw.match(/<title>([\s\S]*?)<\/title>/i)
|
||||||
|
if (titleMatch?.[1]) return compactMessageText(decodeEntities(stripCdata(titleMatch[1]).trim()))
|
||||||
|
|
||||||
|
const descMatch = raw.match(/<des>([\s\S]*?)<\/des>/i)
|
||||||
|
if (descMatch?.[1]) return compactMessageText(decodeEntities(stripCdata(descMatch[1]).trim()))
|
||||||
|
|
||||||
|
const summaryMatch = raw.match(/<summary>([\s\S]*?)<\/summary>/i)
|
||||||
|
if (summaryMatch?.[1]) return compactMessageText(decodeEntities(stripCdata(summaryMatch[1]).trim()))
|
||||||
|
|
||||||
|
// 2. 检查是否是 XML 结构
|
||||||
const hasXmlTag = /<\s*[a-zA-Z]+[^>]*>/.test(raw)
|
const hasXmlTag = /<\s*[a-zA-Z]+[^>]*>/.test(raw)
|
||||||
const looksLikeXml = /<\?xml|<msg\b|<appmsg\b|<sysmsg\b|<appattach\b|<emoji\b|<img\b|<voip\b/i.test(raw)
|
const looksLikeXml = /<\?xml|<msg\b|<appmsg\b|<sysmsg\b|<appattach\b|<emoji\b|<img\b|<voip\b/i.test(raw) || hasXmlTag
|
||||||
|| hasXmlTag
|
|
||||||
if (!looksLikeXml) return raw
|
if (!looksLikeXml) return raw
|
||||||
const extracted = extractXmlText(raw)
|
|
||||||
if (!extracted) return '(XML消息)'
|
// 3. 最后的尝试:移除所有 XML 标签,看是否还有有意义的文本
|
||||||
return decodeEntities(stripCdata(extracted).trim()) || '(XML消息)'
|
const stripped = raw.replace(/<[^>]+>/g, '').trim()
|
||||||
|
if (stripped && stripped.length > 0 && stripped.length < 50) {
|
||||||
|
return compactMessageText(decodeEntities(stripped))
|
||||||
|
}
|
||||||
|
|
||||||
|
return '[多媒体消息]'
|
||||||
|
}
|
||||||
|
|
||||||
|
const ReportMessageItem = ({ msg }: { msg: DualReportMessage }) => {
|
||||||
|
if (msg.localType === 47 && (msg.emojiMd5 || msg.emojiCdnUrl)) {
|
||||||
|
const emojiUrl = msg.emojiCdnUrl || (msg.emojiMd5 ? `https://emoji.qpic.cn/wx_emoji/${msg.emojiMd5}/0` : '')
|
||||||
|
if (emojiUrl) {
|
||||||
|
return (
|
||||||
|
<div className="report-emoji-container">
|
||||||
|
<img src={emojiUrl} alt="表情" className="report-emoji-img" onError={(e) => {
|
||||||
|
(e.target as HTMLImageElement).style.display = 'none';
|
||||||
|
(e.target as HTMLImageElement).nextElementSibling?.removeAttribute('style');
|
||||||
|
}} />
|
||||||
|
<span style={{ display: 'none' }}>[表情]</span>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return <span>{formatMessageContent(msg.content, msg.localType)}</span>
|
||||||
}
|
}
|
||||||
const formatFullDate = (timestamp: number) => {
|
const formatFullDate = (timestamp: number) => {
|
||||||
const d = new Date(timestamp)
|
const d = new Date(timestamp)
|
||||||
@@ -325,6 +314,87 @@ function DualReportWindow() {
|
|||||||
return `${year}/${month}/${day} ${hour}:${minute}`
|
return `${year}/${month}/${day} ${hour}:${minute}`
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const getMostActiveTime = (data: number[][]) => {
|
||||||
|
let maxHour = 0
|
||||||
|
let maxWeekday = 0
|
||||||
|
let maxVal = -1
|
||||||
|
data.forEach((row, weekday) => {
|
||||||
|
row.forEach((value, hour) => {
|
||||||
|
if (value > maxVal) {
|
||||||
|
maxVal = value
|
||||||
|
maxHour = hour
|
||||||
|
maxWeekday = weekday
|
||||||
|
}
|
||||||
|
})
|
||||||
|
})
|
||||||
|
const weekdayNames = ['周一', '周二', '周三', '周四', '周五', '周六', '周日']
|
||||||
|
return {
|
||||||
|
weekday: weekdayNames[maxWeekday] || '周一',
|
||||||
|
hour: maxHour,
|
||||||
|
value: Math.max(0, maxVal)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const mostActive = reportData.heatmap ? getMostActiveTime(reportData.heatmap) : null
|
||||||
|
const responseAvgMinutes = reportData.response ? Math.max(0, Math.round(reportData.response.avg / 60)) : 0
|
||||||
|
const getSceneAvatarUrl = (isSentByMe: boolean) => (isSentByMe ? reportData.selfAvatarUrl : reportData.friendAvatarUrl)
|
||||||
|
const getSceneAvatarFallback = (isSentByMe: boolean) => (isSentByMe ? '我' : reportData.friendName.substring(0, 1))
|
||||||
|
const renderSceneAvatar = (isSentByMe: boolean) => {
|
||||||
|
const avatarUrl = getSceneAvatarUrl(isSentByMe)
|
||||||
|
if (avatarUrl) {
|
||||||
|
return (
|
||||||
|
<div className="scene-avatar with-image">
|
||||||
|
<img src={avatarUrl} alt={isSentByMe ? 'me-avatar' : 'friend-avatar'} />
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
return <div className="scene-avatar fallback">{getSceneAvatarFallback(isSentByMe)}</div>
|
||||||
|
}
|
||||||
|
|
||||||
|
const renderMessageList = (messages: DualReportMessage[]) => {
|
||||||
|
const displayMsgs = filterDisplayMessages(messages)
|
||||||
|
let lastTime = 0
|
||||||
|
const TIME_THRESHOLD = 5 * 60 * 1000 // 5 分钟
|
||||||
|
|
||||||
|
return displayMsgs.map((msg, idx) => {
|
||||||
|
const isSystem = msg.localType === 10000 || msg.localType === 10002
|
||||||
|
const showTime = idx === 0 || (msg.createTime - lastTime > TIME_THRESHOLD)
|
||||||
|
lastTime = msg.createTime
|
||||||
|
|
||||||
|
if (isSystem) {
|
||||||
|
return (
|
||||||
|
<div key={idx} className="scene-message system">
|
||||||
|
{showTime && (
|
||||||
|
<div className="scene-meta">
|
||||||
|
{formatFullDate(msg.createTime).split(' ')[1]}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
<div className="system-msg-content">
|
||||||
|
<ReportMessageItem msg={msg} />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
return (
|
||||||
|
<div key={idx} className={`scene-message ${msg.isSentByMe ? 'sent' : 'received'}`}>
|
||||||
|
{showTime && (
|
||||||
|
<div className="scene-meta">
|
||||||
|
{formatFullDate(msg.createTime).split(' ')[1]}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
<div className="scene-body">
|
||||||
|
{renderSceneAvatar(msg.isSentByMe)}
|
||||||
|
<div className="scene-content-wrapper">
|
||||||
|
<div className={`scene-bubble ${msg.localType === 47 ? 'no-bubble' : ''}`}>
|
||||||
|
<div className="scene-content"><ReportMessageItem msg={msg} /></div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div className="annual-report-window dual-report-window">
|
<div className="annual-report-window dual-report-window">
|
||||||
<div className="drag-region" />
|
<div className="drag-region" />
|
||||||
@@ -344,7 +414,7 @@ function DualReportWindow() {
|
|||||||
<h1 className="hero-title dual-cover-title">{yearTitle}<br />双人聊天报告</h1>
|
<h1 className="hero-title dual-cover-title">{yearTitle}<br />双人聊天报告</h1>
|
||||||
<hr className="divider" />
|
<hr className="divider" />
|
||||||
<div className="dual-names">
|
<div className="dual-names">
|
||||||
<span>{reportData.selfName}</span>
|
<span>我</span>
|
||||||
<span className="amp">&</span>
|
<span className="amp">&</span>
|
||||||
<span>{reportData.friendName}</span>
|
<span>{reportData.friendName}</span>
|
||||||
</div>
|
</div>
|
||||||
@@ -355,105 +425,217 @@ function DualReportWindow() {
|
|||||||
<div className="label-text">首次聊天</div>
|
<div className="label-text">首次聊天</div>
|
||||||
<h2 className="hero-title">故事的开始</h2>
|
<h2 className="hero-title">故事的开始</h2>
|
||||||
{firstChat ? (
|
{firstChat ? (
|
||||||
<>
|
<div className="first-chat-scene">
|
||||||
<div className="dual-info-grid">
|
<div className="scene-title">第一次遇见</div>
|
||||||
<div className="dual-info-card">
|
<div className="scene-subtitle">{formatFullDate(firstChat.createTime).split(' ')[0]}</div>
|
||||||
<div className="info-label">第一次聊天时间</div>
|
|
||||||
<div className="info-value">{formatFullDate(firstChat.createTime)}</div>
|
|
||||||
</div>
|
|
||||||
<div className="dual-info-card">
|
|
||||||
<div className="info-label">距今天数</div>
|
|
||||||
<div className="info-value">{daysSince} 天</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
{firstChatMessages.length > 0 ? (
|
{firstChatMessages.length > 0 ? (
|
||||||
<div className="dual-message-list">
|
<div className="scene-messages">
|
||||||
{firstChatMessages.map((msg, idx) => (
|
{renderMessageList(firstChatMessages)}
|
||||||
<div
|
|
||||||
key={idx}
|
|
||||||
className={`dual-message ${msg.isSentByMe ? 'sent' : 'received'}`}
|
|
||||||
>
|
|
||||||
<div className="message-meta">
|
|
||||||
{msg.isSentByMe ? reportData.selfName : reportData.friendName} · {formatFullDate(msg.createTime)}
|
|
||||||
</div>
|
|
||||||
<div className="message-content">{formatMessageContent(msg.content)}</div>
|
|
||||||
</div>
|
|
||||||
))}
|
|
||||||
</div>
|
</div>
|
||||||
) : null}
|
) : (
|
||||||
</>
|
<div className="hero-desc" style={{ textAlign: 'center' }}>暂无消息详情</div>
|
||||||
|
)}
|
||||||
|
<div className="scene-footer" style={{ marginTop: '20px', textAlign: 'center', fontSize: '14px', opacity: 0.6 }}>
|
||||||
|
距离今天已经 {daysSince} 天
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
) : (
|
) : (
|
||||||
<p className="hero-desc">暂无首条消息</p>
|
<p className="hero-desc">暂无首条消息</p>
|
||||||
)}
|
)}
|
||||||
</section>
|
</section>
|
||||||
|
|
||||||
{yearFirstChat ? (
|
{yearFirstChat && (!firstChat || yearFirstChat.createTime !== firstChat.createTime) ? (
|
||||||
<section className="section">
|
<section className="section">
|
||||||
<div className="label-text">第一段对话</div>
|
<div className="label-text">第一段对话</div>
|
||||||
<h2 className="hero-title">
|
<h2 className="hero-title">
|
||||||
{reportData.year === 0 ? '你们的第一段对话' : `${reportData.year}年的第一段对话`}
|
{reportData.year === 0 ? '你们的第一段对话' : `${reportData.year}年的第一段对话`}
|
||||||
</h2>
|
</h2>
|
||||||
<div className="dual-info-grid">
|
<div className="first-chat-scene">
|
||||||
<div className="dual-info-card">
|
<div className="scene-title">久别重逢</div>
|
||||||
<div className="info-label">第一段对话时间</div>
|
<div className="scene-subtitle">{formatFullDate(yearFirstChat.createTime).split(' ')[0]}</div>
|
||||||
<div className="info-value">{formatFullDate(yearFirstChat.createTime)}</div>
|
<div className="scene-messages">
|
||||||
|
{renderMessageList(yearFirstChat.firstThreeMessages)}
|
||||||
</div>
|
</div>
|
||||||
<div className="dual-info-card">
|
|
||||||
<div className="info-label">发起者</div>
|
|
||||||
<div className="info-value">{yearFirstChat.isSentByMe ? reportData.selfName : reportData.friendName}</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<div className="dual-message-list">
|
|
||||||
{yearFirstChat.firstThreeMessages.map((msg, idx) => (
|
|
||||||
<div key={idx} className={`dual-message ${msg.isSentByMe ? 'sent' : 'received'}`}>
|
|
||||||
<div className="message-meta">
|
|
||||||
{msg.isSentByMe ? reportData.selfName : reportData.friendName} · {formatFullDate(msg.createTime)}
|
|
||||||
</div>
|
|
||||||
<div className="message-content">{formatMessageContent(msg.content)}</div>
|
|
||||||
</div>
|
|
||||||
))}
|
|
||||||
</div>
|
</div>
|
||||||
</section>
|
</section>
|
||||||
) : null}
|
) : null}
|
||||||
|
|
||||||
|
{reportData.heatmap && (
|
||||||
|
<section className="section">
|
||||||
|
<div className="label-text">聊天习惯</div>
|
||||||
|
<h2 className="hero-title">作息规律</h2>
|
||||||
|
{mostActive && (
|
||||||
|
<p className="hero-desc active-time dual-active-time">
|
||||||
|
在 <span className="hl">{mostActive.weekday} {String(mostActive.hour).padStart(2, '0')}:00</span> 最活跃({mostActive.value}条)
|
||||||
|
</p>
|
||||||
|
)}
|
||||||
|
<ReportHeatmap data={reportData.heatmap} />
|
||||||
|
</section>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{reportData.initiative && (
|
||||||
|
<section className="section">
|
||||||
|
<div className="label-text">主动性</div>
|
||||||
|
<h2 className="hero-title">情感的天平</h2>
|
||||||
|
<div className="initiative-container">
|
||||||
|
<div className="initiative-bar-wrapper">
|
||||||
|
<div className="initiative-side">
|
||||||
|
<div className="avatar-placeholder">
|
||||||
|
{reportData.selfAvatarUrl ? <img src={reportData.selfAvatarUrl} alt="me-avatar" /> : '我'}
|
||||||
|
</div>
|
||||||
|
<div className="count">{reportData.initiative.initiated}次</div>
|
||||||
|
<div className="percent">{initiatedPercent.toFixed(1)}%</div>
|
||||||
|
</div>
|
||||||
|
<div className="initiative-progress">
|
||||||
|
<div className="line-bg" />
|
||||||
|
<div
|
||||||
|
className="initiative-indicator"
|
||||||
|
style={{ left: `${initiatedPercent}%` }}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="initiative-side">
|
||||||
|
<div className="avatar-placeholder">
|
||||||
|
{reportData.friendAvatarUrl ? <img src={reportData.friendAvatarUrl} alt="friend-avatar" /> : reportData.friendName.substring(0, 1)}
|
||||||
|
</div>
|
||||||
|
<div className="count">{reportData.initiative.received}次</div>
|
||||||
|
<div className="percent">{receivedPercent.toFixed(1)}%</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className="initiative-desc">
|
||||||
|
{reportData.initiative.initiated > reportData.initiative.received ? '每一个话题都是你对TA的在意' : 'TA总是那个率先打破沉默的人'}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</section>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{reportData.response && (
|
||||||
|
<section className="section">
|
||||||
|
<div className="label-text">回应速度</div>
|
||||||
|
<h2 className="hero-title">你说,我在</h2>
|
||||||
|
<div className="response-pulse-container">
|
||||||
|
<div className="pulse-visual">
|
||||||
|
<div className="pulse-ripple one" />
|
||||||
|
<div className="pulse-ripple two" />
|
||||||
|
<div className="pulse-ripple three" />
|
||||||
|
|
||||||
|
<div className="pulse-node left">
|
||||||
|
<div className="label">最快回复</div>
|
||||||
|
<div className="value">{reportData.response.fastest}<span>秒</span></div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="pulse-hub">
|
||||||
|
<div className="label">平均回复</div>
|
||||||
|
<div className="value">{Math.round(reportData.response.avg / 60)}<span>分</span></div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="pulse-node right">
|
||||||
|
<div className="label">最慢回复</div>
|
||||||
|
<div className="value">
|
||||||
|
{reportData.response.slowest > 3600
|
||||||
|
? (reportData.response.slowest / 3600).toFixed(1)
|
||||||
|
: Math.round(reportData.response.slowest / 60)}
|
||||||
|
<span>{reportData.response.slowest > 3600 ? '时' : '分'}</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<p className="hero-desc response-note">
|
||||||
|
{`在 ${reportData.response.count} 次互动中,平均约 ${responseAvgMinutes} 分钟,最快 ${reportData.response.fastest} 秒。`}
|
||||||
|
</p>
|
||||||
|
</section>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{reportData.streak && (
|
||||||
|
<section className="section">
|
||||||
|
<div className="label-text">聊天火花</div>
|
||||||
|
<h2 className="hero-title">最长连续聊天</h2>
|
||||||
|
<div className="streak-spark-visual premium">
|
||||||
|
<div className="spark-ambient-glow" />
|
||||||
|
|
||||||
|
<div className="spark-ember one" />
|
||||||
|
<div className="spark-ember two" />
|
||||||
|
<div className="spark-ember three" />
|
||||||
|
<div className="spark-ember four" />
|
||||||
|
|
||||||
|
<div className="spark-core-wrapper">
|
||||||
|
<div className="spark-flame-outer" />
|
||||||
|
<div className="spark-flame-inner" />
|
||||||
|
<div className="spark-core">
|
||||||
|
<div className="spark-days">{reportData.streak.days}</div>
|
||||||
|
<div className="spark-label">DAYS</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="streak-bridge premium">
|
||||||
|
<div className="bridge-date start">
|
||||||
|
<div className="date-orb" />
|
||||||
|
<span>{reportData.streak.startDate}</span>
|
||||||
|
</div>
|
||||||
|
<div className="bridge-line">
|
||||||
|
<div className="line-glow" />
|
||||||
|
<div className="line-string" />
|
||||||
|
</div>
|
||||||
|
<div className="bridge-date end">
|
||||||
|
<span>{reportData.streak.endDate}</span>
|
||||||
|
<div className="date-orb" />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</section>
|
||||||
|
)}
|
||||||
|
|
||||||
<section className="section">
|
<section className="section">
|
||||||
<div className="label-text">常用语</div>
|
<div className="label-text">常用语</div>
|
||||||
<h2 className="hero-title">{yearTitle}常用语</h2>
|
<h2 className="hero-title">{yearTitle}常用语</h2>
|
||||||
<WordCloud words={reportData.topPhrases} />
|
<ReportWordCloud words={reportData.topPhrases} />
|
||||||
</section>
|
</section>
|
||||||
|
|
||||||
<section className="section">
|
<section className="section">
|
||||||
<div className="label-text">年度统计</div>
|
<div className="label-text">年度统计</div>
|
||||||
<h2 className="hero-title">{yearTitle}数据概览</h2>
|
<h2 className="hero-title">{yearTitle}数据概览</h2>
|
||||||
<div className="dual-stat-grid">
|
<div className="dual-stat-grid">
|
||||||
{statItems.map((item) => {
|
{statItems.slice(0, 2).map((item) => (
|
||||||
const valueText = item.value.toLocaleString()
|
<div key={item.label} className="dual-stat-card">
|
||||||
const isLong = valueText.length > 7
|
<div className="stat-num">{item.value.toLocaleString()}</div>
|
||||||
return (
|
<div className="stat-unit">{item.label}</div>
|
||||||
<div key={item.label} className={`dual-stat-card ${isLong ? 'long' : ''}`}>
|
</div>
|
||||||
<div className="stat-num">{valueText}</div>
|
))}
|
||||||
<div className="stat-unit">{item.label}</div>
|
</div>
|
||||||
</div>
|
<div className="dual-stat-grid bottom">
|
||||||
)
|
{statItems.slice(2).map((item) => (
|
||||||
})}
|
<div key={item.label} className="dual-stat-card">
|
||||||
|
<div className="stat-num small">{item.value.toLocaleString()}</div>
|
||||||
|
<div className="stat-unit">{item.label}</div>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div className="emoji-row">
|
<div className="emoji-row">
|
||||||
<div className="emoji-card">
|
<div className="emoji-card">
|
||||||
<div className="emoji-title">我常用的表情</div>
|
<div className="emoji-title">我常用的表情</div>
|
||||||
{myEmojiUrl ? (
|
{myEmojiUrl ? (
|
||||||
<img src={myEmojiUrl} alt="my-emoji" />
|
<img src={myEmojiUrl} alt="my-emoji" onError={(e) => {
|
||||||
) : (
|
(e.target as HTMLImageElement).nextElementSibling?.removeAttribute('style');
|
||||||
<div className="emoji-placeholder">{stats.myTopEmojiMd5 || '暂无'}</div>
|
(e.target as HTMLImageElement).style.display = 'none';
|
||||||
)}
|
}} />
|
||||||
|
) : null}
|
||||||
|
<div className="emoji-placeholder" style={myEmojiUrl ? { display: 'none' } : undefined}>
|
||||||
|
{stats.myTopEmojiMd5 || '暂无'}
|
||||||
|
</div>
|
||||||
|
<div className="emoji-count">{stats.myTopEmojiCount ? `${stats.myTopEmojiCount}次` : '暂无统计'}</div>
|
||||||
</div>
|
</div>
|
||||||
<div className="emoji-card">
|
<div className="emoji-card">
|
||||||
<div className="emoji-title">{reportData.friendName}常用的表情</div>
|
<div className="emoji-title">{reportData.friendName}常用的表情</div>
|
||||||
{friendEmojiUrl ? (
|
{friendEmojiUrl ? (
|
||||||
<img src={friendEmojiUrl} alt="friend-emoji" />
|
<img src={friendEmojiUrl} alt="friend-emoji" onError={(e) => {
|
||||||
) : (
|
(e.target as HTMLImageElement).nextElementSibling?.removeAttribute('style');
|
||||||
<div className="emoji-placeholder">{stats.friendTopEmojiMd5 || '暂无'}</div>
|
(e.target as HTMLImageElement).style.display = 'none';
|
||||||
)}
|
}} />
|
||||||
|
) : null}
|
||||||
|
<div className="emoji-placeholder" style={friendEmojiUrl ? { display: 'none' } : undefined}>
|
||||||
|
{stats.friendTopEmojiMd5 || '暂无'}
|
||||||
|
</div>
|
||||||
|
<div className="emoji-count">{stats.friendTopEmojiCount ? `${stats.friendTopEmojiCount}次` : '暂无统计'}</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</section>
|
</section>
|
||||||
|
|||||||
@@ -1,4 +1,5 @@
|
|||||||
import { useState, useEffect, useCallback, useRef } from 'react'
|
import { useState, useEffect, useCallback, useRef, useMemo } from 'react'
|
||||||
|
import { useLocation } from 'react-router-dom'
|
||||||
import { Search, Download, FolderOpen, RefreshCw, Check, Calendar, FileJson, FileText, Table, Loader2, X, ChevronDown, ChevronLeft, ChevronRight, FileSpreadsheet, Database, FileCode, CheckCircle, XCircle, ExternalLink } from 'lucide-react'
|
import { Search, Download, FolderOpen, RefreshCw, Check, Calendar, FileJson, FileText, Table, Loader2, X, ChevronDown, ChevronLeft, ChevronRight, FileSpreadsheet, Database, FileCode, CheckCircle, XCircle, ExternalLink } from 'lucide-react'
|
||||||
import * as configService from '../services/config'
|
import * as configService from '../services/config'
|
||||||
import './ExportPage.scss'
|
import './ExportPage.scss'
|
||||||
@@ -12,7 +13,7 @@ interface ChatSession {
|
|||||||
}
|
}
|
||||||
|
|
||||||
interface ExportOptions {
|
interface ExportOptions {
|
||||||
format: 'chatlab' | 'chatlab-jsonl' | 'json' | 'html' | 'txt' | 'excel' | 'sql'
|
format: 'chatlab' | 'chatlab-jsonl' | 'json' | 'html' | 'txt' | 'excel' | 'weclone' | 'sql'
|
||||||
dateRange: { start: Date; end: Date } | null
|
dateRange: { start: Date; end: Date } | null
|
||||||
useAllTime: boolean
|
useAllTime: boolean
|
||||||
exportAvatars: boolean
|
exportAvatars: boolean
|
||||||
@@ -38,6 +39,7 @@ interface ExportResult {
|
|||||||
type SessionLayout = 'shared' | 'per-session'
|
type SessionLayout = 'shared' | 'per-session'
|
||||||
|
|
||||||
function ExportPage() {
|
function ExportPage() {
|
||||||
|
const location = useLocation()
|
||||||
const defaultTxtColumns = ['index', 'time', 'senderRole', 'messageType', 'content']
|
const defaultTxtColumns = ['index', 'time', 'senderRole', 'messageType', 'content']
|
||||||
const [sessions, setSessions] = useState<ChatSession[]>([])
|
const [sessions, setSessions] = useState<ChatSession[]>([])
|
||||||
const [filteredSessions, setFilteredSessions] = useState<ChatSession[]>([])
|
const [filteredSessions, setFilteredSessions] = useState<ChatSession[]>([])
|
||||||
@@ -46,14 +48,36 @@ function ExportPage() {
|
|||||||
const [searchKeyword, setSearchKeyword] = useState('')
|
const [searchKeyword, setSearchKeyword] = useState('')
|
||||||
const [exportFolder, setExportFolder] = useState<string>('')
|
const [exportFolder, setExportFolder] = useState<string>('')
|
||||||
const [isExporting, setIsExporting] = useState(false)
|
const [isExporting, setIsExporting] = useState(false)
|
||||||
const [exportProgress, setExportProgress] = useState({ current: 0, total: 0, currentName: '' })
|
const [exportProgress, setExportProgress] = useState({ current: 0, total: 0, currentName: '', phaseLabel: '', phaseProgress: 0, phaseTotal: 0 })
|
||||||
const [exportResult, setExportResult] = useState<ExportResult | null>(null)
|
const [exportResult, setExportResult] = useState<ExportResult | null>(null)
|
||||||
const [showDatePicker, setShowDatePicker] = useState(false)
|
const [showDatePicker, setShowDatePicker] = useState(false)
|
||||||
const [calendarDate, setCalendarDate] = useState(new Date())
|
const [calendarDate, setCalendarDate] = useState(new Date())
|
||||||
const [selectingStart, setSelectingStart] = useState(true)
|
const [selectingStart, setSelectingStart] = useState(true)
|
||||||
const [showMediaLayoutPrompt, setShowMediaLayoutPrompt] = useState(false)
|
const [showMediaLayoutPrompt, setShowMediaLayoutPrompt] = useState(false)
|
||||||
const [showDisplayNameSelect, setShowDisplayNameSelect] = useState(false)
|
const [showDisplayNameSelect, setShowDisplayNameSelect] = useState(false)
|
||||||
|
const [showPreExportDialog, setShowPreExportDialog] = useState(false)
|
||||||
|
const [preExportStats, setPreExportStats] = useState<{
|
||||||
|
totalMessages: number; voiceMessages: number; cachedVoiceCount: number;
|
||||||
|
needTranscribeCount: number; mediaMessages: number; estimatedSeconds: number
|
||||||
|
} | null>(null)
|
||||||
|
const [isLoadingStats, setIsLoadingStats] = useState(false)
|
||||||
|
const [pendingLayout, setPendingLayout] = useState<SessionLayout>('shared')
|
||||||
|
const exportStartTime = useRef<number>(0)
|
||||||
|
const [elapsedSeconds, setElapsedSeconds] = useState(0)
|
||||||
const displayNameDropdownRef = useRef<HTMLDivElement>(null)
|
const displayNameDropdownRef = useRef<HTMLDivElement>(null)
|
||||||
|
const preselectAppliedRef = useRef(false)
|
||||||
|
|
||||||
|
const preselectSessionIds = useMemo(() => {
|
||||||
|
const state = location.state as { preselectSessionIds?: unknown; preselectSessionId?: unknown } | null
|
||||||
|
const rawList = Array.isArray(state?.preselectSessionIds)
|
||||||
|
? state?.preselectSessionIds
|
||||||
|
: (typeof state?.preselectSessionId === 'string' ? [state.preselectSessionId] : [])
|
||||||
|
|
||||||
|
return rawList
|
||||||
|
.filter((item): item is string => typeof item === 'string')
|
||||||
|
.map(item => item.trim())
|
||||||
|
.filter(Boolean)
|
||||||
|
}, [location.state])
|
||||||
|
|
||||||
const [options, setOptions] = useState<ExportOptions>({
|
const [options, setOptions] = useState<ExportOptions>({
|
||||||
format: 'excel',
|
format: 'excel',
|
||||||
@@ -68,7 +92,7 @@ function ExportPage() {
|
|||||||
exportVoices: true,
|
exportVoices: true,
|
||||||
exportVideos: true,
|
exportVideos: true,
|
||||||
exportEmojis: true,
|
exportEmojis: true,
|
||||||
exportVoiceAsText: true,
|
exportVoiceAsText: false,
|
||||||
excelCompactColumns: true,
|
excelCompactColumns: true,
|
||||||
txtColumns: defaultTxtColumns,
|
txtColumns: defaultTxtColumns,
|
||||||
displayNamePreference: 'remark',
|
displayNamePreference: 'remark',
|
||||||
@@ -159,7 +183,7 @@ function ExportPage() {
|
|||||||
useAllTime: rangeDefaults.useAllTime,
|
useAllTime: rangeDefaults.useAllTime,
|
||||||
dateRange: rangeDefaults.dateRange,
|
dateRange: rangeDefaults.dateRange,
|
||||||
exportMedia: savedMedia ?? false,
|
exportMedia: savedMedia ?? false,
|
||||||
exportVoiceAsText: savedVoiceAsText ?? true,
|
exportVoiceAsText: savedVoiceAsText ?? false,
|
||||||
excelCompactColumns: savedExcelCompactColumns ?? true,
|
excelCompactColumns: savedExcelCompactColumns ?? true,
|
||||||
txtColumns,
|
txtColumns,
|
||||||
exportConcurrency: savedConcurrency ?? 2
|
exportConcurrency: savedConcurrency ?? 2
|
||||||
@@ -175,6 +199,24 @@ function ExportPage() {
|
|||||||
loadExportDefaults()
|
loadExportDefaults()
|
||||||
}, [loadSessions, loadExportPath, loadExportDefaults])
|
}, [loadSessions, loadExportPath, loadExportDefaults])
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
preselectAppliedRef.current = false
|
||||||
|
}, [location.key, preselectSessionIds])
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (preselectAppliedRef.current) return
|
||||||
|
if (sessions.length === 0 || preselectSessionIds.length === 0) return
|
||||||
|
|
||||||
|
const exists = new Set(sessions.map(session => session.username))
|
||||||
|
const matched = preselectSessionIds.filter(id => exists.has(id))
|
||||||
|
preselectAppliedRef.current = true
|
||||||
|
|
||||||
|
if (matched.length > 0) {
|
||||||
|
setSelectedSessions(new Set(matched))
|
||||||
|
setSearchKeyword('')
|
||||||
|
}
|
||||||
|
}, [sessions, preselectSessionIds])
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const handleChange = () => {
|
const handleChange = () => {
|
||||||
setSelectedSessions(new Set())
|
setSelectedSessions(new Set())
|
||||||
@@ -189,17 +231,30 @@ function ExportPage() {
|
|||||||
}, [loadSessions])
|
}, [loadSessions])
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const removeListener = window.electronAPI.export.onProgress?.((payload: { current: number; total: number; currentSession: string; phase: string }) => {
|
const removeListener = window.electronAPI.export.onProgress?.((payload: { current: number; total: number; currentSession: string; phase: string; phaseProgress?: number; phaseTotal?: number; phaseLabel?: string }) => {
|
||||||
setExportProgress({
|
setExportProgress({
|
||||||
current: payload.current,
|
current: payload.current,
|
||||||
total: payload.total,
|
total: payload.total,
|
||||||
currentName: payload.currentSession
|
currentName: payload.currentSession,
|
||||||
|
phaseLabel: payload.phaseLabel || '',
|
||||||
|
phaseProgress: payload.phaseProgress || 0,
|
||||||
|
phaseTotal: payload.phaseTotal || 0
|
||||||
})
|
})
|
||||||
})
|
})
|
||||||
return () => {
|
return () => {
|
||||||
removeListener?.()
|
removeListener?.()
|
||||||
}
|
}
|
||||||
}, [])
|
}, [])
|
||||||
|
|
||||||
|
// 导出计时器
|
||||||
|
useEffect(() => {
|
||||||
|
if (!isExporting) return
|
||||||
|
const timer = setInterval(() => {
|
||||||
|
setElapsedSeconds(Math.floor((Date.now() - exportStartTime.current) / 1000))
|
||||||
|
}, 1000)
|
||||||
|
return () => clearInterval(timer)
|
||||||
|
}, [isExporting])
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const handleClickOutside = (event: MouseEvent) => {
|
const handleClickOutside = (event: MouseEvent) => {
|
||||||
const target = event.target as Node
|
const target = event.target as Node
|
||||||
@@ -260,8 +315,7 @@ function ExportPage() {
|
|||||||
exportImages: true,
|
exportImages: true,
|
||||||
exportVoices: true,
|
exportVoices: true,
|
||||||
exportVideos: true,
|
exportVideos: true,
|
||||||
exportEmojis: true,
|
exportEmojis: true
|
||||||
exportVoiceAsText: true
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
return next
|
return next
|
||||||
@@ -278,8 +332,10 @@ function ExportPage() {
|
|||||||
if (selectedSessions.size === 0 || !exportFolder) return
|
if (selectedSessions.size === 0 || !exportFolder) return
|
||||||
|
|
||||||
setIsExporting(true)
|
setIsExporting(true)
|
||||||
setExportProgress({ current: 0, total: selectedSessions.size, currentName: '' })
|
setExportProgress({ current: 0, total: selectedSessions.size, currentName: '', phaseLabel: '', phaseProgress: 0, phaseTotal: 0 })
|
||||||
setExportResult(null)
|
setExportResult(null)
|
||||||
|
exportStartTime.current = Date.now()
|
||||||
|
setElapsedSeconds(0)
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const sessionList = Array.from(selectedSessions)
|
const sessionList = Array.from(selectedSessions)
|
||||||
@@ -304,7 +360,7 @@ function ExportPage() {
|
|||||||
} : null
|
} : null
|
||||||
}
|
}
|
||||||
|
|
||||||
if (options.format === 'chatlab' || options.format === 'chatlab-jsonl' || options.format === 'json' || options.format === 'excel' || options.format === 'txt' || options.format === 'html') {
|
if (options.format === 'chatlab' || options.format === 'chatlab-jsonl' || options.format === 'json' || options.format === 'excel' || options.format === 'txt' || options.format === 'html' || options.format === 'weclone') {
|
||||||
const result = await window.electronAPI.export.exportSessions(
|
const result = await window.electronAPI.export.exportSessions(
|
||||||
sessionList,
|
sessionList,
|
||||||
exportFolder,
|
exportFolder,
|
||||||
@@ -322,9 +378,41 @@ function ExportPage() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const startExport = () => {
|
const startExport = async () => {
|
||||||
if (selectedSessions.size === 0 || !exportFolder) return
|
if (selectedSessions.size === 0 || !exportFolder) return
|
||||||
|
|
||||||
|
// 先获取预估统计
|
||||||
|
setIsLoadingStats(true)
|
||||||
|
setShowPreExportDialog(true)
|
||||||
|
try {
|
||||||
|
const sessionList = Array.from(selectedSessions)
|
||||||
|
const exportOptions = {
|
||||||
|
format: options.format,
|
||||||
|
exportVoiceAsText: options.exportVoiceAsText,
|
||||||
|
exportMedia: options.exportMedia,
|
||||||
|
exportImages: options.exportMedia && options.exportImages,
|
||||||
|
exportVoices: options.exportMedia && options.exportVoices,
|
||||||
|
exportVideos: options.exportMedia && options.exportVideos,
|
||||||
|
exportEmojis: options.exportMedia && options.exportEmojis,
|
||||||
|
dateRange: options.useAllTime ? null : options.dateRange ? {
|
||||||
|
start: Math.floor(options.dateRange.start.getTime() / 1000),
|
||||||
|
end: Math.floor(new Date(options.dateRange.end.getFullYear(), options.dateRange.end.getMonth(), options.dateRange.end.getDate(), 23, 59, 59).getTime() / 1000)
|
||||||
|
} : null
|
||||||
|
}
|
||||||
|
const stats = await window.electronAPI.export.getExportStats(sessionList, exportOptions)
|
||||||
|
setPreExportStats(stats)
|
||||||
|
} catch (e) {
|
||||||
|
console.error('获取导出统计失败:', e)
|
||||||
|
setPreExportStats(null)
|
||||||
|
} finally {
|
||||||
|
setIsLoadingStats(false)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const confirmExport = () => {
|
||||||
|
setShowPreExportDialog(false)
|
||||||
|
setPreExportStats(null)
|
||||||
|
|
||||||
if (options.exportMedia && selectedSessions.size > 1) {
|
if (options.exportMedia && selectedSessions.size > 1) {
|
||||||
setShowMediaLayoutPrompt(true)
|
setShowMediaLayoutPrompt(true)
|
||||||
return
|
return
|
||||||
@@ -425,6 +513,7 @@ function ExportPage() {
|
|||||||
{ value: 'html', label: 'HTML', icon: FileText, desc: '网页格式,可直接浏览' },
|
{ value: 'html', label: 'HTML', icon: FileText, desc: '网页格式,可直接浏览' },
|
||||||
{ value: 'txt', label: 'TXT', icon: Table, desc: '纯文本,通用格式' },
|
{ value: 'txt', label: 'TXT', icon: Table, desc: '纯文本,通用格式' },
|
||||||
{ value: 'excel', label: 'Excel', icon: FileSpreadsheet, desc: '电子表格,适合统计分析' },
|
{ value: 'excel', label: 'Excel', icon: FileSpreadsheet, desc: '电子表格,适合统计分析' },
|
||||||
|
{ value: 'weclone', label: 'WeClone CSV', icon: Table, desc: 'WeClone 兼容字段格式(CSV)' },
|
||||||
{ value: 'sql', label: 'PostgreSQL', icon: Database, desc: '数据库脚本,便于导入到数据库' }
|
{ value: 'sql', label: 'PostgreSQL', icon: Database, desc: '数据库脚本,便于导入到数据库' }
|
||||||
]
|
]
|
||||||
const displayNameOptions = [
|
const displayNameOptions = [
|
||||||
@@ -814,6 +903,71 @@ function ExportPage() {
|
|||||||
</div>
|
</div>
|
||||||
)}
|
)}
|
||||||
|
|
||||||
|
{/* 导出前预估弹窗 */}
|
||||||
|
{showPreExportDialog && (
|
||||||
|
<div className="export-overlay">
|
||||||
|
<div className="export-layout-modal" onClick={e => e.stopPropagation()}>
|
||||||
|
<h3>导出预估</h3>
|
||||||
|
{isLoadingStats ? (
|
||||||
|
<div style={{ display: 'flex', alignItems: 'center', gap: 8, padding: '24px 0', justifyContent: 'center' }}>
|
||||||
|
<Loader2 size={20} className="spin" />
|
||||||
|
<span style={{ fontSize: 14, color: 'var(--text-secondary)' }}>正在统计消息...</span>
|
||||||
|
</div>
|
||||||
|
) : preExportStats ? (
|
||||||
|
<div style={{ padding: '12px 0' }}>
|
||||||
|
<div style={{ display: 'grid', gridTemplateColumns: '1fr 1fr', gap: '12px 24px', fontSize: 14 }}>
|
||||||
|
<div>
|
||||||
|
<span style={{ color: 'var(--text-secondary)' }}>会话数</span>
|
||||||
|
<div style={{ fontWeight: 600, fontSize: 18, marginTop: 2 }}>{selectedSessions.size}</div>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<span style={{ color: 'var(--text-secondary)' }}>总消息</span>
|
||||||
|
<div style={{ fontWeight: 600, fontSize: 18, marginTop: 2 }}>{preExportStats.totalMessages.toLocaleString()}</div>
|
||||||
|
</div>
|
||||||
|
{options.exportVoiceAsText && preExportStats.voiceMessages > 0 && (
|
||||||
|
<>
|
||||||
|
<div>
|
||||||
|
<span style={{ color: 'var(--text-secondary)' }}>语音消息</span>
|
||||||
|
<div style={{ fontWeight: 600, fontSize: 18, marginTop: 2 }}>{preExportStats.voiceMessages}</div>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<span style={{ color: 'var(--text-secondary)' }}>已有缓存</span>
|
||||||
|
<div style={{ fontWeight: 600, fontSize: 18, marginTop: 2, color: 'var(--primary)' }}>{preExportStats.cachedVoiceCount}</div>
|
||||||
|
</div>
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
{options.exportVoiceAsText && preExportStats.needTranscribeCount > 0 && (
|
||||||
|
<div style={{ marginTop: 16, padding: '10px 12px', background: 'var(--bg-tertiary)', borderRadius: 8, fontSize: 13 }}>
|
||||||
|
<span style={{ color: 'var(--text-warning, #e6a23c)' }}>⚠</span>
|
||||||
|
{' '}需要转写 <b>{preExportStats.needTranscribeCount}</b> 条语音,预计耗时约 <b>{preExportStats.estimatedSeconds > 60
|
||||||
|
? `${Math.round(preExportStats.estimatedSeconds / 60)} 分钟`
|
||||||
|
: `${preExportStats.estimatedSeconds} 秒`
|
||||||
|
}</b>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
{options.exportVoiceAsText && preExportStats.voiceMessages > 0 && preExportStats.needTranscribeCount === 0 && (
|
||||||
|
<div style={{ marginTop: 16, padding: '10px 12px', background: 'var(--bg-tertiary)', borderRadius: 8, fontSize: 13 }}>
|
||||||
|
<span style={{ color: 'var(--text-success, #67c23a)' }}>✓</span>
|
||||||
|
{' '}所有 {preExportStats.voiceMessages} 条语音已有转写缓存,无需重新转写
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<p style={{ fontSize: 14, color: 'var(--text-secondary)', padding: '16px 0' }}>统计信息获取失败,仍可继续导出</p>
|
||||||
|
)}
|
||||||
|
<div className="layout-actions" style={{ display: 'flex', gap: 8, justifyContent: 'flex-end', marginTop: 8 }}>
|
||||||
|
<button className="layout-cancel-btn" onClick={() => { setShowPreExportDialog(false); setPreExportStats(null) }}>
|
||||||
|
取消
|
||||||
|
</button>
|
||||||
|
<button className="layout-option-btn primary" onClick={confirmExport} disabled={isLoadingStats}>
|
||||||
|
<span className="layout-title">开始导出</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
{/* 导出进度弹窗 */}
|
{/* 导出进度弹窗 */}
|
||||||
{isExporting && (
|
{isExporting && (
|
||||||
<div className="export-overlay">
|
<div className="export-overlay">
|
||||||
@@ -823,13 +977,31 @@ function ExportPage() {
|
|||||||
</div>
|
</div>
|
||||||
<h3>正在导出</h3>
|
<h3>正在导出</h3>
|
||||||
<p className="progress-text">{exportProgress.currentName}</p>
|
<p className="progress-text">{exportProgress.currentName}</p>
|
||||||
|
{exportProgress.phaseLabel && (
|
||||||
|
<p className="progress-phase-label" style={{ fontSize: 13, color: 'var(--text-secondary)', margin: '4px 0 8px' }}>
|
||||||
|
{exportProgress.phaseLabel}
|
||||||
|
</p>
|
||||||
|
)}
|
||||||
|
{exportProgress.phaseTotal > 0 && (
|
||||||
|
<div className="progress-bar" style={{ marginBottom: 8 }}>
|
||||||
|
<div
|
||||||
|
className="progress-fill"
|
||||||
|
style={{ width: `${(exportProgress.phaseProgress / exportProgress.phaseTotal) * 100}%`, background: 'var(--primary-light, #79bbff)' }}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
<div className="progress-bar">
|
<div className="progress-bar">
|
||||||
<div
|
<div
|
||||||
className="progress-fill"
|
className="progress-fill"
|
||||||
style={{ width: `${(exportProgress.current / exportProgress.total) * 100}%` }}
|
style={{ width: `${exportProgress.total > 0 ? (exportProgress.current / exportProgress.total) * 100 : 0}%` }}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
<p className="progress-count">{exportProgress.current} / {exportProgress.total}</p>
|
<p className="progress-count">
|
||||||
|
{exportProgress.current} / {exportProgress.total} 个会话
|
||||||
|
<span style={{ marginLeft: 12, fontSize: 12, color: 'var(--text-secondary)' }}>
|
||||||
|
{elapsedSeconds > 0 && `已用 ${elapsedSeconds >= 60 ? `${Math.floor(elapsedSeconds / 60)}分${elapsedSeconds % 60}秒` : `${elapsedSeconds}秒`}`}
|
||||||
|
</span>
|
||||||
|
</p>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
)}
|
)}
|
||||||
|
|||||||
@@ -1,4 +1,5 @@
|
|||||||
import { useState, useEffect, useRef, useCallback } from 'react'
|
import { useState, useEffect, useRef, useCallback, useMemo } from 'react'
|
||||||
|
import { useLocation } from 'react-router-dom'
|
||||||
import { Users, BarChart3, Clock, Image, Loader2, RefreshCw, User, Medal, Search, X, ChevronLeft, Copy, Check, Download } from 'lucide-react'
|
import { Users, BarChart3, Clock, Image, Loader2, RefreshCw, User, Medal, Search, X, ChevronLeft, Copy, Check, Download } from 'lucide-react'
|
||||||
import { Avatar } from '../components/Avatar'
|
import { Avatar } from '../components/Avatar'
|
||||||
import ReactECharts from 'echarts-for-react'
|
import ReactECharts from 'echarts-for-react'
|
||||||
@@ -30,6 +31,7 @@ interface GroupMessageRank {
|
|||||||
type AnalysisFunction = 'members' | 'ranking' | 'activeHours' | 'mediaStats'
|
type AnalysisFunction = 'members' | 'ranking' | 'activeHours' | 'mediaStats'
|
||||||
|
|
||||||
function GroupAnalyticsPage() {
|
function GroupAnalyticsPage() {
|
||||||
|
const location = useLocation()
|
||||||
const [groups, setGroups] = useState<GroupChatInfo[]>([])
|
const [groups, setGroups] = useState<GroupChatInfo[]>([])
|
||||||
const [filteredGroups, setFilteredGroups] = useState<GroupChatInfo[]>([])
|
const [filteredGroups, setFilteredGroups] = useState<GroupChatInfo[]>([])
|
||||||
const [isLoading, setIsLoading] = useState(true)
|
const [isLoading, setIsLoading] = useState(true)
|
||||||
@@ -58,11 +60,28 @@ function GroupAnalyticsPage() {
|
|||||||
const [sidebarWidth, setSidebarWidth] = useState(300)
|
const [sidebarWidth, setSidebarWidth] = useState(300)
|
||||||
const [isResizing, setIsResizing] = useState(false)
|
const [isResizing, setIsResizing] = useState(false)
|
||||||
const containerRef = useRef<HTMLDivElement>(null)
|
const containerRef = useRef<HTMLDivElement>(null)
|
||||||
|
const preselectAppliedRef = useRef(false)
|
||||||
|
|
||||||
|
const preselectGroupIds = useMemo(() => {
|
||||||
|
const state = location.state as { preselectGroupIds?: unknown; preselectGroupId?: unknown } | null
|
||||||
|
const rawList = Array.isArray(state?.preselectGroupIds)
|
||||||
|
? state.preselectGroupIds
|
||||||
|
: (typeof state?.preselectGroupId === 'string' ? [state.preselectGroupId] : [])
|
||||||
|
|
||||||
|
return rawList
|
||||||
|
.filter((item): item is string => typeof item === 'string')
|
||||||
|
.map(item => item.trim())
|
||||||
|
.filter(Boolean)
|
||||||
|
}, [location.state])
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
loadGroups()
|
loadGroups()
|
||||||
}, [])
|
}, [])
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
preselectAppliedRef.current = false
|
||||||
|
}, [location.key, preselectGroupIds])
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
if (searchQuery) {
|
if (searchQuery) {
|
||||||
setFilteredGroups(groups.filter(g => g.displayName.toLowerCase().includes(searchQuery.toLowerCase())))
|
setFilteredGroups(groups.filter(g => g.displayName.toLowerCase().includes(searchQuery.toLowerCase())))
|
||||||
@@ -71,6 +90,20 @@ function GroupAnalyticsPage() {
|
|||||||
}
|
}
|
||||||
}, [searchQuery, groups])
|
}, [searchQuery, groups])
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (preselectAppliedRef.current) return
|
||||||
|
if (groups.length === 0 || preselectGroupIds.length === 0) return
|
||||||
|
|
||||||
|
const matchedGroup = groups.find(group => preselectGroupIds.includes(group.username))
|
||||||
|
preselectAppliedRef.current = true
|
||||||
|
|
||||||
|
if (matchedGroup) {
|
||||||
|
setSelectedGroup(matchedGroup)
|
||||||
|
setSelectedFunction(null)
|
||||||
|
setSearchQuery('')
|
||||||
|
}
|
||||||
|
}, [groups, preselectGroupIds])
|
||||||
|
|
||||||
// 拖动调整宽度
|
// 拖动调整宽度
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const handleMouseMove = (e: MouseEvent) => {
|
const handleMouseMove = (e: MouseEvent) => {
|
||||||
|
|||||||
@@ -97,7 +97,7 @@ function SettingsPage() {
|
|||||||
const [exportDefaultFormat, setExportDefaultFormat] = useState('excel')
|
const [exportDefaultFormat, setExportDefaultFormat] = useState('excel')
|
||||||
const [exportDefaultDateRange, setExportDefaultDateRange] = useState('today')
|
const [exportDefaultDateRange, setExportDefaultDateRange] = useState('today')
|
||||||
const [exportDefaultMedia, setExportDefaultMedia] = useState(false)
|
const [exportDefaultMedia, setExportDefaultMedia] = useState(false)
|
||||||
const [exportDefaultVoiceAsText, setExportDefaultVoiceAsText] = useState(true)
|
const [exportDefaultVoiceAsText, setExportDefaultVoiceAsText] = useState(false)
|
||||||
const [exportDefaultExcelCompactColumns, setExportDefaultExcelCompactColumns] = useState(true)
|
const [exportDefaultExcelCompactColumns, setExportDefaultExcelCompactColumns] = useState(true)
|
||||||
const [exportDefaultConcurrency, setExportDefaultConcurrency] = useState(2)
|
const [exportDefaultConcurrency, setExportDefaultConcurrency] = useState(2)
|
||||||
|
|
||||||
@@ -293,7 +293,7 @@ function SettingsPage() {
|
|||||||
setExportDefaultFormat(savedExportDefaultFormat || 'excel')
|
setExportDefaultFormat(savedExportDefaultFormat || 'excel')
|
||||||
setExportDefaultDateRange(savedExportDefaultDateRange || 'today')
|
setExportDefaultDateRange(savedExportDefaultDateRange || 'today')
|
||||||
setExportDefaultMedia(savedExportDefaultMedia ?? false)
|
setExportDefaultMedia(savedExportDefaultMedia ?? false)
|
||||||
setExportDefaultVoiceAsText(savedExportDefaultVoiceAsText ?? true)
|
setExportDefaultVoiceAsText(savedExportDefaultVoiceAsText ?? false)
|
||||||
setExportDefaultExcelCompactColumns(savedExportDefaultExcelCompactColumns ?? true)
|
setExportDefaultExcelCompactColumns(savedExportDefaultExcelCompactColumns ?? true)
|
||||||
setExportDefaultConcurrency(savedExportDefaultConcurrency ?? 2)
|
setExportDefaultConcurrency(savedExportDefaultConcurrency ?? 2)
|
||||||
|
|
||||||
@@ -1565,6 +1565,7 @@ function SettingsPage() {
|
|||||||
{ value: 'json', label: 'JSON', desc: '详细格式,包含完整消息信息' },
|
{ value: 'json', label: 'JSON', desc: '详细格式,包含完整消息信息' },
|
||||||
{ value: 'html', label: 'HTML', desc: '网页格式,可直接浏览' },
|
{ value: 'html', label: 'HTML', desc: '网页格式,可直接浏览' },
|
||||||
{ value: 'txt', label: 'TXT', desc: '纯文本,通用格式' },
|
{ value: 'txt', label: 'TXT', desc: '纯文本,通用格式' },
|
||||||
|
{ value: 'weclone', label: 'WeClone CSV', desc: 'WeClone 兼容字段格式(CSV)' },
|
||||||
{ value: 'sql', label: 'PostgreSQL', desc: '数据库脚本,便于导入到数据库' }
|
{ value: 'sql', label: 'PostgreSQL', desc: '数据库脚本,便于导入到数据库' }
|
||||||
]
|
]
|
||||||
const exportDateRangeOptions = [
|
const exportDateRangeOptions = [
|
||||||
|
|||||||
70
src/stores/batchTranscribeStore.ts
Normal file
70
src/stores/batchTranscribeStore.ts
Normal file
@@ -0,0 +1,70 @@
|
|||||||
|
import { create } from 'zustand'
|
||||||
|
|
||||||
|
export interface BatchTranscribeState {
|
||||||
|
/** 是否正在批量转写 */
|
||||||
|
isBatchTranscribing: boolean
|
||||||
|
/** 转写进度 */
|
||||||
|
progress: { current: number; total: number }
|
||||||
|
/** 是否显示进度浮窗 */
|
||||||
|
showToast: boolean
|
||||||
|
/** 是否显示结果弹窗 */
|
||||||
|
showResult: boolean
|
||||||
|
/** 转写结果 */
|
||||||
|
result: { success: number; fail: number }
|
||||||
|
/** 当前转写的会话名 */
|
||||||
|
startTime: number
|
||||||
|
sessionName: string
|
||||||
|
|
||||||
|
// Actions
|
||||||
|
startTranscribe: (total: number, sessionName: string) => void
|
||||||
|
updateProgress: (current: number, total: number) => void
|
||||||
|
finishTranscribe: (success: number, fail: number) => void
|
||||||
|
setShowToast: (show: boolean) => void
|
||||||
|
setShowResult: (show: boolean) => void
|
||||||
|
reset: () => void
|
||||||
|
}
|
||||||
|
|
||||||
|
export const useBatchTranscribeStore = create<BatchTranscribeState>((set) => ({
|
||||||
|
isBatchTranscribing: false,
|
||||||
|
progress: { current: 0, total: 0 },
|
||||||
|
showToast: false,
|
||||||
|
showResult: false,
|
||||||
|
result: { success: 0, fail: 0 },
|
||||||
|
sessionName: '',
|
||||||
|
startTime: 0,
|
||||||
|
|
||||||
|
startTranscribe: (total, sessionName) => set({
|
||||||
|
isBatchTranscribing: true,
|
||||||
|
showToast: true,
|
||||||
|
progress: { current: 0, total },
|
||||||
|
showResult: false,
|
||||||
|
result: { success: 0, fail: 0 },
|
||||||
|
sessionName,
|
||||||
|
startTime: Date.now()
|
||||||
|
}),
|
||||||
|
|
||||||
|
updateProgress: (current, total) => set({
|
||||||
|
progress: { current, total }
|
||||||
|
}),
|
||||||
|
|
||||||
|
finishTranscribe: (success, fail) => set({
|
||||||
|
isBatchTranscribing: false,
|
||||||
|
showToast: false,
|
||||||
|
showResult: true,
|
||||||
|
result: { success, fail },
|
||||||
|
startTime: 0
|
||||||
|
}),
|
||||||
|
|
||||||
|
setShowToast: (show) => set({ showToast: show }),
|
||||||
|
setShowResult: (show) => set({ showResult: show }),
|
||||||
|
|
||||||
|
reset: () => set({
|
||||||
|
isBatchTranscribing: false,
|
||||||
|
progress: { current: 0, total: 0 },
|
||||||
|
showToast: false,
|
||||||
|
showResult: false,
|
||||||
|
result: { success: 0, fail: 0 },
|
||||||
|
sessionName: '',
|
||||||
|
startTime: 0
|
||||||
|
})
|
||||||
|
}))
|
||||||
296
src/styles/batchTranscribe.scss
Normal file
296
src/styles/batchTranscribe.scss
Normal file
@@ -0,0 +1,296 @@
|
|||||||
|
// 批量转写 - 共享基础样式(overlay / modal-content / animations)
|
||||||
|
// 被 ChatPage.scss 和 BatchTranscribeGlobal.tsx 同时使用
|
||||||
|
|
||||||
|
.batch-modal-overlay {
|
||||||
|
position: fixed;
|
||||||
|
top: 0;
|
||||||
|
left: 0;
|
||||||
|
right: 0;
|
||||||
|
bottom: 0;
|
||||||
|
background: rgba(0, 0, 0, 0.5);
|
||||||
|
backdrop-filter: blur(4px);
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
z-index: 10000;
|
||||||
|
animation: batchFadeIn 0.2s ease-out;
|
||||||
|
}
|
||||||
|
|
||||||
|
.batch-modal-content {
|
||||||
|
background: var(--bg-primary);
|
||||||
|
border-radius: 12px;
|
||||||
|
box-shadow: 0 20px 60px rgba(0, 0, 0, 0.3);
|
||||||
|
max-height: 90vh;
|
||||||
|
overflow-y: auto;
|
||||||
|
animation: batchSlideUp 0.3s cubic-bezier(0.16, 1, 0.3, 1);
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes batchFadeIn {
|
||||||
|
from {
|
||||||
|
opacity: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
to {
|
||||||
|
opacity: 1;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes batchSlideUp {
|
||||||
|
from {
|
||||||
|
opacity: 0;
|
||||||
|
transform: translateY(20px);
|
||||||
|
}
|
||||||
|
|
||||||
|
to {
|
||||||
|
opacity: 1;
|
||||||
|
transform: translateY(0);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 批量转写进度浮窗(非阻塞 toast)
|
||||||
|
.batch-progress-toast {
|
||||||
|
position: fixed;
|
||||||
|
bottom: 24px;
|
||||||
|
right: 24px;
|
||||||
|
width: 320px;
|
||||||
|
background: var(--bg-primary);
|
||||||
|
border-radius: 12px;
|
||||||
|
box-shadow: 0 8px 32px rgba(0, 0, 0, 0.18);
|
||||||
|
border: 1px solid var(--border-color);
|
||||||
|
z-index: 10000;
|
||||||
|
animation: batchToastSlideIn 0.3s cubic-bezier(0.16, 1, 0.3, 1);
|
||||||
|
overflow: hidden;
|
||||||
|
|
||||||
|
.batch-progress-toast-header {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: space-between;
|
||||||
|
padding: 10px 14px;
|
||||||
|
border-bottom: 1px solid var(--border-color);
|
||||||
|
|
||||||
|
.batch-progress-toast-title {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 8px;
|
||||||
|
font-size: 13px;
|
||||||
|
font-weight: 600;
|
||||||
|
color: var(--text-primary);
|
||||||
|
|
||||||
|
svg {
|
||||||
|
color: var(--primary);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.batch-progress-toast-close {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
width: 24px;
|
||||||
|
height: 24px;
|
||||||
|
border: none;
|
||||||
|
background: transparent;
|
||||||
|
border-radius: 6px;
|
||||||
|
color: var(--text-secondary);
|
||||||
|
cursor: pointer;
|
||||||
|
transition: background 0.15s, color 0.15s;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
background: var(--bg-tertiary);
|
||||||
|
color: var(--text-primary);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.batch-progress-toast-body {
|
||||||
|
padding: 12px 14px;
|
||||||
|
|
||||||
|
.progress-info-row {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 4px;
|
||||||
|
margin-bottom: 8px;
|
||||||
|
|
||||||
|
.progress-text {
|
||||||
|
display: flex;
|
||||||
|
justify-content: space-between;
|
||||||
|
align-items: center;
|
||||||
|
font-size: 12px;
|
||||||
|
color: var(--text-secondary);
|
||||||
|
|
||||||
|
.progress-percent {
|
||||||
|
font-weight: 600;
|
||||||
|
color: var(--primary);
|
||||||
|
font-size: 13px;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.progress-eta {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 4px;
|
||||||
|
font-size: 11px; // 稍微小一点
|
||||||
|
color: var(--text-tertiary, #999); // 使用更淡的颜色
|
||||||
|
|
||||||
|
svg {
|
||||||
|
width: 12px;
|
||||||
|
height: 12px;
|
||||||
|
opacity: 0.8;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.progress-bar {
|
||||||
|
height: 6px;
|
||||||
|
background: var(--bg-tertiary);
|
||||||
|
border-radius: 3px;
|
||||||
|
overflow: hidden;
|
||||||
|
|
||||||
|
.progress-fill {
|
||||||
|
height: 100%;
|
||||||
|
background: linear-gradient(90deg, var(--primary), var(--primary));
|
||||||
|
border-radius: 3px;
|
||||||
|
transition: width 0.3s ease;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes batchToastSlideIn {
|
||||||
|
from {
|
||||||
|
opacity: 0;
|
||||||
|
transform: translateY(16px) scale(0.96);
|
||||||
|
}
|
||||||
|
|
||||||
|
to {
|
||||||
|
opacity: 1;
|
||||||
|
transform: translateY(0) scale(1);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 批量转写结果对话框
|
||||||
|
.batch-result-modal {
|
||||||
|
width: 420px;
|
||||||
|
max-width: 90vw;
|
||||||
|
|
||||||
|
.batch-modal-header {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 0.75rem;
|
||||||
|
padding: 1.5rem;
|
||||||
|
border-bottom: 1px solid var(--border-color);
|
||||||
|
|
||||||
|
svg {
|
||||||
|
color: #4caf50;
|
||||||
|
}
|
||||||
|
|
||||||
|
h3 {
|
||||||
|
margin: 0;
|
||||||
|
font-size: 18px;
|
||||||
|
font-weight: 600;
|
||||||
|
color: var(--text-primary);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.batch-modal-body {
|
||||||
|
padding: 1.5rem;
|
||||||
|
|
||||||
|
.result-summary {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 0.75rem;
|
||||||
|
margin-bottom: 1rem;
|
||||||
|
|
||||||
|
.result-item {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 0.75rem;
|
||||||
|
padding: 1rem;
|
||||||
|
border-radius: 8px;
|
||||||
|
background: var(--bg-tertiary);
|
||||||
|
|
||||||
|
svg {
|
||||||
|
flex-shrink: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.label {
|
||||||
|
font-size: 14px;
|
||||||
|
color: var(--text-secondary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.value {
|
||||||
|
margin-left: auto;
|
||||||
|
font-size: 18px;
|
||||||
|
font-weight: 600;
|
||||||
|
}
|
||||||
|
|
||||||
|
&.success {
|
||||||
|
svg {
|
||||||
|
color: #4caf50;
|
||||||
|
}
|
||||||
|
|
||||||
|
.value {
|
||||||
|
color: #4caf50;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
&.fail {
|
||||||
|
svg {
|
||||||
|
color: #f44336;
|
||||||
|
}
|
||||||
|
|
||||||
|
.value {
|
||||||
|
color: #f44336;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.result-tip {
|
||||||
|
display: flex;
|
||||||
|
align-items: flex-start;
|
||||||
|
gap: 0.5rem;
|
||||||
|
padding: 0.75rem;
|
||||||
|
background: rgba(255, 152, 0, 0.1);
|
||||||
|
border-radius: 8px;
|
||||||
|
border: 1px solid rgba(255, 152, 0, 0.3);
|
||||||
|
|
||||||
|
svg {
|
||||||
|
flex-shrink: 0;
|
||||||
|
margin-top: 2px;
|
||||||
|
color: #ff9800;
|
||||||
|
}
|
||||||
|
|
||||||
|
span {
|
||||||
|
font-size: 13px;
|
||||||
|
color: var(--text-secondary);
|
||||||
|
line-height: 1.5;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.batch-modal-footer {
|
||||||
|
display: flex;
|
||||||
|
justify-content: flex-end;
|
||||||
|
padding: 1rem 1.5rem;
|
||||||
|
border-top: 1px solid var(--border-color);
|
||||||
|
|
||||||
|
button {
|
||||||
|
padding: 0.5rem 1.5rem;
|
||||||
|
border-radius: 8px;
|
||||||
|
font-size: 14px;
|
||||||
|
font-weight: 500;
|
||||||
|
cursor: pointer;
|
||||||
|
transition: all 0.2s;
|
||||||
|
border: none;
|
||||||
|
|
||||||
|
&.btn-primary {
|
||||||
|
background: var(--primary);
|
||||||
|
color: white;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
opacity: 0.9;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
26
src/types/electron.d.ts
vendored
26
src/types/electron.d.ts
vendored
@@ -163,12 +163,13 @@ export interface ElectronAPI {
|
|||||||
}
|
}
|
||||||
error?: string
|
error?: string
|
||||||
}>
|
}>
|
||||||
getContactRankings: (limit?: number) => Promise<{
|
getContactRankings: (limit?: number, beginTimestamp?: number, endTimestamp?: number) => Promise<{
|
||||||
success: boolean
|
success: boolean
|
||||||
data?: Array<{
|
data?: Array<{
|
||||||
username: string
|
username: string
|
||||||
displayName: string
|
displayName: string
|
||||||
avatarUrl?: string
|
avatarUrl?: string
|
||||||
|
wechatId?: string
|
||||||
messageCount: number
|
messageCount: number
|
||||||
sentCount: number
|
sentCount: number
|
||||||
receivedCount: number
|
receivedCount: number
|
||||||
@@ -357,8 +358,10 @@ export interface ElectronAPI {
|
|||||||
data?: {
|
data?: {
|
||||||
year: number
|
year: number
|
||||||
selfName: string
|
selfName: string
|
||||||
|
selfAvatarUrl?: string
|
||||||
friendUsername: string
|
friendUsername: string
|
||||||
friendName: string
|
friendName: string
|
||||||
|
friendAvatarUrl?: string
|
||||||
firstChat: {
|
firstChat: {
|
||||||
createTime: number
|
createTime: number
|
||||||
createTimeStr: string
|
createTimeStr: string
|
||||||
@@ -395,14 +398,30 @@ export interface ElectronAPI {
|
|||||||
friendTopEmojiMd5?: string
|
friendTopEmojiMd5?: string
|
||||||
myTopEmojiUrl?: string
|
myTopEmojiUrl?: string
|
||||||
friendTopEmojiUrl?: string
|
friendTopEmojiUrl?: string
|
||||||
|
myTopEmojiCount?: number
|
||||||
|
friendTopEmojiCount?: number
|
||||||
}
|
}
|
||||||
topPhrases: Array<{ phrase: string; count: number }>
|
topPhrases: Array<{ phrase: string; count: number }>
|
||||||
|
heatmap?: number[][]
|
||||||
|
initiative?: { initiated: number; received: number }
|
||||||
|
response?: { avg: number; fastest: number; count: number }
|
||||||
|
monthly?: Record<string, number>
|
||||||
|
streak?: { days: number; startDate: string; endDate: string }
|
||||||
}
|
}
|
||||||
error?: string
|
error?: string
|
||||||
}>
|
}>
|
||||||
onProgress: (callback: (payload: { status: string; progress: number }) => void) => () => void
|
onProgress: (callback: (payload: { status: string; progress: number }) => void) => () => void
|
||||||
}
|
}
|
||||||
export: {
|
export: {
|
||||||
|
getExportStats: (sessionIds: string[], options: any) => Promise<{
|
||||||
|
totalMessages: number
|
||||||
|
voiceMessages: number
|
||||||
|
cachedVoiceCount: number
|
||||||
|
needTranscribeCount: number
|
||||||
|
mediaMessages: number
|
||||||
|
estimatedSeconds: number
|
||||||
|
sessions: Array<{ sessionId: string; displayName: string; totalCount: number; voiceCount: number }>
|
||||||
|
}>
|
||||||
exportSessions: (sessionIds: string[], outputDir: string, options: ExportOptions) => Promise<{
|
exportSessions: (sessionIds: string[], outputDir: string, options: ExportOptions) => Promise<{
|
||||||
success: boolean
|
success: boolean
|
||||||
successCount?: number
|
successCount?: number
|
||||||
@@ -494,7 +513,10 @@ export interface ExportProgress {
|
|||||||
current: number
|
current: number
|
||||||
total: number
|
total: number
|
||||||
currentSession: string
|
currentSession: string
|
||||||
phase: 'preparing' | 'exporting' | 'writing' | 'complete'
|
phase: 'preparing' | 'exporting' | 'exporting-media' | 'exporting-voice' | 'writing' | 'complete'
|
||||||
|
phaseProgress?: number
|
||||||
|
phaseTotal?: number
|
||||||
|
phaseLabel?: string
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface WxidInfo {
|
export interface WxidInfo {
|
||||||
|
|||||||
Reference in New Issue
Block a user