// ==UserScript== // @name Bilibili CC字幕助手 // @namespace indefined // @version 0.4.1 // @description ASS/SRT/LRC格式字幕下载,本地ASS/SRT/LRC格式字幕加载,旧版播放器可用CC字幕 // @author indefined // @supportURL https://github.com/indefined/UserScripts/issues // @include http*://www.bilibili.com/video/av* // @include http*://www.bilibili.com/bangumi/play/ss* // @include http*://www.bilibili.com/bangumi/play/ep* // @include http*://www.bilibili.com/watchlater/ // @license MIT // @grant none // @downloadURL none // ==/UserScript== (function() { 'use strict'; const elements = { subtitleStyle:` `, oldEnableIcon:` `, oldDisableIcon:` `, createAs(nodeType,config,appendTo){ const element = document.createElement(nodeType); config&&this.setAs(element,config); appendTo&&appendTo.appendChild(element); return element; }, setAs(element,config,appendTo){ config&&Object.entries(config).forEach(([key, value])=>{ element[key] = value; }); appendTo&&appendTo.appendChild(element); return element; }, getAs(selector,config,appendTo){ if(selector instanceof Array) { return selector.map(item=>this.getAs(item)); } const element = document.body.querySelector(selector); element&&config&&this.setAs(element,config); element&&appendTo&&appendTo.appendChild(element); return element; }, createSelector(config,appendTo){ const selector = this.createAs('div',{ id:'subtitle-language-div', className:"bilibili-player-block-string-type bpui-component bpui-selectmenu selectmenu-mode-absolute", style:"width:"+config.width },appendTo), label = this.createAs('div',{className:'bpui-selectmenu-txt'},selector), selected = config.datas.find(item=>item.value==config.initValue); selected&&(label.innerHTML=selected.content)||(label.innerText=config.initValue); this.createAs('div',{className:'bpui-selectmenu-arrow bpui-icon bpui-icon-arrow-down'},selector); const list = this.createAs('ul',{ className:'bpui-selectmenu-list bpui-selectmenu-list-left', style:`max-height:${config.height||'100px'};overflow:hidden auto;white-space:nowrap;` },selector); config.datas.forEach(item=>{ this.createAs('li',{ className:'bpui-selectmenu-list-row', innerHTML:item.content, onclick:e=>{ label.dataset.value = e.target.dataset.value; label.innerHTML = e.target.innerHTML; item.handler(e); } },list).dataset.value = item.value; }); return selector; }, createRadio(config,appendTo){ this.createAs('input',{ ...config,type: "radio",style:"cursor:pointer;5px;vertical-align: middle;" },appendTo); this.createAs('label',{ style:"margin-right: 5px;cursor:pointer;vertical-align: middle;", innerText:config.value },appendTo).setAttribute('for',config.id); } }; //内嵌ASS格式样式头 const assHead = `\ [Script Info] Title: ${document.title} ScriptType: v4.00+ Collisions: Reverse PlayResX: 1280 PlayResY: 720 WrapStyle: 3 ScaledBorderAndShadow: yes ; ---------------------- ; 本字幕由CC字幕助手自动转换 ; 字幕来源${document.location} ; 脚本地址https://greasyfork.org/scripts/378513 ; 设置了字幕过长自动换行,但若字幕中没有空格换行将无效 ; 字体大小依据720p 48号字体等比缩放 ; 如显示不正常请尝试使用SRT格式 [V4+ Styles] Format: Name, Fontname, Fontsize, PrimaryColour, SecondaryColour, OutlineColour, BackColour, Bold, Italic, Underline, \ StrikeOut, ScaleX, ScaleY, Spacing, Angle, BorderStyle, Outline, Shadow, Alignment, MarginL, MarginR, MarginV, Encoding Style: Default,Segoe UI,48,&H00FFFFFF,&HF0000000,&H00000000,&HF0000000,1,0,0,0,100,100,0,0.00,1,1,3,2,30,30,20,1 [Events] Format: Layer, Start, End, Style, Actor, MarginL, MarginR, MarginV, Effect, Text `; //编码器,用于将B站BCC字幕编码为常见字幕格式下载 class Encoder{ constructor(data){ if(!data||!data.body instanceof Array){ throw '数据错误'; } this.data = data.body; this.type = undefined; this.showDialog(); } showDialog(){ const settingDiv = elements.createAs('div',{ style :'position: fixed;top: 0;bottom: 0;left: 0;right: 0;background: rgba(0,0,0,0.4);z-index: 1048576;' },document.body), panel = elements.createAs('div',{ style:'left: 50%;top: 50%;position: absolute;padding: 20px;background:white;' + 'border-radius: 8px;margin: auto;transform: translate(-50%,-50%);', innerHTML: '

字幕下载

' + '' + `当前版本:${typeof(GM_info)!="undefined"&&GM_info.script.version||'unknow'}` },settingDiv), textArea = this.textArea = elements.createAs('textarea',{ style: 'width:350px;height: 320px;rsize:both;',readonly: true },panel), bottomPanel = elements.createAs('div',{ },panel); elements.createRadio({ id:'subtitle-download-ass',name: "subtitle-type",value:"ASS", onchange: ()=>this.encodeToASS() },bottomPanel); elements.createRadio({ id:'subtitle-download-srt',name: "subtitle-type",value:"SRT", onchange: ()=>this.encodeToSRT() },bottomPanel); elements.createRadio({ id:'subtitle-download-lrc',name: "subtitle-type",value:"LRC", onchange: ()=>this.encodeToLRC() },bottomPanel); //下载 this.actionButton = elements.createAs('a',{ className: 'bpui-button bpui-state-disabled', innerText: "下载",style: 'height: 24px;margin-right: 5px;' },bottomPanel); //关闭 elements.createAs('button',{ innerText: "关闭",className: "bpui-button", onclick: ()=>document.body.removeChild(settingDiv) },bottomPanel); } updateDownload(result,type){ this.textArea.value = result; URL.revokeObjectURL(this.actionButton.href); this.actionButton.classList.remove('bpui-state-disabled'); this.actionButton.href = URL.createObjectURL(new Blob([result])); this.actionButton.download = `${document.title}.${type}`; } encodeToLRC(){ this.updateDownload(this.data.map(({from,to,content})=>{ return `${this.encodeTime(from,'LRC')} ${content.replace(/\n/g,' ')}`; }).join('\r\n'),'lrc'); } encodeToSRT(){ this.updateDownload(this.data.reduce((accumulator,{from,to,content},index)=>{ return `${accumulator}${index+1}\r\n${this.encodeTime(from)} --> ${this.encodeTime(to)}\r\n${content}\r\n\r\n`; },''),'srt'); } encodeToASS(){ this.updateDownload(elements.assHead + this.data.map(({from,to,content})=>{ return `Dialogue: 0,${this.encodeTime(from,'ASS')},${this.encodeTime(to,'ASS')},*Default,NTP,0000,0000,0000,,${content.replace(/\n/g,'\\N')}`; }).join('\r\n'),'ass'); } encodeTime(input,format='SRT'){ let time = new Date(input*1000), ms = time.getMilliseconds(), second = time.getSeconds(), minute = time.getMinutes(), hour = Math.floor(input/60/60); if (format=='SRT'){ if (hour<10) hour = '0'+hour; if (minute<10) minute = '0'+minute; if (second<10) second = '0'+second; if (ms<10) ms = '00'+ms; else if (ms<100) ms = '0'+ms; return `${hour}:${minute}:${second},${ms}`; } else if(format=='ASS'){ ms = (ms/10).toFixed(0); if (minute<10) minute = '0'+minute; if (second<10) second = '0'+second; if (ms<10) ms = '0'+ms; return `${hour}:${minute}:${second}.${ms}`; } else{ ms = (ms/10).toFixed(0); minute += hour*60; if (minute<10) minute = '0'+minute; if (second<10) second = '0'+second; if (ms<10) ms = '0'+ms; return `[${minute}:${second}.${ms}]`; } } }; //解码器,用于读取常见格式字幕并将其转换为B站可以读取BCC格式字幕 const decoder = { srtReg:/(\d+):(\d{1,2}):(\d{1,2}),(\d{1,3})\s*-->\s*(\d+):(\d{1,2}):(\d{1,2}),(\d{1,3})\r?\n([.\s\S]+)/, assReg:/Dialogue:.*,(\d+):(\d{1,2}):(\d{1,2}\.?\d*),\s*?(\d+):(\d{1,2}):(\d{1,2}\.?\d*)(?:.*?,){7}(.+)/, selectFile(){ const fileSelector = document.createElement('input') fileSelector.type = 'file'; fileSelector.accept = '.lrc,.ass,.srt'; fileSelector.oninput = ()=>{ this.readFile(fileSelector.files&&fileSelector.files[0]); }; fileSelector.click(); }, readFile(file){ if(!file) { bilibiliCCHelper.toast('文件获取失败'); return; } const reader = new FileReader(); reader.onloadend = ()=> { try{ let data,name = file.name.toLowerCase(); if(name.endsWith('.lrc')) data = this.decodeFromLRC(reader.result); else if(name.endsWith('.ass')) data = this.decodeFromASS(reader.result); else if(name.endsWith('.srt')) data = this.decodeFromSRT(reader.result); console.log(data); player.updateSubtitle(data); bilibiliCCHelper.toast(`载入本地字幕:${file.name}`); } catch(e){ bilibiliCCHelper.toast('载入字幕失败',e); }; }; reader.onerror = e=>{ bilibiliCCHelper.toast('载入字幕失败',e); } reader.readAsText(file); }, decodeFromLRC(input){ if(!input) return; const data = []; input.split('\n').forEach(line=>{ const match = line.match(/((\[\d+:\d+\.?\d*\])+)(.*)/); if (!match||match[3].trim().replace('\r','')=='') { //console.log('跳过非正文行',line); return; } const times = match[1].match(/\d+:\d+\.?\d*/g); times.forEach(time=>{ const t = time.split(':'); data.push({ time:t[0]*60 + (+t[1]), content:match[3] }); }); }); return { body:data.sort((a,b)=>a.time-b.time).map(({time,content},index)=>({ from:time, to:index==data.length-1?time+20:data[index+1].time, content:content })) }; }, decodeFromSRT(input){ if(!input) return; const data = []; let split = input.split('\n\n'); if(split.length==1) split = input.split('\r\n\r\n'); split.forEach(item=>{ const match = item.match(this.srtReg); if (!match){ //console.log('跳过非正文行',item); return; } data.push({ from:match[1]*60*60 + match[2]*60 + (+match[3]) + (match[4]/1000), to:match[5]*60*60 + match[5]*60 + (+match[7]) + (match[8]/1000), content:match[9].trim().replace(/{\\.+?}/g,'').replace(/\\N/gi,'\n').replace(/\\h/g,' ') }); }); return {body:data.sort((a,b)=>a.from-b.from)}; }, decodeFromASS(input){ if(!input) return; const data = []; let split = input.split('\n'); split.forEach(line=>{ const match = line.match(this.assReg); if (!match){ //console.log('跳过非正文行',line); return; } data.push({ from:match[1]*60*60 + match[2]*60 + (+match[3]), to:match[4]*60*60 + match[5]*60 + (+match[6]), content:match[7].trim().replace(/{\\.+?}/g,'').replace(/\\N/gi,'\n').replace(/\\h/g,' ') }); }); return {body:data.sort((a,b)=>a.from-b.from)}; } };//decoder END //旧版播放器CC字幕助手,需要维护整个设置面板和字幕逻辑 const oldPlayerHelper = { setting:undefined, subtitle:undefined, selectedLan:undefined, isclosed:true, resizeRate: 100, configs:{ color:[ {value:'16777215',content:'白色'}, {value:'16007990',content:'红色'}, {value:'10233776',content:'紫色'}, {value:'6765239',content:'深紫色'}, {value:'4149685',content:'靛青色'}, {value:'2201331',content:'蓝色'}, {value:'240116',content:'亮蓝色'} ], position:[ {value:'bl',content:'左下角'}, {value:'bc',content:'底部居中'}, {value:'br',content:'右下角'}, {value:'tl',content:'左上角'}, {value:'tc',content:'顶部居中'}, {value:'tr',content:'右上角'} ], shadow:[ {value:'0',content:'无描边',style:''}, {value:'1',content:'重墨',style:`text-shadow: #000 1px 0px 1px, #000 0px 1px 1px, #000 0px -1px 1px,#000 -1px 0px 1px;`}, {value:'2',content:'描边',style:`text-shadow: #000 0px 0px 1px, #000 0px 0px 1px, #000 0px 0px 1px;`}, {value:'3',content:'45°投影',style:`text-shadow: #000 1px 1px 2px, #000 0px 0px 1px;`} ] }, saveSetting(){ try{ const playerSetting = JSON.parse(localStorage.bilibili_player_settings); playerSetting.subtitle = this.setting; localStorage.bilibili_player_settings = JSON.stringify(playerSetting); }catch(e){ bilibiliCCHelper.toast('保存字幕设置错误',e); } }, changeStyle(){ this.fontStyle.innerHTML = ` span.subtitle-item-background{ opacity: ${this.setting.backgroundopacity}; } span.subtitle-item-text { color:#${("000000"+this.setting.color.toString(16)).slice(-6)}; } span.subtitle-item { font-size: ${this.setting.fontsize*this.resizeRate}%; line-height: ${this.setting.fontsize*this.resizeRate*1.1}%; ${this.configs.shadow[this.setting.shadow].style} }`; }, changePosition(){ this.subtitleContainer.className = 'subtitle-position subtitle-position-' +(this.setting.position||'bc'); this.subtitleContainer.style = ''; }, changeResizeStatus(state){ if(state){ this.changeResize(); }else{ this.resizeRate = 100; this.changeStyle(); } }, changeResize(state){ if (this.setting.scale) { this.resizeRate = player.getWidth()/1280*100; this.changeStyle(); } }, changeSubtitle(value=this.subtitle.subtitles[0].lan){ this.selectedLanguage.innerText = bilibiliCCHelper.getSubtitleInfo(value).lan_doc; if(value=='close'){ if(!this.isclosed) { this.isclosed = true; bilibiliCCHelper.loadSubtitle(value); //更换本地字幕不切换设置中的字幕开关状态 if(this.selectedLan!='local') this.setting.isclosed = true; } this.downloadBtn.classList.add('bpui-state-disabled','bpui-button-icon'); this.icon.innerHTML = elements.oldDisableIcon; } else{ this.isclosed = false; this.selectedLan = value; this.icon.innerHTML = elements.oldEnableIcon; if(value=='local') { decoder.selectFile(); this.downloadBtn.classList.add('bpui-state-disabled','bpui-button-icon'); } else { //更换本地字幕不切换设置中的字幕开关状态 this.setting.isclosed = false; bilibiliCCHelper.loadSubtitle(value); this.downloadBtn.classList.remove('bpui-state-disabled','bpui-button-icon'); } } }, toggleSubtitle(){ if(this.isclosed) { this.changeSubtitle(this.selectedLan); } else{ this.changeSubtitle('close'); } }, initSubtitle(){ if(this.setting.isclosed) { this.changeSubtitle('close'); } else{ this.changeSubtitle(); } //没有字幕时设置下一次切换字幕行为为本地字幕 if(!this.subtitle.count) this.selectedLan = 'local'; this.changeStyle(); this.changeResize(); }, initUI(){ const preBtn = elements.getAs('.bilibili-player-video-btn-quality'); if(!preBtn) throw('没有找到视频清晰度按钮'); this.subtitleContainer = elements.getAs('.bilibili-player-video-subtitle>div'); const btn = preBtn.insertAdjacentElement('afterEnd',elements.createAs('div',{ className:"bilibili-player-video-btn", id:'bilibili-player-subtitle-btn', style:"display: block;", innerHTML:elements.subtitleStyle, onclick:(e)=>{ if(!this.panel.contains(e.target)) this.toggleSubtitle(); } })); //按钮 this.icon = elements.createAs('span',{ innerHTML: this.setting.isclosed?elements.oldDisableIcon:elements.oldEnableIcon },btn); //字幕样式表 this.fontStyle = elements.createAs('style',{ type:"text/css", innerHTML: this.setting.isclosed?elements.oldDisableIcon:elements.oldEnableIcon },btn); const panel = this.panel = elements.createAs('div',{ id:'subtitle-setting-panel', style:'position: absolute;bottom: 28px;right: 30px;background: white;border-radius: 4px;' +'text-align: left;padding: 13px;display: none;cursor:default;' },btn), languageDiv = elements.createAs('div',{innerHTML:'
字幕
'},panel), sizeDiv = elements.createAs('div',{innerHTML:'
字体大小
'},panel), colorDiv = elements.createAs('div',{innerHTML:'字幕颜色'},panel), shadowDiv = elements.createAs('div',{innerHTML:'字幕描边'},panel), positionDiv = elements.createAs('div',{innerHTML:'字幕位置'},panel), opacityDiv = elements.createAs('div',{innerHTML:'
背景不透明度
'},panel); //选择字幕 this.selectedLanguage = elements.createSelector({ width:'100px',height:'180px', initValue:'关闭', datas:this.subtitle.subtitles.map(({lan,lan_doc})=>({ content:lan_doc, value:lan, handler:({target})=>this.changeSubtitle(target.dataset.value) })) },languageDiv).firstElementChild; //下载字幕 this.downloadBtn = elements.createAs('button',{ className: "bpui-button",style: 'padding:0 8px;', innerText: "下载", onclick: ()=>{ if(this.selectedLan=='close') return; bilibiliCCHelper.getSubtitle(this.selectedLan).then(data=>{ new Encoder(data); }).catch(e=>{ bilibiliCCHelper.toast('获取字幕失败',e); }); } },languageDiv); //上传字幕 elements.createAs('a',{ className: this.subtitle.allow_submit?'bpui-button':'bpui-button bpui-state-disabled', innerText: '添加字幕', href: this.subtitle.allow_submit?`https://member.bilibili.com/v2#/zimu/my-zimu/zimu-editor?aid=${window.aid}&cid=${window.cid}`:'javascript:', target: '_blank', style: 'margin-right: 0px;height: 24px;padding:0 6px;', title: this.subtitle.allow_submit?'':'本视频无法添加字幕,可能原因是:\r\n·UP主未允许观众投稿字幕\r\n·您未达到UP主设置的投稿字幕条件', },languageDiv); //字体大小 elements.createAs('input',{ style:"width: 70%;",type:"range",step:"25", value: (this.setting.fontsize==0.6?0 :this.setting.fontsize==0.8?25 :this.setting.fontsize==1.3?75 :this.setting.fontsize==1.6?100:50), oninput:(e)=>{ const v = e.target.value/25; this.setting.fontsize = v>2?(v-2)*0.3+1:v*0.2+0.6; this.changeStyle(); } },sizeDiv); //自动缩放 elements.createAs('input',{ id:'subtitle-auto-resize', type:"checkbox", checked:this.setting.scale, onchange:(e)=>this.changeResizeStatus(this.setting.scale = e.target.checked) },sizeDiv); elements.createAs('label',{ style:"cursor:pointer", innerText:'自动缩放' },sizeDiv).setAttribute('for','subtitle-auto-resize'); //字幕颜色 elements.createSelector({ width:'74%',height:'120px', initValue:this.setting.color, datas:this.configs.color.map(({content,value})=>({ content,value, handler:(e)=>this.changeStyle(this.setting.color = parseInt(e.target.dataset.value)) })) },colorDiv); //字幕阴影 elements.createSelector({ width:'74%',height:'120px', initValue:this.setting.shadow, datas:this.configs.shadow.map(({content,value})=>({ content,value, handler:(e)=>this.changeStyle(this.setting.shadow = e.target.dataset.value) })) },shadowDiv); //字幕位置 elements.createSelector({ width:'74%', initValue:this.setting.position, datas:this.configs.position.map(({content,value})=>({ content,value, handler:(e)=>this.changePosition(this.setting.position = e.target.dataset.value) })) },positionDiv); //背景透明度 elements.createAs('input',{ style:"width: 100%;", type:"range", value: this.setting.backgroundopacity*100, oninput:(e)=>{ this.changeStyle(this.setting.backgroundopacity = e.target.value/100); } },opacityDiv); //播放器缩放 player.addEventListener('video_resize', (event) => { this.changeResize(event); }); //退出页面保存配置 window.addEventListener("beforeunload", (event) => { this.saveSetting(); }); //初始化字幕 this.initSubtitle(); console.log('init cc helper button done'); }, init(subtitle){ this.subtitle = subtitle; this.selectedLan = undefined; this.setting = JSON.parse(localStorage.bilibili_player_settings).subtitle; if(!this.setting) throw('获取设置失败'); this.initUI(); } };//oldPlayerHelper END //新版播放器CC字幕助手,需要维护下载按钮/本地字幕选项/关闭选项/需要时监听CC字幕按钮 const newPlayerHelper = { iconBtn:undefined, panel:undefined, downloadBtn:undefined, selectedLan:undefined, selectedLocal:false, hasSubtitles:false, updateDownloadBtn(value='close'){ this.selectedLan = value; if(value=='close'){ this.downloadBtn.classList.add('bui-button-disabled','bpui-button-icon'); } else{ this.selectedLocal = false; this.downloadBtn.classList.remove('bui-button-disabled','bpui-button-icon'); } }, initUI(){ const downloadBtn = this.downloadBtn = this.panel.nextElementSibling.cloneNode(), selector = this.panel.querySelector('ul'), nowSelect = selector.querySelector('li.bui-select-item.bui-select-item-active'), closeItem = selector.querySelector('li.bui-select-item.bui-select-item-active'), localItem = closeItem.cloneNode(); downloadBtn.style = 'min-width:unset!important' downloadBtn.innerText = '下载'; downloadBtn.addEventListener('click',()=>{ if(this.selectedLan=='close') return; bilibiliCCHelper.getSubtitle(this.selectedLan).then(data=>{ new Encoder(data); }).catch(e=>{ bilibiliCCHelper.toast('获取字幕失败',e); }); }); this.updateDownloadBtn(nowSelect&&nowSelect.dataset.value); this.panel.insertAdjacentElement('afterend',downloadBtn); //本地字幕 localItem.innerText = '本地字幕'; localItem.addEventListener('click',()=>{ this.selectedLocal = true; decoder.selectFile(); }); selector.appendChild(localItem); //选中本地字幕后关闭需要手动执行 closeItem.addEventListener('click',()=>{ if(!this.selectedLocal) return; this.selectedLocal = false; bilibiliCCHelper.loadSubtitle('close'); }); //视频本身没有字幕时,点击CC字幕按钮切换本地字幕和关闭 //视频本身有字幕时播放器自身会切换到视频自身字幕 if(!this.hasSubtitles){ const icon = this.iconBtn.querySelector('.bilibili-player-iconfont-subtitle'); icon&&icon.addEventListener('click',({target})=>{ if(!this.selectedLocal) localItem.click(); else closeItem.click(); }); } new MutationObserver((mutations,observer)=>{ mutations.forEach(mutation=>{ if(!mutation.target||mutation.type!='attributes') return; if(mutation.target.classList.contains('bui-select-item-active')&&mutation.target.dataset.value){ this.updateDownloadBtn(mutation.target.dataset.value); } }); }).observe(selector,{ subtree: true, attributes: true, attributeOldValue: true , attributeFilter: ['class'] }); console.log('Bilibili CC Helper init new UI success.'); }, init(subtitle){ this.hasSubtitles = subtitle.subtitles && subtitle.subtitles.length; this.selectedLocal = undefined; this.selectedLan = undefined; [this.iconBtn,this.panel] = elements.getAs(['.bilibili-player-video-btn-subtitle','.bilibili-player-video-subtitle-setting-lan']); if(this.panel){ this.initUI(); //设置ID标记视频为已注入,防止二次初始化 this.iconBtn.id = 'bilibili-player-subtitle-btn'; } else if(this.iconBtn){ //强制显示新版播放器CC字幕按钮,不管视频有没有字幕,反正可以选择本地字幕 this.iconBtn.style = 'display:block'; //设置ID标记视频为已注入,防止二次初始化 this.iconBtn.id = 'bilibili-player-subtitle-btn'; new MutationObserver((mutations,observer)=>{ mutations.forEach(mutation=>{ if(!mutation.target) return; if(mutation.target.classList.contains('bilibili-player-video-subtitle-setting-lan')){ observer.disconnect(); this.panel = mutation.target; this.initUI(); } }); }).observe(this.iconBtn,{ childList: true, subtree: true }); } else{ throw('找不到新播放器按钮'); } }, };//newPlayerHelper END //启动器 const bilibiliCCHelper = { cid:undefined, subtitle:undefined, datas:undefined, toast(msg,error){ if(error) console.error(msg,error); if(!this.toastDiv){ this.toastDiv = document.createElement('div'); this.toastDiv.className = 'bilibili-player-video-toast-item'; } const panel = elements.getAs('.bilibili-player-video-toast-top'); if(!panel) return; clearTimeout(this.removeTimmer); this.toastDiv.innerText = msg + (error?`:${error}`:''); panel.appendChild(this.toastDiv); this.removeTimmer = setTimeout(()=>panel.removeChild(this.toastDiv),3000); }, loadSubtitle(lan){ this.getSubtitle(lan).then(data=>{ player.updateSubtitle(data); this.toast(lan=='close'? '字幕已关闭': `载入字幕:${this.getSubtitleInfo(lan).lan_doc}`); }).catch(e=>{ this.toast('载入字幕失败',e); }); }, async getSubtitle(lan){ if(this.datas[lan]) return this.datas[lan]; const item = this.getSubtitleInfo(lan); if(!item) throw('找不到所选语言字幕'+lan); return fetch(item.subtitle_url) .then(res=>res.json()) .then(data=>(this.datas[lan] = data)); }, getSubtitleInfo(lan){ return this.subtitle.subtitles.find(item=>item.lan==lan); }, async setupData(){ if(this.cid==window.cid && this.subtitle) return this.subtitle; this.cid = window.cid; this.subtitle = undefined; this.datas = {close:{body:[]},local:{body:[]}}; return this.cid&&fetch(`//api.bilibili.com/x/player.so?id=cid:${window.cid}&aid=${window.aid}`) .then(res=>res.text()) .then(data=>data.match(/(?:)(.+)(?:<\/subtitle>)/)) .then(match=>{ this.subtitle = match&&JSON.parse(match[1]); this.subtitle.count = this.subtitle.subtitles.length; this.subtitle.subtitles.push({lan:'close',lan_doc:'关闭'},{lan:'local',lan_doc:'本地字幕'}); return this.subtitle; }); }, tryInit(){ this.setupData().then(subtitle=>{ if(!subtitle) return; if(elements.getAs('#bilibili-player-subtitle-btn')) { console.log('CC助手已初始化'); } else if(elements.getAs('.bilibili-player-video-btn-color')){ oldPlayerHelper.init(subtitle); } else if(elements.getAs('.bilibili-player-video-danmaku-setting')){ newPlayerHelper.init(subtitle); } }).catch(e=>{ this.toast('CC字幕助手配置失败',e); }); }, init(){ this.tryInit(); new MutationObserver((mutations, observer)=>{ mutations.forEach(mutation=>{ if(!mutation.target) return; if(mutation.target.getAttribute('stage')==0){ this.tryInit(); } }); }).observe(document.body,{ childList: true, subtree: true, }); } }; bilibiliCCHelper.init(); })();