增加剧集屏蔽功能

This commit is contained in:
mtvpls
2025-12-15 00:16:50 +08:00
parent 9678361026
commit dc1462d744
5 changed files with 709 additions and 39 deletions

View File

@@ -24,6 +24,7 @@ import {
saveSkipConfig,
subscribeToDataUpdates,
getDanmakuFilterConfig,
getEpisodeFilterConfig,
} from '@/lib/db.client';
import {
convertDanmakuFormat,
@@ -37,7 +38,7 @@ import {
initDanmakuModule,
} from '@/lib/danmaku/api';
import type { DanmakuAnime, DanmakuSelection, DanmakuSettings } from '@/lib/danmaku/types';
import { SearchResult, DanmakuFilterConfig } from '@/lib/types';
import { SearchResult, DanmakuFilterConfig, EpisodeFilterConfig } from '@/lib/types';
import { getVideoResolutionFromM3u8, processImageUrl } from '@/lib/utils';
import EpisodeSelector from '@/components/EpisodeSelector';
@@ -276,6 +277,8 @@ function PlayPageClient() {
);
const [danmakuFilterConfig, setDanmakuFilterConfig] = useState<DanmakuFilterConfig | null>(null);
const danmakuFilterConfigRef = useRef<DanmakuFilterConfig | null>(null);
const [episodeFilterConfig, setEpisodeFilterConfig] = useState<EpisodeFilterConfig | null>(null);
const episodeFilterConfigRef = useRef<EpisodeFilterConfig | null>(null);
const [currentDanmakuSelection, setCurrentDanmakuSelection] =
useState<DanmakuSelection | null>(null);
const [danmakuEpisodesList, setDanmakuEpisodesList] = useState<
@@ -316,8 +319,19 @@ function PlayPageClient() {
setDanmakuFilterConfig(defaultConfig);
danmakuFilterConfigRef.current = defaultConfig;
}
// 加载集数过滤配置
const episodeConfig = await getEpisodeFilterConfig();
if (episodeConfig) {
setEpisodeFilterConfig(episodeConfig);
episodeFilterConfigRef.current = episodeConfig;
} else {
const defaultEpisodeConfig: EpisodeFilterConfig = { rules: [] };
setEpisodeFilterConfig(defaultEpisodeConfig);
episodeFilterConfigRef.current = defaultEpisodeConfig;
}
} catch (error) {
console.error('加载弹幕过滤配置失败:', error);
console.error('加载过滤配置失败:', error);
}
};
loadFilterConfig();
@@ -328,6 +342,11 @@ function PlayPageClient() {
danmakuFilterConfigRef.current = danmakuFilterConfig;
}, [danmakuFilterConfig]);
// 同步集数过滤配置到ref
useEffect(() => {
episodeFilterConfigRef.current = episodeFilterConfig;
}, [episodeFilterConfig]);
// 视频基本信息
const [videoTitle, setVideoTitle] = useState(searchParams.get('title') || '');
const [videoYear, setVideoYear] = useState(searchParams.get('year') || '');
@@ -2024,14 +2043,60 @@ function PlayPageClient() {
}
};
// 检查集数是否被过滤
const isEpisodeFilteredByTitle = (title: string): boolean => {
const filterConfig = episodeFilterConfigRef.current;
if (!filterConfig || filterConfig.rules.length === 0) {
return false;
}
for (const rule of filterConfig.rules) {
if (!rule.enabled) continue;
try {
if (rule.type === 'normal' && title.includes(rule.keyword)) {
return true;
}
if (rule.type === 'regex' && new RegExp(rule.keyword).test(title)) {
return true;
}
} catch (e) {
console.error('集数过滤规则错误:', e);
}
}
return false;
};
const handleNextEpisode = () => {
const d = detailRef.current;
const idx = currentEpisodeIndexRef.current;
if (d && d.episodes && idx < d.episodes.length - 1) {
if (artPlayerRef.current && !artPlayerRef.current.paused) {
saveCurrentPlayProgress();
if (!d || !d.episodes || idx >= d.episodes.length - 1) {
return;
}
// 保存当前进度
if (artPlayerRef.current && !artPlayerRef.current.paused) {
saveCurrentPlayProgress();
}
// 查找下一个未被过滤的集数
let nextIdx = idx + 1;
while (nextIdx < d.episodes.length) {
const episodeTitle = d.episodes_titles?.[nextIdx];
const isFiltered = episodeTitle && isEpisodeFilteredByTitle(episodeTitle);
if (!isFiltered) {
setCurrentEpisodeIndex(nextIdx);
return;
}
setCurrentEpisodeIndex(idx + 1);
nextIdx++;
}
// 所有后续集数都被屏蔽
if (artPlayerRef.current) {
artPlayerRef.current.notice.show = '后续集数均已屏蔽';
artPlayerRef.current.pause();
}
};
@@ -3331,10 +3396,29 @@ function PlayPageClient() {
const d = detailRef.current;
const idx = currentEpisodeIndexRef.current;
if (d && d.episodes && idx < d.episodes.length - 1) {
setTimeout(() => {
setCurrentEpisodeIndex(idx + 1);
}, 1000);
if (!d || !d.episodes || idx >= d.episodes.length - 1) {
return;
}
// 查找下一个未被过滤的集数
let nextIdx = idx + 1;
while (nextIdx < d.episodes.length) {
const episodeTitle = d.episodes_titles?.[nextIdx];
const isFiltered = episodeTitle && isEpisodeFilteredByTitle(episodeTitle);
if (!isFiltered) {
setTimeout(() => {
setCurrentEpisodeIndex(nextIdx);
}, 1000);
return;
}
nextIdx++;
}
// 所有后续集数都被屏蔽
if (artPlayerRef.current) {
artPlayerRef.current.notice.show = '后续集数均已屏蔽,已自动停止';
}
});
@@ -4097,6 +4181,11 @@ function PlayPageClient() {
precomputedVideoInfo={precomputedVideoInfo}
onDanmakuSelect={handleDanmakuSelect}
currentDanmakuSelection={currentDanmakuSelection}
episodeFilterConfig={episodeFilterConfig}
onFilterConfigUpdate={setEpisodeFilterConfig}
onShowToast={(message, type) => {
setToast({ message, type, onClose: () => setToast(null) });
}}
/>
</div>
</div>

View File

@@ -0,0 +1,452 @@
/* eslint-disable @typescript-eslint/no-explicit-any */
'use client';
import { useState, useEffect, useRef } from 'react';
import { X, Plus, Trash2, ToggleLeft, ToggleRight } from 'lucide-react';
import { EpisodeFilterConfig, EpisodeFilterRule } from '@/lib/types';
import { getEpisodeFilterConfig, saveEpisodeFilterConfig } from '@/lib/db.client';
interface EpisodeFilterSettingsProps {
isOpen: boolean;
onClose: () => void;
onConfigUpdate?: (config: EpisodeFilterConfig) => void;
onShowToast?: (message: string, type: 'success' | 'error' | 'info') => void;
}
export default function EpisodeFilterSettings({
isOpen,
onClose,
onConfigUpdate,
onShowToast,
}: EpisodeFilterSettingsProps) {
const [config, setConfig] = useState<EpisodeFilterConfig>({ rules: [] });
const [newKeyword, setNewKeyword] = useState('');
const [newType, setNewType] = useState<'normal' | 'regex'>('normal');
const [loading, setLoading] = useState(false);
const [saving, setSaving] = useState(false);
const [isVisible, setIsVisible] = useState(false);
const [isAnimating, setIsAnimating] = useState(false);
const [inputKey, setInputKey] = useState(0); // 用于强制重新渲染输入框
const inputRef = useRef<HTMLInputElement>(null); // 用于直接操作输入框 DOM
// 控制动画状态
useEffect(() => {
let animationId: number;
let timer: NodeJS.Timeout;
if (isOpen) {
setIsVisible(true);
// 使用双重 requestAnimationFrame 确保DOM完全渲染
animationId = requestAnimationFrame(() => {
animationId = requestAnimationFrame(() => {
setIsAnimating(true);
});
});
} else {
setIsAnimating(false);
// 等待动画完成后隐藏组件
timer = setTimeout(() => {
setIsVisible(false);
}, 300);
}
return () => {
if (animationId) {
cancelAnimationFrame(animationId);
}
if (timer) {
clearTimeout(timer);
}
};
}, [isOpen]);
// 阻止背景滚动
useEffect(() => {
if (isVisible) {
// 保存当前滚动位置
const scrollY = window.scrollY;
const scrollX = window.scrollX;
const body = document.body;
const html = document.documentElement;
// 获取滚动条宽度
const scrollBarWidth = window.innerWidth - html.clientWidth;
// 保存原始样式
const originalBodyStyle = {
position: body.style.position,
top: body.style.top,
left: body.style.left,
right: body.style.right,
width: body.style.width,
paddingRight: body.style.paddingRight,
overflow: body.style.overflow,
};
// 设置body样式来阻止滚动但保持原位置
body.style.position = 'fixed';
body.style.top = `-${scrollY}px`;
body.style.left = `-${scrollX}px`;
body.style.right = '0';
body.style.width = '100%';
body.style.overflow = 'hidden';
body.style.paddingRight = `${scrollBarWidth}px`;
return () => {
// 恢复所有原始样式
body.style.position = originalBodyStyle.position;
body.style.top = originalBodyStyle.top;
body.style.left = originalBodyStyle.left;
body.style.right = originalBodyStyle.right;
body.style.width = originalBodyStyle.width;
body.style.paddingRight = originalBodyStyle.paddingRight;
body.style.overflow = originalBodyStyle.overflow;
// 使用 requestAnimationFrame 确保样式恢复后再滚动
requestAnimationFrame(() => {
window.scrollTo(scrollX, scrollY);
});
};
}
}, [isVisible]);
// 加载配置
useEffect(() => {
if (isOpen) {
loadConfig();
}
}, [isOpen]);
const loadConfig = async () => {
setLoading(true);
try {
const loadedConfig = await getEpisodeFilterConfig();
if (loadedConfig) {
setConfig(loadedConfig);
} else {
setConfig({ rules: [] });
}
} catch (error) {
console.error('加载集数过滤配置失败:', error);
} finally {
setLoading(false);
}
};
// 保存配置
const handleSave = async () => {
setSaving(true);
try {
await saveEpisodeFilterConfig(config);
if (onConfigUpdate) {
onConfigUpdate(config);
}
if (onShowToast) {
onShowToast('保存成功!', 'success');
}
// 延迟关闭面板让用户看到toast
setTimeout(() => {
onClose();
}, 300);
} catch (error) {
console.error('保存集数过滤配置失败:', error);
if (onShowToast) {
onShowToast('保存失败,请重试', 'error');
}
} finally {
setSaving(false);
}
};
// 添加规则
const handleAddRule = () => {
if (!newKeyword.trim()) {
if (onShowToast) {
onShowToast('请输入关键字', 'info');
}
return;
}
const newRule: EpisodeFilterRule = {
keyword: newKeyword.trim(),
type: newType,
enabled: true,
id: Date.now().toString(),
};
setConfig((prev) => ({
rules: [...prev.rules, newRule],
}));
// 清空输入框并强制重新渲染
setNewKeyword('');
// 使用 setTimeout 确保在状态更新后操作 DOM
setTimeout(() => {
if (inputRef.current) {
inputRef.current.value = ''; // 直接清空 DOM 值
inputRef.current.blur(); // 失去焦点,阻止自动填充
}
setInputKey(prev => prev + 1); // 强制重新渲染输入框
}, 0);
};
// 删除规则
const handleDeleteRule = (id: string | undefined) => {
if (!id) return;
setConfig((prev) => ({
rules: prev.rules.filter((rule) => rule.id !== id),
}));
};
// 切换规则启用状态
const handleToggleRule = (id: string | undefined) => {
if (!id) return;
setConfig((prev) => ({
rules: prev.rules.map((rule) =>
rule.id === id ? { ...rule, enabled: !rule.enabled } : rule
),
}));
};
if (!isVisible) return null;
return (
<div
className="fixed inset-0 z-[2000] flex items-end justify-center"
onTouchMove={(e) => {
// 阻止最外层容器的触摸移动,防止背景滚动
e.preventDefault();
e.stopPropagation();
}}
style={{
touchAction: 'none', // 禁用所有触摸操作
}}
>
{/* 背景遮罩 */}
<div
className={`absolute inset-0 bg-black/50 transition-opacity duration-300 ease-out ${
isAnimating ? 'opacity-100' : 'opacity-0'
}`}
onClick={onClose}
onTouchMove={(e) => {
// 只阻止滚动,允许其他触摸事件(包括点击)
e.preventDefault();
}}
onWheel={(e) => {
// 阻止滚轮滚动
e.preventDefault();
}}
style={{
backdropFilter: 'blur(4px)',
willChange: 'opacity',
touchAction: 'none', // 禁用所有触摸操作
}}
/>
{/* 弹窗主体 */}
<div
className="relative w-full bg-white dark:bg-gray-900 rounded-t-3xl shadow-2xl transition-all duration-300 ease-out max-h-[85vh]"
onTouchMove={(e) => {
// 允许弹窗内部滚动,阻止事件冒泡到外层
e.stopPropagation();
}}
style={{
marginBottom: 'calc(0rem + env(safe-area-inset-bottom))',
willChange: 'transform, opacity',
backfaceVisibility: 'hidden', // 避免闪烁
transform: isAnimating
? 'translateY(0) translateZ(0)'
: 'translateY(100%) translateZ(0)', // 组合变换保持滑入效果和硬件加速
opacity: isAnimating ? 1 : 0,
touchAction: 'auto', // 允许弹窗内的正常触摸操作
}}
>
{/* 顶部拖拽指示器 */}
<div className="sticky top-0 z-10 bg-white dark:bg-gray-900 pt-3 pb-2">
<div className="flex justify-center">
<div className="w-12 h-1.5 bg-gray-300 dark:bg-gray-600 rounded-full"></div>
</div>
</div>
{/* 头部 */}
<div className="flex items-center justify-between px-4 pb-3 border-b border-gray-100 dark:border-gray-800">
<h2 className="text-lg font-semibold text-gray-900 dark:text-gray-100">
</h2>
<button
onClick={onClose}
className="p-2 rounded-full hover:bg-gray-100 dark:hover:bg-gray-800 transition-colors duration-150"
>
<X size={20} className="text-gray-500 dark:text-gray-400" />
</button>
</div>
{/* 内容区域 */}
<div className="flex-1 overflow-y-auto px-4 py-4 space-y-4">
{/* 添加规则 */}
<div className="bg-gray-50 dark:bg-gray-800 rounded-xl p-4 space-y-3">
<h3 className="text-sm font-medium text-gray-700 dark:text-gray-300">
</h3>
<div className="space-y-3">
<input
key={inputKey}
ref={inputRef}
type="text"
value={newKeyword}
onChange={(e) => setNewKeyword(e.target.value)}
onKeyPress={(e) => e.key === 'Enter' && handleAddRule()}
placeholder="输入要屏蔽的集数关键字(如:预告、花絮)"
autoComplete="off"
autoCorrect="off"
autoCapitalize="off"
spellCheck="false"
data-form-type="other"
data-lpignore="true"
className="w-full px-4 py-3 bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100 rounded-lg border border-gray-200 dark:border-gray-600 focus:border-green-500 focus:outline-none focus:ring-2 focus:ring-green-500/20 transition-all duration-200"
/>
<div className="flex gap-2">
<select
value={newType}
onChange={(e) => setNewType(e.target.value as 'normal' | 'regex')}
className="flex-1 px-4 py-3 bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100 rounded-lg border border-gray-200 dark:border-gray-600 focus:border-green-500 focus:outline-none focus:ring-2 focus:ring-green-500/20 transition-all duration-200"
>
<option value="normal"></option>
<option value="regex"></option>
</select>
<button
onClick={handleAddRule}
className="px-6 py-3 bg-green-600 hover:bg-green-700 active:bg-green-800 text-white rounded-lg transition-all duration-200 flex items-center gap-2 active:scale-[0.98] shadow-sm hover:shadow-md"
>
<Plus size={18} />
<span className="font-medium"></span>
</button>
</div>
</div>
<p className="text-xs text-gray-500 dark:text-gray-400 leading-relaxed">
💡 <br/>
🔧 ^.*"预告"
</p>
</div>
{/* 规则列表 */}
<div className="space-y-3">
<div className="flex items-center justify-between">
<h3 className="text-sm font-medium text-gray-700 dark:text-gray-300">
</h3>
<span className="text-xs text-gray-500 dark:text-gray-400 bg-gray-100 dark:bg-gray-800 px-2 py-1 rounded-full">
{config.rules.length}
</span>
</div>
{loading ? (
<div className="text-center py-12 text-gray-500 dark:text-gray-400">
<div className="inline-flex items-center gap-2">
<div className="w-4 h-4 border-2 border-gray-300 border-t-green-500 rounded-full animate-spin"></div>
<span>...</span>
</div>
</div>
) : config.rules.length === 0 ? (
<div className="text-center py-12 text-gray-500 dark:text-gray-400">
<div className="inline-flex flex-col items-center gap-3">
<div className="w-16 h-16 bg-gray-100 dark:bg-gray-800 rounded-full flex items-center justify-center">
<Plus size={24} className="text-gray-400" />
</div>
<div>
<p className="font-medium"></p>
<p className="text-sm mt-1"></p>
</div>
</div>
</div>
) : (
<div className="space-y-2">
{config.rules.map((rule) => (
<div
key={rule.id}
className="bg-gray-50 dark:bg-gray-800 rounded-xl p-4 flex items-center gap-3 active:bg-gray-100 dark:active:bg-gray-750 transition-colors duration-150"
>
{/* 启用/禁用按钮 */}
<button
onClick={() => handleToggleRule(rule.id)}
className="flex-shrink-0 active:scale-95 transition-transform duration-150"
>
{rule.enabled ? (
<ToggleRight
size={28}
className="text-green-500 hover:text-green-400 transition-colors duration-150"
/>
) : (
<ToggleLeft
size={28}
className="text-gray-400 hover:text-gray-300 transition-colors duration-150"
/>
)}
</button>
{/* 关键字 */}
<div className="flex-1 min-w-0">
<div className="flex flex-col gap-1.5">
<span
className={`font-mono text-sm break-all leading-relaxed ${
rule.enabled ? 'text-gray-900 dark:text-gray-100' : 'text-gray-500 dark:text-gray-400'
}`}
>
{rule.keyword}
</span>
<span
className={`inline-flex items-center self-start text-xs px-2.5 py-1 rounded-full font-medium ${
rule.type === 'regex'
? 'bg-purple-100 dark:bg-purple-900/30 text-purple-700 dark:text-purple-300'
: 'bg-blue-100 dark:bg-blue-900/30 text-blue-700 dark:text-blue-300'
}`}
>
{rule.type === 'regex' ? '🔧 正则' : '💬 普通'}
</span>
</div>
</div>
{/* 删除按钮 */}
<button
onClick={() => handleDeleteRule(rule.id)}
className="flex-shrink-0 p-2 text-red-500 hover:text-red-600 active:text-red-700 active:scale-90 transition-all duration-150"
>
<Trash2 size={18} />
</button>
</div>
))}
</div>
)}
</div>
</div>
{/* 底部按钮 */}
<div className="sticky bottom-0 bg-white dark:bg-gray-900 border-t border-gray-100 dark:border-gray-800 px-4 py-4">
<div className="flex gap-3">
<button
onClick={onClose}
className="flex-1 px-4 py-3 bg-gray-100 hover:bg-gray-200 active:bg-gray-300 dark:bg-gray-800 dark:hover:bg-gray-700 dark:active:bg-gray-600 text-gray-700 dark:text-gray-300 rounded-xl font-medium transition-all duration-200 active:scale-[0.98]"
>
</button>
<button
onClick={handleSave}
disabled={saving}
className="flex-1 px-4 py-3 bg-green-600 hover:bg-green-700 active:bg-green-800 disabled:bg-gray-300 disabled:cursor-not-allowed dark:disabled:bg-gray-700 text-white rounded-xl font-medium transition-all duration-200 active:scale-[0.98] shadow-sm hover:shadow-md disabled:shadow-none"
>
{saving ? (
<span className="inline-flex items-center gap-2">
<div className="w-4 h-4 border-2 border-white border-t-transparent rounded-full animate-spin"></div>
...
</span>
) : (
'保存'
)}
</button>
</div>
</div>
</div>
</div>
);
}

View File

@@ -8,10 +8,12 @@ import React, {
useRef,
useState,
} from 'react';
import { Settings } from 'lucide-react';
import DanmakuPanel from '@/components/DanmakuPanel';
import EpisodeFilterSettings from '@/components/EpisodeFilterSettings';
import type { DanmakuSelection } from '@/lib/danmaku/types';
import { SearchResult } from '@/lib/types';
import { SearchResult, EpisodeFilterConfig } from '@/lib/types';
import { getVideoResolutionFromM3u8, processImageUrl } from '@/lib/utils';
// 定义视频信息类型
@@ -49,6 +51,10 @@ interface EpisodeSelectorProps {
currentDanmakuSelection?: DanmakuSelection | null;
/** 观影室房员状态 - 禁用选集和换源,但保留弹幕 */
isRoomMember?: boolean;
/** 集数过滤配置 */
episodeFilterConfig?: EpisodeFilterConfig | null;
onFilterConfigUpdate?: (config: EpisodeFilterConfig) => void;
onShowToast?: (message: string, type: 'success' | 'error' | 'info') => void;
}
/**
@@ -71,6 +77,9 @@ const EpisodeSelector: React.FC<EpisodeSelectorProps> = ({
onDanmakuSelect,
currentDanmakuSelection,
isRoomMember = false,
episodeFilterConfig = null,
onFilterConfigUpdate,
onShowToast,
}) => {
const router = useRouter();
const pageCount = Math.ceil(totalEpisodes / episodesPerPage);
@@ -122,6 +131,46 @@ const EpisodeSelector: React.FC<EpisodeSelectorProps> = ({
// 是否倒序显示
const [descending, setDescending] = useState<boolean>(false);
// 集数过滤设置弹窗状态
const [showFilterSettings, setShowFilterSettings] = useState<boolean>(false);
// 集数过滤逻辑
const isEpisodeFiltered = useCallback(
(episodeNumber: number): boolean => {
if (!episodeFilterConfig || episodeFilterConfig.rules.length === 0) {
return false;
}
// 获取集数标题
const title = episodes_titles?.[episodeNumber - 1];
if (!title) return false;
// 检查每个启用的规则
for (const rule of episodeFilterConfig.rules) {
if (!rule.enabled) continue;
try {
if (rule.type === 'normal') {
// 普通模式:字符串包含匹配
if (title.includes(rule.keyword)) {
return true;
}
} else if (rule.type === 'regex') {
// 正则模式:正则表达式匹配
if (new RegExp(rule.keyword).test(title)) {
return true;
}
}
} catch (e) {
console.error('集数过滤规则错误:', e);
}
}
return false;
},
[episodeFilterConfig, episodes_titles]
);
// 根据 descending 状态计算实际显示的分页索引
const displayPage = useMemo(() => {
if (descending) {
@@ -549,6 +598,14 @@ const EpisodeSelector: React.FC<EpisodeSelectorProps> = ({
/>
</svg>
</button>
{/* 集数屏蔽配置按钮 */}
<button
className='flex-shrink-0 w-8 h-8 rounded-md flex items-center justify-center text-gray-700 hover:text-green-600 hover:bg-gray-100 dark:text-gray-300 dark:hover:text-green-400 dark:hover:bg-white/20 transition-colors transform translate-y-[-4px]'
onClick={() => setShowFilterSettings(true)}
title='集数屏蔽设置'
>
<Settings className='w-4 h-4' />
</button>
</div>
{/* 集数网格 */}
@@ -558,34 +615,37 @@ const EpisodeSelector: React.FC<EpisodeSelectorProps> = ({
const episodes = Array.from({ length: len }, (_, i) =>
descending ? currentEnd - i : currentStart + i
);
return episodes;
})().map((episodeNumber) => {
const isActive = episodeNumber === value;
return (
<button
key={episodeNumber}
onClick={() => handleEpisodeClick(episodeNumber - 1)}
className={`h-10 min-w-10 px-3 py-2 flex items-center justify-center text-sm font-medium rounded-md transition-all duration-200 whitespace-nowrap font-mono
${isActive
? 'bg-green-500 text-white shadow-lg shadow-green-500/25 dark:bg-green-600'
: 'bg-gray-200 text-gray-700 hover:bg-gray-300 hover:scale-105 dark:bg-white/10 dark:text-gray-300 dark:hover:bg-white/20'
}`.trim()}
>
{(() => {
const title = episodes_titles?.[episodeNumber - 1];
if (!title) {
return episodeNumber;
}
// 如果匹配"第X集"、"第X话"、"X集"、"X话"格式,提取中间的数字
const match = title.match(/(?:第)?(\d+)(?:集|话)/);
if (match) {
return match[1];
}
return title;
})()}
</button>
);
})}
// 过滤掉被屏蔽的集数,但保持原有索引
return episodes
.filter(episodeNumber => !isEpisodeFiltered(episodeNumber))
.map((episodeNumber) => {
const isActive = episodeNumber === value;
return (
<button
key={episodeNumber}
onClick={() => handleEpisodeClick(episodeNumber - 1)}
className={`h-10 min-w-10 px-3 py-2 flex items-center justify-center text-sm font-medium rounded-md transition-all duration-200 whitespace-nowrap font-mono
${isActive
? 'bg-green-500 text-white shadow-lg shadow-green-500/25 dark:bg-green-600'
: 'bg-gray-200 text-gray-700 hover:bg-gray-300 hover:scale-105 dark:bg-white/10 dark:text-gray-300 dark:hover:bg-white/20'
}`.trim()}
>
{(() => {
const title = episodes_titles?.[episodeNumber - 1];
if (!title) {
return episodeNumber;
}
// 如果匹配"第X集"、"第X话"、"X集"、"X话"格式,提取中间的数字
const match = title.match(/(?:第)?(\d+)(?:集|话)/);
if (match) {
return match[1];
}
return title;
})()}
</button>
);
});
})()}
</div>
</>
)}
@@ -833,6 +893,16 @@ const EpisodeSelector: React.FC<EpisodeSelectorProps> = ({
)}
</div>
)}
{/* 集数过滤设置弹窗 */}
<EpisodeFilterSettings
isOpen={showFilterSettings}
onClose={() => setShowFilterSettings(false)}
onConfigUpdate={(config) => {
onFilterConfigUpdate?.(config);
}}
onShowToast={onShowToast}
/>
</div>
);
};

View File

@@ -1833,3 +1833,49 @@ export async function saveDanmakuFilterConfig(
throw err;
}
}
// ---------------- 集数过滤配置相关 API ----------------
/**
* 获取集数过滤配置(纯 localStorage 存储)
*/
export async function getEpisodeFilterConfig(): Promise<EpisodeFilterConfig | null> {
if (typeof window === 'undefined') {
return null;
}
try {
const raw = localStorage.getItem('moontv_episode_filter_config');
if (!raw) return null;
return JSON.parse(raw) as EpisodeFilterConfig;
} catch (err) {
console.error('读取集数过滤配置失败:', err);
return null;
}
}
/**
* 保存集数过滤配置(纯 localStorage 存储)
*/
export async function saveEpisodeFilterConfig(
config: EpisodeFilterConfig
): Promise<void> {
if (typeof window === 'undefined') {
console.warn('无法在服务端保存集数过滤配置');
return;
}
try {
localStorage.setItem('moontv_episode_filter_config', JSON.stringify(config));
window.dispatchEvent(
new CustomEvent('episodeFilterConfigUpdated', {
detail: config,
})
);
} catch (err) {
console.error('保存集数过滤配置失败:', err);
throw err;
}
}

View File

@@ -143,3 +143,16 @@ export interface DanmakuFilterRule {
export interface DanmakuFilterConfig {
rules: DanmakuFilterRule[]; // 过滤规则列表
}
// 集数过滤规则数据结构
export interface EpisodeFilterRule {
keyword: string; // 关键字
type: 'normal' | 'regex'; // 普通模式或正则模式
enabled: boolean; // 是否启用
id?: string; // 规则ID用于前端管理
}
// 集数过滤配置数据结构
export interface EpisodeFilterConfig {
rules: EpisodeFilterRule[]; // 过滤规则列表
}