// ==UserScript== // @name bilibili merged flv+mp4+ass // @namespace http://qli5.tk/ // @homepageURL http://qli5.tk/ // @description bilibili/哔哩哔哩:超清FLV下载,FLV合并,原生MP4下载,弹幕ASS下载,HTTPS,原生appsecret,不借助其他网站 // @include http://www.bilibili.com/video/av* // @include https://www.bilibili.com/video/av* // @include http://bangumi.bilibili.com/anime/*/play* // @include https://bangumi.bilibili.com/anime/*/play* // @version 1.0 // @author qli5 // @copyright qli5, 2014+, 田生, grepmusic // @license Mozilla Public License 2.0; http://www.mozilla.org/MPL/2.0/ // @run-at document-begin // @grant GM_getValue // @grant GM_setValue // @downloadURL none // ==/UserScript== let debugOption = { // BiliPolyfill(功能增强组件)开关 //polyfillInAlpha: 1, // alphaalpha // console会清空,生成 window.m 和 window.p //debug: 1, // 这样的话,稍后观看列表就真的能像Youtube一样实用了。但是国人不太习惯,暂且测试。 //corner: 1, // UP主不容易,B站也不容易,充电是有益的尝试,我不鼓励跳。 //autoNextTimeout: 0, }; /* BiliTwin consist of two parts - BiliMonkey and BiliPolyfill. * They are bundled because I am too lazy to write two user interfaces. * * So what is the difference between BiliMonkey and BiliPolyfill? * * BiliMonkey deals with network. It is a (naIve) Service Worker. * This is also why it uses IndexedDB instead of localStorage. * BiliPolyfill deals with experience. It is more a "user script". * Everything it can do can be done by hand. * * BiliPolyfill will be pointless in the long run - I believe bilibili * will finally provide these functions themselves. * * This script is licensed under Mozilla Public License 2.0 * https://www.mozilla.org/MPL/2.0/ * * Covered Software is provided under this License on an “as is” basis, * without warranty of any kind, either expressed, implied, or statutory, * including, without limitation, warranties that the Covered Software * is free of defects, merchantable, fit for a particular purpose or * non-infringing. The entire risk as to the quality and performance of * the Covered Software is with You. Should any Covered Software prove * defective in any respect, You (not any Contributor) assume the cost * of any necessary servicing, repair, or correction. This disclaimer * of warranty constitutes an essential part of this License. No use of * any Covered Software is authorized under this License except under * this disclaimer. * * Under no circumstances and under no legal theory, whether tort * (including negligence), contract, or otherwise, shall any Contributor, * or anyone who distributes Covered Software as permitted above, be * liable to You for any direct, indirect, special, incidental, or * consequential damages of any character including, without limitation, * damages for lost profits, loss of goodwill, work stoppage, computer * failure or malfunction, or any and all other commercial damages or * losses, even if such party shall have been informed of the possibility * of such damages. This limitation of liability shall not apply to * liability for death or personal injury resulting from such party’s * negligence to the extent applicable law prohibits such limitation. * Some jurisdictions do not allow the exclusion or limitation of * incidental or consequential damages, so this exclusion and limitation * may not apply to You. **/ /* BiliMonkey * A bilibili user script * by qli5 goodlq11[at](gmail|163).com * * The FLV merge utility is a Javascript translation of * https://github.com/grepmusic/flvmerge * by grepmusic * * The ASS convert utility is a wrapper of * https://tiansh.github.io/us-danmaku/bilibili/ * by tiansh * (This script is loaded dynamically so that updates can be applied * instantly. If github gets blocked from your region, please give * BiliMonkey::loadASSScript a new default src.) * (如果github被墙了,Ctrl+F搜索loadASSScript,给它一个新的网址。) * * This script is licensed under Mozilla Public License 2.0 * https://www.mozilla.org/MPL/2.0/ **/ /* BiliPolyfill * A bilibili user script * by qli5 goodlq11[at](gmail|163).com * * This script is licensed under Mozilla Public License 2.0 * https://www.mozilla.org/MPL/2.0/ **/ class TwentyFourDataView extends DataView { constructor(...args) { if (TwentyFourDataView.es6) { super(...args); } else { // ES5 polyfill // It is dirty. Very dirty. if (TwentyFourDataView.es6 === undefined) { try { TwentyFourDataView.es6 = 1; return super(...args); } catch (e) { if (e.name == 'TypeError') { TwentyFourDataView.es6 = 0; let setPrototypeOf = Object.setPrototypeOf || function (obj, proto) { obj.__proto__ = proto; return obj; }; setPrototypeOf(TwentyFourDataView, Object); } else throw e; } } super(); let _dataView = new DataView(...args); _dataView.getUint24 = TwentyFourDataView.prototype.getUint24; _dataView.setUint24 = TwentyFourDataView.prototype.setUint24; _dataView.indexOf = TwentyFourDataView.prototype.indexOf; return _dataView; } } getUint24(byteOffset, littleEndian) { if (littleEndian) throw 'littleEndian int24 not supported'; let msb = this.getUint8(byteOffset); return (msb << 16 | this.getUint16(byteOffset + 1)); } setUint24(byteOffset, value, littleEndian) { if (littleEndian) throw 'littleEndian int24 not supported'; if (value > 0x00FFFFFF) throw 'setUint24: number out of range'; let msb = value >> 16; let lsb = value & 0xFFFF; this.setUint8(byteOffset, msb); this.setUint16(byteOffset + 1, lsb); } indexOf(search, startOffset = 0, endOffset = this.byteLength - search.length + 1) { // I know it is NAIVE if (search.charCodeAt) { for (let i = startOffset; i < endOffset; i++) { if (this.getUint8(i) != search.charCodeAt(0)) continue; let found = 1; for (let j = 0; j < search.length; j++) { if (this.getUint8(i + j) != search.charCodeAt(j)) { found = 0; break; } } if (found) return i; } return -1; } else { for (let i = startOffset; i < endOffset; i++) { if (this.getUint8(i) != search[0]) continue; let found = 1; for (let j = 0; j < search.length; j++) { if (this.getUint8(i + j) != search[j]) { found = 0; break; } } if (found) return i; } return -1; } } } class FLVTag { constructor(dataView, currentOffset) { this.tagHeader = new TwentyFourDataView(dataView.buffer, dataView.byteOffset + currentOffset, 11); this.tagData = new TwentyFourDataView(dataView.buffer, dataView.byteOffset + currentOffset + 11, this.dataSize); this.previousSize = new TwentyFourDataView(dataView.buffer, dataView.byteOffset + currentOffset + 11 + this.dataSize, 4); } get tagType() { return this.tagHeader.getUint8(0); } get dataSize() { return this.tagHeader.getUint24(1); } get timestamp() { return this.tagHeader.getUint24(4); } get timestampExtension() { return this.tagHeader.getUint8(7); } get streamID() { return this.tagHeader.getUint24(8); } stripKeyframesScriptData() { let hasKeyframes = 'hasKeyframes\x01'; let keyframes = '\x00\x09keyframs\x03'; if (this.tagType != 0x12) throw 'can not strip non-scriptdata\'s keyframes'; let index; index = this.tagData.indexOf(hasKeyframes); if (index != -1) { //0x0101 => 0x0100 this.tagData.setUint8(index + hasKeyframes.length, 0x00); } // Well, I think it is unnecessary /*index = this.tagData.indexOf(keyframes) if (index != -1) { this.dataSize = index; this.tagHeader.setUint24(1, index); this.tagData = new TwentyFourDataView(this.tagData.buffer, this.tagData.byteOffset, index); }*/ } getDuration() { if (this.tagType != 0x12) throw 'can not find non-scriptdata\'s duration'; let duration = 'duration\x00'; let index = this.tagData.indexOf(duration); if (index == -1) throw 'can not get flv meta duration'; index += 9; return this.tagData.getFloat64(index); } getDurationAndView() { if (this.tagType != 0x12) throw 'can not find non-scriptdata\'s duration'; let duration = 'duration\x00'; let index = this.tagData.indexOf(duration); if (index == -1) throw 'can not get flv meta duration'; index += 9; return { duration: this.tagData.getFloat64(index), durationDataView: new TwentyFourDataView(this.tagData.buffer, this.tagData.byteOffset + index, 8) }; } getCombinedTimestamp() { return (this.timestampExtension << 24 | this.timestamp); } setCombinedTimestamp(timestamp) { if (timestamp < 0) throw 'timestamp < 0'; this.tagHeader.setUint8(7, timestamp >> 24); this.tagHeader.setUint24(4, timestamp & 0x00FFFFFF); } } class FLV { constructor(dataView) { if (dataView.indexOf('FLV', 0, 1) != 0) throw 'Invalid FLV header'; this.header = new TwentyFourDataView(dataView.buffer, dataView.byteOffset, 9); this.firstPreviousTagSize = new TwentyFourDataView(dataView.buffer, dataView.byteOffset + 9, 4); this.tags = []; let offset = this.headerLength + 4; while (offset < dataView.byteLength) { let tag = new FLVTag(dataView, offset); // debug for scrpit data tag // if (tag.tagType != 0x08 && tag.tagType != 0x09) offset += 11 + tag.dataSize + 4; this.tags.push(tag); } if (offset != dataView.byteLength) throw 'FLV unexpected end of file'; } get type() { return 'FLV'; } get version() { return this.header.getUint8(3); } get typeFlag() { return this.header.getUint8(4); } get headerLength() { return this.header.getUint32(5); } static merge(flvs) { if (flvs.length < 1) throw 'Usage: FLV.merge([flvs])'; let blobParts = []; let basetimestamp = [0, 0]; let lasttimestamp = [0, 0]; let duration = 0.0; let durationDataView; blobParts.push(flvs[0].header); blobParts.push(flvs[0].firstPreviousTagSize); for (let flv of flvs) { let bts = duration * 1000; basetimestamp[0] = lasttimestamp[0]; basetimestamp[1] = lasttimestamp[1]; bts = Math.max(bts, basetimestamp[0], basetimestamp[1]); let foundDuration = 0; for (let tag of flv.tags) { if (tag.tagType == 0x12 && !foundDuration) { duration += tag.getDuration(); foundDuration = 1; if (flv == flvs[0]) { ({ duration, durationDataView } = tag.getDurationAndView()); tag.stripKeyframesScriptData(); blobParts.push(tag.tagHeader); blobParts.push(tag.tagData); blobParts.push(tag.previousSize); } } else if (tag.tagType == 0x08 || tag.tagType == 0x09) { lasttimestamp[tag.tagType - 0x08] = bts + tag.getCombinedTimestamp(); tag.setCombinedTimestamp(lasttimestamp[tag.tagType - 0x08]); blobParts.push(tag.tagHeader); blobParts.push(tag.tagData); blobParts.push(tag.previousSize); } } } durationDataView.setFloat64(0, duration); return new Blob(blobParts); } static async mergeBlobs(blobs) { // Blobs can be swapped to disk, while Arraybuffers can not. // This is a RAM saving workaround. Somewhat. if (blobs.length < 1) throw 'Usage: FLV.mergeBlobs([blobs])'; let resultParts = []; let basetimestamp = [0, 0]; let lasttimestamp = [0, 0]; let duration = 0.0; let durationDataView; for (let blob of blobs) { let bts = duration * 1000; basetimestamp[0] = lasttimestamp[0]; basetimestamp[1] = lasttimestamp[1]; bts = Math.max(bts, basetimestamp[0], basetimestamp[1]); let foundDuration = 0; let flv = await new Promise((resolve, reject) => { let fr = new FileReader(); fr.onload = () => resolve(new FLV(new TwentyFourDataView(fr.result))); fr.readAsArrayBuffer(blob); fr.onerror = reject; }); for (let tag of flv.tags) { if (tag.tagType == 0x12 && !foundDuration) { duration += tag.getDuration(); foundDuration = 1; if (blob == blobs[0]) { resultParts.push(new Blob([flv.header, flv.firstPreviousTagSize])); ({ duration, durationDataView } = tag.getDurationAndView()); tag.stripKeyframesScriptData(); resultParts.push(new Blob([tag.tagHeader])); resultParts.push(tag.tagData); resultParts.push(new Blob([tag.previousSize])); } } else if (tag.tagType == 0x08 || tag.tagType == 0x09) { lasttimestamp[tag.tagType - 0x08] = bts + tag.getCombinedTimestamp(); tag.setCombinedTimestamp(lasttimestamp[tag.tagType - 0x08]); resultParts.push(new Blob([tag.tagHeader, tag.tagData, tag.previousSize])); } } } durationDataView.setFloat64(0, duration); return new Blob(resultParts); } } class CacheDB { constructor(dbName = 'biliMonkey', osName = 'flv', keyPath = 'name', maxItemSize = 100 * 1024 * 1024) { this.dbName = dbName; this.osName = osName; this.keyPath = keyPath; this.maxItemSize = maxItemSize; this.db = null; } async getDB() { if (this.db) return this.db; this.db = new Promise((resolve, reject) => { let openRequest = indexedDB.open(this.dbName); openRequest.onupgradeneeded = e => { let db = e.target.result; if (!db.objectStoreNames.contains(this.osName)) { db.createObjectStore(this.osName, { keyPath: this.keyPath }); } } openRequest.onsuccess = e => { resolve(this.db = e.target.result); } openRequest.onerror = reject; }); return this.db; } async addData(item, name = item.name, data = item.data) { if (!data.size) throw 'CacheDB: data must be a Blob'; let db = await this.getDB(); let itemChunks = []; let numChunks = Math.ceil(data.size / this.maxItemSize); for (let i = 0; i < numChunks; i++) { itemChunks.push({ name: `${name}_part_${i}`, numChunks, data: data.slice(i * this.maxItemSize, (i + 1) * this.maxItemSize) }); } let reqArr = []; for (let chunk of itemChunks) { reqArr.push(new Promise((resolve, reject) => { let req = db .transaction([this.osName], "readwrite") .objectStore(this.osName) .add(chunk); req.onsuccess = resolve; req.onerror = reject; })); } return Promise.all(reqArr); } async putData(item, name = item.name, data = item.data) { if (!data.size) throw 'CacheDB: data must be a Blob'; let db = await this.getDB(); let itemChunks = []; let numChunks = Math.ceil(data.size / this.maxItemSize); for (let i = 0; i < numChunks; i++) { itemChunks.push({ name: `${name}_part_${i}`, numChunks, data: data.slice(i * this.maxItemSize, (i + 1) * this.maxItemSize) }); } let reqArr = []; for (let chunk of itemChunks) { reqArr.push(new Promise((resolve, reject) => { let req = db .transaction([this.osName], "readwrite") .objectStore(this.osName) .put(chunk); req.onsuccess = resolve; req.onerror = reject; })); } return Promise.all(reqArr); } async getData(index) { let db = await this.getDB(); let item_0 = await new Promise((resolve, reject) => { let req = db .transaction([this.osName]) .objectStore(this.osName) .get(`${index}_part_0`); req.onsuccess = () => resolve(req.result); req.onerror = reject; }); if (!item_0) return undefined; let { numChunks, data: data_0 } = item_0; let reqArr = [Promise.resolve(data_0)]; for (let i = 1; i < numChunks; i++) { reqArr.push(new Promise((resolve, reject) => { let req = db .transaction([this.osName]) .objectStore(this.osName) .get(`${index}_part_${i}`); req.onsuccess = () => resolve(req.result.data); req.onerror = reject; })); } let itemChunks = await Promise.all(reqArr); return { name: index, data: new Blob(itemChunks) }; } async deleteData(index) { let db = await this.getDB(); let item_0 = await new Promise((resolve, reject) => { let req = db .transaction([this.osName]) .objectStore(this.osName) .get(`${index}_part_0`); req.onsuccess = () => resolve(req.result); req.onerror = reject; }); if (!item_0) return undefined; let numChunks = item_0.numChunks; let reqArr = []; for (let i = 0; i < numChunks; i++) { reqArr.push(new Promise((resolve, reject) => { let req = db .transaction([this.osName], "readwrite") .objectStore(this.osName) .delete(`${index}_part_${i}`); req.onsuccess = resolve; req.onerror = reject; })); } return Promise.all(reqArr); } async deleteEntireDB() { let req = indexedDB.deleteDatabase(this.dbName); return new Promise((resolve, reject) => { req.onsuccess = () => resolve(this.db = null); req.onerror = reject; }); } } class DetailedFetchBlob { constructor(input, init = {}, onprogress = init.onprogress, onabort = init.onabort, onerror = init.onerror) { // Now I know why standardizing cancelable Promise is that difficult // PLEASE refactor me! this.onprogress = onprogress; this.onabort = onabort; this.onerror = onerror; this.loaded = 0; this.total = 0; this.lengthComputable = false; this.buffer = []; this.blob = null; this.abort = null; this.reader = null; this.blobPromise = fetch(input, init).then(res => { if (!res.ok) throw `HTTP Error ${res.status}: ${res.statusText}`; this.lengthComputable = res.headers.has("Content-Length"); this.total = parseInt(res.headers.get("Content-Length")) || Infinity; this.total += init.cacheLoaded || 0; this.loaded = init.cacheLoaded || 0; if (this.lengthComputable) { this.reader = res.body.getReader(); return this.blob = this.consume(); } else { if (this.onprogress) this.onprogress(this.loaded, this.total, this.lengthComputable); return this.blob = res.blob(); } }); this.blobPromise.then(() => this.abort = () => { }); this.blobPromise.catch(e => this.onerror({ target: this, type: e })); this.promise = Promise.race([ this.blobPromise, new Promise((resolve, reject) => this.abort = () => { this.onabort({ target: this, type: 'abort' }); reject('abort'); this.buffer = []; this.blob = null; if (this.reader) this.reader.cancel(); }) ]); this.then = this.promise.then.bind(this.promise); this.catch = this.promise.catch.bind(this.promise); } getPartialBlob() { return new Blob(this.buffer); } async pump() { while (true) { let { done, value } = await this.reader.read(); if (done) return this.loaded; this.loaded += value.byteLength; this.buffer.push(value); if (this.onprogress) this.onprogress(this.loaded, this.total, this.lengthComputable); } } async consume() { await this.pump(); this.blob = new Blob(this.buffer); this.buffer = null; return this.blob; } async getBlob() { return this.promise; } } class Mutex { constructor() { this.queueTail = Promise.resolve(); this.resolveHead = null; } async lock() { let myResolve; let _queueTail = this.queueTail; this.queueTail = new Promise(resolve => myResolve = resolve); await _queueTail; this.resolveHead = myResolve; return; } unlock() { this.resolveHead(); return; } async lockAndAwait(asyncFunc) { await this.lock(); let ret = await asyncFunc(); this.unlock(); return ret; } static _UNIT_TEST() { let m = new Mutex(); function sleep(time) { return new Promise(r => setTimeout(r, time)); } m.lockAndAwait(() => { console.warn('Check message timestamps.'); console.warn('Bad:'); console.warn('1 1 1 1 1:5s'); console.warn(' 1 1 1 1 1:10s'); console.warn('Good:'); console.warn('1 1 1 1 1:5s'); console.warn(' 1 1 1 1 1:10s'); }); m.lockAndAwait(async () => { await sleep(1000); await sleep(1000); await sleep(1000); await sleep(1000); await sleep(1000); }); m.lockAndAwait(async () => console.log('5s!')); m.lockAndAwait(async () => { await sleep(1000); await sleep(1000); await sleep(1000); await sleep(1000); await sleep(1000); }); m.lockAndAwait(async () => console.log('10s!')); } } class AsyncContainer { // Yes, this is something like cancelable Promise. But I insist they are different. constructor() { //this.state = 0; // I do not know why will I need this. this.resolve = null; this.reject = null; this.hang = null; this.hangReturn = Symbol(); this.primaryPromise = new Promise((s, j) => { this.resolve = arg => { s(arg); return arg; } this.reject = arg => { j(arg); return arg; } }); //this.primaryPromise.then(() => this.state = 1); //this.primaryPromise.catch(() => this.state = 2); this.hangPromise = new Promise(s => this.hang = () => s(this.hangReturn)); //this.hangPromise.then(() => this.state = 3); this.promise = Promise .race([this.primaryPromise, this.hangPromise]) .then(s => s == this.hangReturn ? new Promise(() => { }) : s); this.then = this.promise.then.bind(this.promise); this.catch = this.promise.catch.bind(this.promise); this.destroiedThen = this.hangPromise.then.bind(this.hangPromise); } destroy() { this.hang(); this.resolve = () => { }; this.reject = this.resolve; this.hang = this.resolve; this.primaryPromise = null; this.hangPromise = null; this.promise = null; this.then = this.resolve; this.catch = this.resolve; this.destroiedThen = f => f(); // Do NEVER NEVER NEVER dereference hangReturn. // Mysteriously this tiny symbol will keep you from Memory LEAK. //this.hangReturn = null; } static _UNIT_TEST() { let containers = []; async function foo() { let buf = new ArrayBuffer(600000000); let ac = new AsyncContainer(); ac.destroiedThen(() => console.log('asyncContainer destroied')) containers.push(ac); await ac; return buf; } let foos = [foo(), foo(), foo()]; containers.map(e => e.destroy()); console.warn('Check your RAM usage. I allocated 1.8GB in three dead-end promises.') return [foos, containers]; } } class BiliMonkey { constructor(playerWin, option = { cache: null, partial: false, proxy: false }) { this.playerWin = playerWin; this.protocol = playerWin.location.protocol; this.cid = null; this.flvs = null; this.mp4 = null; this.ass = null; this.cidAsyncContainer = new AsyncContainer(); this.cidAsyncContainer.then(cid => { this.cid = cid; this.ass = this.getASS(); }); if (typeof top.cid === 'string') this.cidAsyncContainer.resolve(top.cid); /* cache + proxy = Service Worker * Hope bilibili will have a SW as soon as possible. * partial = Stream * Hope the fetch API will be stabilized as soon as possible. * If you are using your grandpa's browser, do not enable these functions. **/ this.cache = option.cache; this.partial = option.partial; this.proxy = option.proxy; this.option = option; this.flvsDetailedFetch = []; this.flvsBlob = []; this.flvsBlobURL = []; this.defaultFormatPromise = null; this.assAsyncScript = BiliMonkey.loadASSScript(); this.queryInfoMutex = new Mutex(); this.queryInfoMutex.lockAndAwait(() => this.getPlayer()); } silencePlayerHint() { // Every function needs this, but I am just too lazy ;) // ref: lockFormat, resolveFormat, this.playerWin.document.getElementsByClassName('bilibili-player-video-float-hint')[0].style.visibility = 'hidden'; } lockFormat(format) { // null => uninitialized // async pending => another one is working on it // async resolve => that guy just finished work // sync value => someone already finished work this.silencePlayerHint(); switch (format) { case 'flv': // Single writer is not a must. // Plus, if one writer failed, others should be able to overwrite its garbage. //if (this.flvs) return this.flvs; return this.flvs = new AsyncContainer(); case 'hdmp4': //if (this.mp4) return this.mp4; return this.mp4 = new AsyncContainer(); case 'mp4': return; default: throw `lockFormat error: ${format} is a unrecognizable format`; return; } } resolveFormat(res, shouldBe) { this.silencePlayerHint(); if (shouldBe && shouldBe != res.format) throw `URL interface error: response is not ${shouldBe}`; switch (res.format) { case 'flv': return this.flvs = this.flvs.resolve(res.durl.map(e => e.url.replace('http:', this.protocol))); case 'hdmp4': return this.mp4 = this.mp4.resolve(res.durl[0].url.replace('http:', this.protocol)); case 'mp4': return; default: throw `resolveFormat error: ${res.format} is a unrecognizable format`; return; } } async execOptions() { if (this.cache && (!(this.cache instanceof CacheDB))) { this.cache = new CacheDB('biliMonkey', 'flv', 'name'); } await this.cache.getDB(); if (this.option.autoDefault) await this.sniffDefaultFormat(); if (this.option.autoFLV) this.queryInfo('flv'); if (this.option.autoMP4) this.queryInfo('mp4'); } async sniffDefaultFormat() { if (this.defaultFormatPromise) return this.defaultFormatPromise; if (this.playerWin.document.querySelector('div.bilibili-player-video-btn.bilibili-player-video-btn-quality > div > ul > li:nth-child(2)')) return this.defaultFormatPromise = Promise.resolve(); const jq = this.playerWin == window ? $ : this.playerWin.$; const _ajax = jq.ajax; const defquality = this.playerWin.localStorage && this.playerWin.localStorage.bilibili_player_settings ? JSON.parse(this.playerWin.localStorage.bilibili_player_settings).setting_config.defquality : undefined; this.defaultFormatPromise = new Promise(resolve => { let timeout = setTimeout(() => { jq.ajax = _ajax; resolve(); }, 5000); let self = this; jq.ajax = function (a, c) { if (a.url.search('interface.bilibili.com/playurl?') != -1 || a.url.search('bangumi.bilibili.com/player/web_api/playurl?') != -1) { clearTimeout(timeout); let format = a.url.match(/quality=\d/)[0].slice(8); format = format == 4 || format == 3 ? 'flv' : format == 2 ? 'hdmp4' : format == 1 ? 'mp4' : undefined; self.lockFormat(format); self.cidAsyncContainer.resolve(a.url.match(/cid=\d*/)[0].slice(4)); let _success = a.success; a.success = res => { if (self.proxy && res.format == 'flv') { self.resolveFormat(res, format); self.setupProxy(res, _success); } else { _success(res); self.resolveFormat(res, format); } resolve(res); }; jq.ajax = _ajax; } return _ajax.call(jq, a, c); }; }); return this.defaultFormatPromise; } async getCurrentFormat(format) { const jq = this.playerWin == window ? $ : this.playerWin.$; const _ajax = jq.ajax; const buttonNumber = format == 'flv' ? 1 : 2; const siblingFormat = format == 'flv' ? 'hdmp4' : 'flv'; const trivialRes = { 'from': 'local', 'result': 'suee', 'format': siblingFormat, 'timelength': 10, 'accept_format': 'flv,hdmp4,mp4', 'accept_quality': [3, 2, 1], 'seek_param': 'start', 'seek_type': 'second', 'durl': [{ 'order': 1, 'length': 1000, 'size': 30000, 'url': '', 'backup_url': ['', ''] }] }; let pendingFormat = this.lockFormat(format); let self = this; let blockedRequest = await new Promise(resolve => { let buttonEnabled = 0; jq.ajax = function (a, c) { if (a.url.search('interface.bilibili.com/playurl?') != -1 || a.url.search('bangumi.bilibili.com/player/web_api/playurl?') != -1) { // Send back a fake response to enable the change-format button. if (!buttonEnabled) { self.cidAsyncContainer.resolve(a.url.match(/cid=\d*/)[0].slice(4)); a.success(trivialRes); buttonEnabled = [a, c]; // Magic number if fail setTimeout(() => resolve(buttonEnabled), 5000); } // However, the player will retry - make sure it gets stuck. else { resolve(buttonEnabled); } } else { return _ajax.call(jq, a, c); } }; this.playerWin.document.querySelector(`div.bilibili-player-video-btn-quality > div > ul > li:nth-child(${3 - buttonNumber})`).click(); }); let siblingOK = siblingFormat == 'hdmp4' ? this.mp4 : this.flvs; if (!siblingOK) { this.lockFormat(siblingFormat); blockedRequest[0].success = res => this.resolveFormat(res, siblingFormat); _ajax.apply(jq, blockedRequest); } jq.ajax = function (a, c) { if (a.url.search('interface.bilibili.com/playurl?') != -1 || a.url.search('bangumi.bilibili.com/player/web_api/playurl?') != -1) { let _success = a.success; a.success = res => { if (self.proxy && res.format == 'flv') { self.resolveFormat(res, format); self.setupProxy(res, _success); } else { _success(res); self.resolveFormat(res, format); } }; jq.ajax = _ajax; } return _ajax.call(jq, a, c); }; this.playerWin.document.querySelector(`div.bilibili-player-video-btn-quality > div > ul > li:nth-child(${buttonNumber})`).click(); return pendingFormat; } async getNonCurrentFormat(format) { const jq = this.playerWin == window ? $ : this.playerWin.$; const _ajax = jq.ajax; const buttonNumber = format == 'flv' ? 1 : 2; let pendingFormat = this.lockFormat(format); let self = this; jq.ajax = function (a, c) { if (a.url.search('interface.bilibili.com/playurl?') != -1 || a.url.search('bangumi.bilibili.com/player/web_api/playurl?') != -1) { self.cidAsyncContainer.resolve(a.url.match(/cid=\d*/)[0].slice(4)); let _success = a.success; _success({}); a.success = res => self.resolveFormat(res, format); jq.ajax = _ajax; } return _ajax.call(jq, a, c); }; this.playerWin.document.querySelector(`div.bilibili-player-video-btn-quality > div > ul > li:nth-child(${buttonNumber})`).click(); return pendingFormat; } async getASS(clickableFormat) { if (this.ass) return this.ass; this.ass = new Promise(async resolve => { if (!this.cid) this.cid = new Promise(resolve => { if (!clickableFormat) reject('get ASS Error: cid unavailable, nor clickable format given.'); const jq = this.playerWin == window ? $ : this.playerWin.$; const _ajax = jq.ajax; const buttonNumber = clickableFormat == 'flv' ? 1 : 2; this.lockFormat(clickableFormat); let self = this; jq.ajax = function (a, c) { if (a.url.search('interface.bilibili.com/playurl?') != -1 || a.url.search('bangumi.bilibili.com/player/web_api/playurl?') != -1) { resolve(self.cid = a.url.match(/cid=\d*/)[0].slice(4)); let _success = a.success; _success({}); a.success = res => self.resolveFormat(res, clickableFormat); jq.ajax = _ajax; } return _ajax.call(jq, a, c); }; this.playerWin.document.querySelector(`div.bilibili-player-video-btn-quality > div > ul > li:nth-child(${buttonNumber})`).click(); }); let [{ fetchDanmaku, generateASS, setPosition }, cid] = await Promise.all([this.assAsyncScript, this.cid]); fetchDanmaku(cid, danmaku => { let ass = generateASS(setPosition(danmaku), { 'title': name, 'ori': location.href, }); // I would assume most users are using Windows let blob = new Blob(['\ufeff' + ass], { type: 'application/octet-stream' }); resolve(this.ass = window.URL.createObjectURL(blob)); }); }); return this.ass; } async queryInfo(format) { return this.queryInfoMutex.lockAndAwait(async () => { switch (format) { case 'flv': if (this.flvs) return this.flvs; else if (this.playerWin.document.querySelector('div.bilibili-player-video-btn-quality > div > ul > li:nth-child(1)').getAttribute('data-selected')) return this.getCurrentFormat('flv'); else return this.getNonCurrentFormat('flv'); case 'mp4': if (this.mp4) return this.mp4; else if (this.playerWin.document.querySelector('div.bilibili-player-video-btn-quality > div > ul > li:nth-child(2)').getAttribute('data-selected')) return this.getCurrentFormat('hdmp4'); else return this.getNonCurrentFormat('hdmp4'); case 'ass': if (this.ass) return this.ass; else if (this.playerWin.document.querySelector('div.bilibili-player-video-btn-quality > div > ul > li:nth-child(1)').getAttribute('data-selected')) return this.getASS('hdmp4'); else return this.getASS('flv'); default: throw `Bilimonkey: What is format ${format}?` return; } }); } async getPlayer() { if (this.playerWin.document.querySelector('div.bilibili-player-video-btn.bilibili-player-video-btn-quality > div > ul > li:nth-child(2)')) { this.playerWin.document.getElementsByClassName('bilibili-player-video-panel')[0].style.display = 'none'; return this.playerWin; } else if (MutationObserver) { return new Promise(resolve => { let observer = new MutationObserver(() => { if (this.playerWin.document.querySelector('div.bilibili-player-video-btn.bilibili-player-video-btn-quality > div > ul > li:nth-child(2)')) { observer.disconnect(); this.playerWin.document.getElementsByClassName('bilibili-player-video-panel')[0].style.display = 'none'; resolve(this.playerWin); } }); observer.observe(this.playerWin.document.getElementById('bilibiliPlayer'), { childList: true }); }); } else { return new Promise(resolve => { let t = setInterval(() => { if (this.playerWin.document.querySelector('div.bilibili-player-video-btn.bilibili-player-video-btn-quality > div > ul > li:nth-child(2)')) { clearInterval(t); this.playerWin.document.getElementsByClassName('bilibili-player-video-panel')[0].style.display = 'none'; resolve(this.playerWin); } }, 600); }); } } async hangPlayer() { await this.getPlayer(); let trivialRes = { 'from': 'local', 'result': 'suee', 'format': 'hdmp4', 'timelength': 10, 'accept_format': 'flv,hdmp4,mp4', 'accept_quality': [3, 2, 1], 'seek_param': 'start', 'seek_type': 'second', 'durl': [{ 'order': 1, 'length': 1000, 'size': 30000, 'url': '', 'backup_url': ['', ''] }] }; const qualityToFormat = ['mp4', 'hdmp4', 'flv']; const jq = this.playerWin == window ? $ : this.playerWin.$; const _ajax = jq.ajax; // jq hijack return new Promise(async resolve => { // Magic number. Do not know why. for (let i = 0; i < 3; i++) { let trivialResSent = new Promise(r => { jq.ajax = function (a, c) { if (a.url.search('interface.bilibili.com/playurl?') != -1 || a.url.search('bangumi.bilibili.com/player/web_api/playurl?') != -1) { // Send back a fake response to abort current loading. trivialRes.format = qualityToFormat[a.url.match(/quality=(\d)/)[1]]; a.success(trivialRes); // Requeue. Again, magic number. setTimeout(r, 400); } else { return _ajax.call(jq, a, c); } }; }) // Find a random available button let button = Array .from(this.playerWin.document.querySelector('div.bilibili-player-video-btn.bilibili-player-video-btn-quality > div > ul').children) .find(e => !e.getAttribute('data-selected')); button.click(); await trivialResSent; } resolve(this.playerWin.document.querySelector('#bilibiliPlayer video')); jq.ajax = _ajax; }); } async loadFLVFromCache(index) { if (!this.cache) return; if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let name = this.flvs[index].match(/\d*-\d*.flv/)[0]; let item = await this.cache.getData(name); if (!item) return; return this.flvsBlob[index] = item.data; } async loadPartialFLVFromCache(index) { if (!this.cache) return; if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let name = this.flvs[index].match(/\d*-\d*.flv/)[0]; name = 'PC_' + name; let item = await this.cache.getData(name); if (!item) return; return item.data; } async loadAllFLVFromCache() { if (!this.cache) return; if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let promises = []; for (let i = 0; i < this.flvs.length; i++) promises.push(this.loadFLVFromCache(i)); return Promise.all(promises); } async saveFLVToCache(index, blob) { if (!this.cache) return; if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let name = this.flvs[index].match(/\d*-\d*.flv/)[0]; return this.cache.addData({ name, data: blob }); } async savePartialFLVToCache(index, blob) { if (!this.cache) return; if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let name = this.flvs[index].match(/\d*-\d*.flv/)[0]; name = 'PC_' + name; return this.cache.putData({ name, data: blob }); } async cleanPartialFLVInCache(index) { if (!this.cache) return; if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let name = this.flvs[index].match(/\d*-\d*.flv/)[0]; name = 'PC_' + name; return this.cache.deleteData(name); } async getFLVBlob(index, progressHandler) { if (this.flvsBlob[index]) return this.flvsBlob[index]; if (!this.flvs) throw 'BiliMonkey: info uninitialized'; this.flvsBlob[index] = (async () => { let cache = await this.loadFLVFromCache(index); if (cache) return this.flvsBlob[index] = cache; let partialCache = await this.loadPartialFLVFromCache(index); let opt = { method: 'GET', mode: 'cors', cacheLoaded: partialCache ? partialCache.size : 0 }; opt.onprogress = progressHandler; opt.onerror = opt.onabort = ({ target, type }) => { let pBlob = target.getPartialBlob(); if (partialCache) pBlob = new Blob([partialCache, pBlob]); this.savePartialFLVToCache(index, pBlob); // throw(type); } let burl = this.flvs[index]; if (partialCache) burl += `&bstart=${partialCache.size}`; let fullResponse; try { let fch = new DetailedFetchBlob(burl, opt); this.flvsDetailedFetch[index] = fch; fullResponse = await fch.getBlob(); this.flvsDetailedFetch[index] = undefined; } catch (e) { if (e == 'abort') return new Promise(() => { }); throw e; } if (partialCache) { fullResponse = new Blob([partialCache, fullResponse]); this.cleanPartialFLVInCache(index); } this.saveFLVToCache(index, fullResponse); return (this.flvsBlob[index] = fullResponse); /* ****obsolete**** // Obsolete: cannot save partial blob let xhr = new XMLHttpRequest(); this.flvsXHR[index] = xhr; xhr.onload = () => { let fullResponse = xhr.response; if (partialCache) fullResponse = new Blob([partialCache, xhr.response]); this.saveFLVToCache(index, fullResponse); resolve(this.flvsBlob[index] = fullResponse); } xhr.onerror = reject; xhr.onabort = () => { this.savePartialFLVToCache(index, xhr); } xhr.onprogress = event => progressHandler(event.loaded, event.total, index); xhr.onreadystatechange = () => { if (this.readyState == this.HEADERS_RECEIVED) { console.log(`Size of ${index}: ${xhr.getResponseHeader('Content-Length')}`); } } xhr.responseType = 'blob'; xhr.open('GET', this.flvs[index], true); if (partialCache) { xhr.setRequestHeader('Range', `bytes=${partialCache.size}-`); } xhr.send();*/ })(); return this.flvsBlob[index]; } async getFLV(index, progressHandler) { if (this.flvsBlobURL[index]) return this.flvsBlobURL[index]; let blob = await this.getFLVBlob(index, progressHandler); this.flvsBlobURL[index] = URL.createObjectURL(blob); return this.flvsBlobURL[index]; } async abortFLV(index) { if (this.flvsDetailedFetch[index]) return this.flvsDetailedFetch[index].abort(); } async getAllFLVsBlob(progressHandler) { if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let promises = []; for (let i = 0; i < this.flvs.length; i++) promises.push(this.getFLVBlob(i, progressHandler)); return Promise.all(promises); } async getAllFLVs(progressHandler) { if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let promises = []; for (let i = 0; i < this.flvs.length; i++) promises.push(this.getFLV(i, progressHandler)); return Promise.all(promises); } async cleanAllFLVsInCache() { if (!this.cache) return; if (!this.flvs) throw 'BiliMonkey: info uninitialized'; let promises = []; for (let flv of this.flvs) { let name = flv.match(/\d*-\d*.flv/)[0]; promises.push(this.cache.deleteData(name)); } return Promise.all(promises); } async setupProxy(res, onsuccess) { (() => { let _fetch = this.playerWin.fetch; this.playerWin.fetch = function (input, init) { if (!(input.slice && input.slice(0, 5) == 'blob:')) return _fetch(input, init); let bstart = input.search(/\?bstart=/); if (bstart < 0) return _fetch(input, init); if (!init.headers instanceof Headers) init.headers = new Headers(init.headers); init.headers.set('Range', `bytes=${input.slice(bstart + 8)}-`); return _fetch(input.slice(0, bstart), init) } })(); await this.loadAllFLVFromCache(); let resProxy = {}; Object.assign(resProxy, res); for (let i = 0; i < this.flvsBlob.length; i++) { if (this.flvsBlob[i]) { this.flvsBlobURL[i] = URL.createObjectURL(this.flvsBlob[i]); resProxy.durl[i].url = this.flvsBlobURL[i]; } } return onsuccess(resProxy); } static async loadASSScript(src = 'https://tiansh.github.io/us-danmaku/bilibili/bilibili_ASS_Danmaku_Downloader.user.js') { let script = await new Promise((resolve, reject) => { let req = new XMLHttpRequest(); req.onload = () => resolve(req.responseText); req.onerror = reject; req.open("get", src); req.send(); }); script = script.slice(0, script.search('var init = function ()')); let head = ` (function () { `; let foot = ` fetchXML = function (cid, callback) { var oReq = new XMLHttpRequest(); oReq.open('GET', 'https://comment.bilibili.com/{{cid}}.xml'.replace('{{cid}}', cid)); oReq.onload = function () { var content = oReq.responseText.replace(/(?:[\0-\x08\x0B\f\x0E-\x1F\uFFFE\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])/g, ""); callback(content); }; oReq.send(); }; initFont(); return { fetchDanmaku: fetchDanmaku, generateASS: generateASS, setPosition: setPosition }; })() `; script = `${head}${script}${foot}`; let indirectEvalWrapper = { 'eval': eval }; return indirectEvalWrapper.eval(script); } static _UNIT_TEST() { (async () => { let playerWin = await BiliUserJS.getPlayerWin(); window.m = new BiliMonkey(playerWin); console.warn('sniffDefaultFormat test'); await m.sniffDefaultFormat(); console.log(m); console.warn('data race test'); m.queryInfo('mp4'); console.log(m.queryInfo('mp4')); console.warn('getNonCurrentFormat test'); console.log(await m.queryInfo('mp4')); console.warn('getCurrentFormat test'); console.log(await m.queryInfo('flv')); //location.reload(); })(); } } class BiliPolyfill { constructor(playerWin, option = { setStorage: (n, i) => playerWin.localStorage.setItem(n, i), getStorage: n => playerWin.localStorage.getItem(n), hintInfo: null, dblclick: true, scroll: true, recommend: true, autoNext: true, autoNextTimeout: 2000, resume: true, lift: true, oped: true, }, hintInfo = () => { }) { this.playerWin = playerWin; this.video = null; this.option = option; this.setStorage = option.setStorage; this.getStorage = option.getStorage; this.hintInfo = hintInfo; this.autoNextDestination = null; this.autoNextTimeout = option.autoNextTimeout; this.userdata = null; this.firstEnded = false; } saveUserdata() { this.setStorage('biliPolyfill', JSON.stringify(this.userdata)); } retriveUserdata() { try { this.userdata = this.getStorage('biliPolyfill'); if (this.userdata.length > 1073741824) top.alert('BiliPolyfill脚本数据已经快满了,在播放器上右键->BiliPolyfill->稍后观看->检视,删掉一些吧。'); this.userdata = JSON.parse(this.userdata); } catch (e) { } finally { if (!this.userdata) this.userdata = {}; if (!(this.userdata.position instanceof Object)) this.userdata.position = {}; if (!(this.userdata.watchLater instanceof Array)) this.userdata.watchLater = []; if (!(this.userdata.oped instanceof Object)) this.userdata.oped = {}; } } async setFunctions() { this.retriveUserdata(); this.verifyWatchLater() this.video = await this.getPlayerVideo(); if (this.option.dblclick) this.dblclickFullScreen(); if (this.option.scroll) this.scrollToPlayer(); if (this.option.recommend) this.showRecommendTab(); if (this.option.autoNext) this.autoNext(); if (this.option.resume) this.retrivePlayPosition(); if (this.option.lift) this.liftBottomDanmuku(); if (this.option.autoPlay) this.autoPlay(); if (this.option.autoWideScreen) this.autoWideScreen(); if (this.option.autoFullScreen) this.autoFullScreen(); if (this.option.oped) this.skipOPED(); if (this.option.resume) this.video.addEventListener('ended', () => this.firstEnded = true); this.playerWin.addEventListener('unload', () => { if (this.option.resume) this.savePlayPosition(); this.saveUserdata(); }) } dblclickFullScreen() { this.playerWin.document.getElementsByTagName('video')[0].addEventListener('dblclick', () => this.playerWin.document.querySelector('#bilibiliPlayer div.bilibili-player-video-btn-fullscreen').click() ); } scrollToPlayer() { if (top.scrollY < 200) top.document.getElementById('bofqi').scrollIntoView(); } showRecommendTab() { this.playerWin.document.querySelector('#bilibiliPlayer div.bilibili-player-filter-btn-recommend').click(); } getCoverImage() { if (document.querySelector(".cover_image")) return document.querySelector(".cover_image").src; else if (document.querySelector('div.v1-bangumi-info-img > a > img')) return document.querySelector('div.v1-bangumi-info-img > a > img').src.slice(0, /.jpg/.exec(document.querySelector('div.v1-bangumi-info-img > a > img').src).index + 4); else return null; } autoNext() { // 1 Next Part // 2 Watch Later // 3 Recommendations if (this.autoNextDestination && this.autoNextDestination != '没有了') return; let destination, nextLocation; if (!nextLocation && top.location.host == 'bangumi.bilibili.com') { destination = '下一P'; //番剧: nextLocation = top.document.querySelector('ul.slider-list .cur + li'); } if (!nextLocation) { destination = '下一P'; //视频: nextLocation = (this.playerWin.document.querySelector('#plist .curPage + a') || {}).href; } if (!nextLocation) { destination = '稍后观看'; //列表: nextLocation = this.userdata.watchLater[0] ? 'https://' + this.userdata.watchLater[0] : null; } if (!nextLocation) { destination = 'B站推荐'; //列表: nextLocation = this.option.autoNextRecommend ? this.playerWin.document.querySelector('div.bilibili-player-recommend a').href : undefined; } if (!nextLocation) return this.autoNextDestination = '没有了'; let h = () => { this.hintInfo(`BiliPolyfill: ${BiliPolyfill.secondToReadable(this.autoNextTimeout / 1000)}后播放下一个(任意点击取消)`); debugger; let t = setTimeout(() => nextLocation instanceof HTMLElement ? nextLocation.click() : top.window.location.assign(nextLocation), this.autoNextTimeout); let ht = () => { clearTimeout(t); this.playerWin.removeEventListener('click', ht); } this.playerWin.addEventListener('click', ht); this.video.removeEventListener('ended', h); }; this.video.addEventListener('ended', h); return this.autoNextDestination = destination; } savePlayPosition() { if (!this.firstEnded) this.userdata.position[this.playerWin.location.pathname] = this.video.currentTime; } retrivePlayPosition() { if (this.userdata.position[this.playerWin.location.pathname]) { this.video.currentTime = this.userdata.position[this.playerWin.location.pathname]; this.hintInfo(`BiliPolyfill: 从${BiliPolyfill.secondToReadable(this.video.currentTime)}继续`); } this.userdata.position[this.playerWin.location.pathname] = undefined; } liftBottomDanmuku() { if (!this.playerWin.document.getElementsByName('ctlbar_danmuku_prevent')[0].checked) this.playerWin.document.getElementsByName('ctlbar_danmuku_prevent')[0].click(); } addWatchLater(href = top.location.href) { let myLocation; if (!myLocation) myLocation = href.match(/www.bilibili.com\/video\/av\d*/); if (!myLocation) myLocation = href.match(/bangumi.bilibili.com\/anime\/\d*(\/.*)?/); if (!myLocation) myLocation = href.match(/www.bilibili.com(\/av\d*)/) ? ['www.bilibili.com/video' + href.match(/www.bilibili.com(\/av\d*)/)[1]] : null; if (!myLocation) return null; else return this.userdata.watchLater.push(myLocation[0].split('?')[0].replace(/\/$/, '')); } getWatchLater() { return this.userdata.watchLater; } verifyWatchLater() { let myLocation = top.location.href.replace(/https?:\/\//, '').split('?')[0].replace(/\/$/, ''); this.userdata.watchLater = this.userdata.watchLater.filter(e => e && e != myLocation); } clearAllWatchLater() { this.userdata.watchLater = []; } loadOffineSubtitles() { // NO. NOBODY WILL NEED THIS。 // Hint: https://github.com/jamiees2/ass-to-vtt throw 'Not implemented'; } autoPlay() { this.video.autoplay = true; if (this.video.paused) this.playerWin.document.querySelector('#bilibiliPlayer div.bilibili-player-video-btn').click(); } autoWideScreen() { if (this.playerWin.document.querySelector('#bilibiliPlayer i.icon-24wideoff')) this.playerWin.document.querySelector('#bilibiliPlayer div.bilibili-player-video-btn-widescreen').click(); } autoFullScreen() { if (this.playerWin.document.querySelector('#bilibiliPlayer div.video-state-fullscreen-off')) this.playerWin.document.querySelector('#bilibiliPlayer div.bilibili-player-video-btn-fullscreen').click(); } getCollectionId() { return (top.location.pathname.match(/av\d+/) || top.location.pathname.match(/anime\/\d+/))[0]; } markOPPosition() { let collectionId = this.getCollectionId(); if (!(this.userdata.oped[collectionId] instanceof Array)) this.userdata.oped[collectionId] = []; this.userdata.oped[collectionId][0] = this.video.currentTime; } markEDPostion() { let collectionId = this.getCollectionId(); if (!(this.userdata.oped[collectionId] instanceof Array)) this.userdata.oped[collectionId] = []; this.userdata.oped[collectionId][1] = (this.video.currentTime); } clearOPEDPosition() { let collectionId = this.getCollectionId(); this.userdata.oped[collectionId] = undefined; } skipOPED() { let collectionId = this.getCollectionId(); if (!(this.userdata.oped[collectionId] instanceof Array)) return; if (this.userdata.oped[collectionId][0]) { if (this.video.currentTime < this.userdata.oped[collectionId][0]) { this.video.currentTime = this.userdata.oped[collectionId][0]; this.hintInfo('BiliPolyfill: 已跳过片头'); } } if (this.userdata.oped[collectionId][1]) { let edHandler = v => { if (v.target.currentTime > this.userdata.oped[collectionId][1]) { v.target.removeEventListener('timeupdate', edHandler); v.target.dispatchEvent(new Event('ended')); } } this.video.addEventListener('timeupdate', edHandler); } } setVideoSpeed(speed) { if (speed < 0 || speed > 10) return; this.video.playbackRate = speed; } async getPlayerVideo() { if (this.playerWin.document.getElementsByTagName('video').length) { return this.video = this.playerWin.document.getElementsByTagName('video')[0]; } else if (MutationObserver) { return new Promise(resolve => { let observer = new MutationObserver(() => { if (this.playerWin.document.getElementsByTagName('video').length) { observer.disconnect(); resolve(this.video = this.playerWin.document.getElementsByTagName('video')[0]); } }); observer.observe(this.playerWin.document.getElementById('bilibiliPlayer'), { childList: true }); }); } else { return new Promise(resolve => { let t = setInterval(() => { if (this.playerWin.document.getElementsByTagName('video').length) { clearInterval(t); resolve(this.video = this.playerWin.document.getElementsByTagName('video')[0]); } }, 600); }); } } static secondToReadable(s) { if (s > 60) return `${parseInt(s / 60)}分${parseInt(s % 60)}秒`; else return `${parseInt(s % 60)}秒`; } static clearAllUserdata(playerWin = top.window) { if (window.GM_setValue) return GM_setValue('biliPolyfill', ''); playerWin.localStorage.removeItem('biliPolyfill'); } static _UNIT_TEST() { console.warn('This test is impossible.'); console.warn('You need to close the tab, reopen it, etc.'); console.warn('Maybe you also want to test between bideo parts, etc.'); console.warn('I am too lazy to find workarounds.'); } } class BiliUserJS { static async getIframeWin() { if (document.querySelector('#bofqi > iframe').contentDocument.getElementById('bilibiliPlayer')) { return document.querySelector('#bofqi > iframe').contentWindow; } else { return new Promise(resolve => { document.querySelector('#bofqi > iframe').addEventListener('load', () => { resolve(document.querySelector('#bofqi > iframe').contentWindow); }); }); } } static async getPlayerWin() { if (location.host == 'bangumi.bilibili.com') { if (document.querySelector('#bofqi > iframe')) { return BiliUserJS.getIframeWin(); } else if (MutationObserver) { return new Promise(resolve => { let observer = new MutationObserver(() => { if (document.querySelector('#bofqi > iframe')) { observer.disconnect(); resolve(BiliUserJS.getIframeWin()); } else if (document.querySelector('#bofqi > object')) { observer.disconnect(); throw 'Need H5 Player'; } }); observer.observe(window.document.getElementById('bofqi'), { childList: true }); }); } else { return new Promise(resolve => { let t = setInterval(() => { if (document.querySelector('#bofqi > iframe')) { clearInterval(t); resolve(BiliUserJS.getIframeWin()); } else if (document.querySelector('#bofqi > object')) { clearInterval(t); throw 'Need H5 Player'; } }, 600); }); } } else { if (document.querySelector('#bofqi > object')) { throw 'Need H5 Player'; } else { return window; } } } } class UI extends BiliUserJS { // Title Append static titleAppend(monkey) { let h = document.querySelector('div.viewbox div.info'); let tminfo = document.querySelector('div.tminfo'); let div = document.createElement('div'); let flvA = document.createElement('a'); let mp4A = document.createElement('a'); let assA = document.createElement('a'); flvA.textContent = '超清FLV'; mp4A.textContent = '原生MP4'; assA.textContent = '弹幕ASS'; flvA.onmouseover = async () => { flvA.textContent = '正在FLV'; flvA.onmouseover = null; await monkey.queryInfo('flv'); flvA.textContent = '超清FLV'; let flvDiv = UI.genFLVDiv(monkey); document.body.appendChild(flvDiv); flvA.onclick = () => flvDiv.style.display = 'block'; }; mp4A.onmouseover = async () => { mp4A.textContent = '正在MP4'; mp4A.onmouseover = null; mp4A.href = await monkey.queryInfo('mp4'); //mp4A.target = '_blank'; // You know pop up blocker? :) mp4A.textContent = '原生MP4'; }; assA.onmouseover = async () => { assA.textContent = '正在ASS'; assA.onmouseover = null; assA.href = await monkey.queryInfo('ass'); assA.textContent = '弹幕ASS'; if (monkey.mp4 && monkey.mp4.match) assA.download = monkey.mp4.match(/\d(\d|-|hd)*(?=\.mp4)/)[0] + '.ass'; else assA.download = monkey.cid + '.ass'; }; flvA.style.fontSize = mp4A.style.fontSize = assA.style.fontSize = '16px'; div.appendChild(flvA); div.appendChild(document.createTextNode(' ')); div.appendChild(mp4A); div.appendChild(document.createTextNode(' ')); div.appendChild(assA); div.className = 'info'; div.style.zIndex = '1'; div.style.width = '32%'; tminfo.style.float = 'left'; tminfo.style.width = '68%'; h.insertBefore(div, tminfo); return { flvA, mp4A, assA }; } static genFLVDiv(monkey, flvs = monkey.flvs, cache = monkey.cache) { let div = UI.genDiv(); let table = document.createElement('table'); table.style.width = '100%'; table.style.lineHeight = '2em'; for (let i = 0; i < flvs.length; i++) { let tr = table.insertRow(-1); tr.insertCell(0).innerHTML = `FLV分段 ${i + 1}`; tr.insertCell(1).innerHTML = '缓存本段'; tr.insertCell(2).innerHTML = '进度条'; tr.children[1].children[0].onclick = () => { UI.downloadFLV(tr.children[1].children[0], monkey, i, tr.children[2].children[0]); } } let tr = table.insertRow(-1); tr.insertCell(0).innerHTML = `全部复制到剪贴板`; tr.insertCell(1).innerHTML = '缓存全部+自动合并'; tr.insertCell(2).innerHTML = `进度条`; tr.children[0].children[0].onclick = () => { UI.copyToClipboard(flvs.join('\n')); } tr.children[1].children[0].onclick = () => { UI.downloadAllFLVs(tr.children[1].children[0], monkey, table); } table.insertRow(-1).innerHTML = '合并功能推荐配置:至少8G RAM。把自己下载的分段FLV拖动到这里,也可以合并哦~'; table.insertRow(-1).innerHTML = cache ? '下载的缓存分段会暂时停留在电脑里,过一段时间会自动消失。建议只开一个标签页。' : '建议只开一个标签页。关掉标签页后,缓存就会被清理。别忘了另存为!'; UI.displayQuota(table.insertRow(-1)); div.appendChild(table); div.ondragenter = div.ondragover = e => UI.allowDrag(e); div.ondrop = async e => { UI.allowDrag(e); let files = Array.from(e.dataTransfer.files); if (files.every(e => e.name.search(/\d*-\d*.flv/) != -1)) { files.sort((a, b) => a.name.match(/\d*-(\d*).flv/)[1] - b.name.match(/\d*-(\d*).flv/)[1]); } for (let file of files) { table.insertRow(-1).innerHTML = `${file.name}`; } let outputName = files[0].name.match(/\d*-\d.flv/); if (outputName) outputName = outputName[0].replace(/-\d/, ""); else outputName = 'merge_' + files[0].name; let url = await UI.mergeFLVFiles(files); table.insertRow(-1).innerHTML = `${outputName}`; } let buttons = []; for (let i = 0; i < 3; i++) buttons.push(document.createElement('button')); buttons.forEach(btn => btn.style.padding = '0.5em'); buttons.forEach(btn => btn.style.margin = '0.2em'); buttons[0].textContent = '关闭'; buttons[0].onclick = () => { div.style.display = 'none'; } buttons[1].textContent = '清空这个视频的缓存'; buttons[1].onclick = () => { monkey.cleanAllFLVsInCache(); } buttons[2].textContent = '清空所有视频的缓存'; buttons[2].onclick = () => { UI.clearCacheDB(cache); } buttons.forEach(btn => div.appendChild(btn)); return div; } static async downloadAllFLVs(a, monkey, table) { if (table.rows[0].cells.length < 3) return; monkey.hangPlayer(); table.insertRow(-1).innerHTML = '已屏蔽网页播放器的网络链接。切换清晰度可重新激活播放器。'; for (let i = 0; i < monkey.flvs.length; i++) { if (table.rows[i].cells[1].children[0].textContent == '缓存本段') table.rows[i].cells[1].children[0].click(); } let bar = a.parentNode.nextSibling.children[0]; bar.max = monkey.flvs.length + 1; bar.value = 0; for (let i = 0; i < monkey.flvs.length; i++) monkey.getFLVBlob(i).then(e => bar.value++); let blobs; blobs = await monkey.getAllFLVsBlob(); let mergedFLV = await FLV.mergeBlobs(blobs); let url = URL.createObjectURL(mergedFLV); let outputName = monkey.flvs[0].match(/\d*-\d.flv/); if (outputName) outputName = outputName[0].replace(/-\d/, ""); else outputName = 'merge.flv'; bar.value++; table.insertRow(0).innerHTML = ` 保存合并后FLV 弹幕ASS 记得清理分段缓存哦~ `; return url; } static async downloadFLV(a, monkey, index, bar = {}) { let handler = e => UI.beforeUnloadHandler(e); window.addEventListener('beforeunload', handler); a.textContent = '取消'; a.onclick = () => { a.onclick = null; window.removeEventListener('beforeunload', handler); a.textContent = '已取消'; monkey.abortFLV(index); }; let url; try { url = await monkey.getFLV(index, (loaded, total) => { bar.value = loaded; bar.max = total; }); if (bar.value == 0) bar.value = bar.max = 1; } catch (e) { a.onclick = null; window.removeEventListener('beforeunload', handler); a.textContent = '错误'; throw e; } a.onclick = null; window.removeEventListener('beforeunload', handler); a.textContent = '另存为'; a.download = monkey.flvs[index].match(/\d*-\d*.flv/)[0]; a.href = url; return url; } static async mergeFLVFiles(files) { let merged = await FLV.mergeBlobs(files) return URL.createObjectURL(merged); } static async clearCacheDB(cache) { if (cache) return cache.deleteEntireDB(); } static async displayQuota(tr) { return new Promise(resolve => { let temporaryStorage = window.navigator.temporaryStorage || window.navigator.webkitTemporaryStorage || window.navigator.mozTemporaryStorage || window.navigator.msTemporaryStorage; if (!temporaryStorage) resolve(tr.innerHTML = `这个浏览器不支持缓存呢~关掉标签页后,缓存马上就会消失哦`) temporaryStorage.queryUsageAndQuota((usage, quota) => resolve(tr.innerHTML = `缓存已用空间:${Math.round(usage / 1048576)}MB / ${Math.round(quota / 1048576)}MB 也包括了B站本来的缓存`) ); }); } // Menu Append static menuAppend(playerWin, { monkey, monkeyTitle, polyfill, displayPolyfillDataDiv, optionDiv }) { // setInterval is too expensive here - it may even delay video playback. if (!MutationObserver) return; let initMonkeyMenu = UI.genMonkeyMenu(playerWin, { monkey, monkeyTitle, optionDiv }); let initPolyfillMenu = debugOption.polyfillInAlpha ? UI.genPolyfillMenu(playerWin, { polyfill, displayPolyfillDataDiv, optionDiv }) : undefined; // alphaalpha let observer = new MutationObserver(record => { let ul = record[0].target.firstChild; debugOption.polyfillInAlpha ? ul.insertBefore(UI.genPolyfillMenu(playerWin, { polyfill, displayPolyfillDataDiv, optionDiv }, initPolyfillMenu), ul.firstChild) : undefined; // alphaalpha ul.insertBefore(UI.genMonkeyMenu(playerWin, { monkey, monkeyTitle, optionDiv }, initMonkeyMenu), ul.firstChild); }); observer.observe(playerWin.document.getElementsByClassName('bilibili-player-context-menu-container black')[0], { attributes: true }); } static genMonkeyMenu(playerWin, { monkey, monkeyTitle, optionDiv }, cached) { let li = cached; if (!li) { li = playerWin.document.createElement('li'); li.className = 'context-menu-menu'; li.innerHTML = ` BiliMonkey `; li.onclick = () => playerWin.document.getElementsByClassName('bilibili-player-watching-number')[0].click(); let ul = li.children[1]; ul.children[0].onclick = async () => { if (monkeyTitle.flvA.onmouseover) await monkeyTitle.flvA.onmouseover(); monkeyTitle.flvA.click(); }; ul.children[1].onclick = async () => { if (monkeyTitle.mp4A.onmouseover) await monkeyTitle.mp4A.onmouseover(); monkeyTitle.mp4A.click(); }; ul.children[2].onclick = async () => { if (monkeyTitle.assA.onmouseover) await monkeyTitle.assA.onmouseover(); monkeyTitle.assA.click(); }; ul.children[3].onclick = () => { optionDiv.style.display = 'block'; }; ul.children[4].onclick = async () => { playerWin.document.querySelector('div.bilibili-player-video-btn-quality > div > ul > li:nth-child(1)').click(); monkey.proxy = true; monkey.flvs = null; // Yes, I AM lazy. setTimeout(() => monkey.queryInfo('flv'), 1000); UI.hintInfo('请稍候,可能需要10秒时间……', playerWin) }; ul.children[5].onclick = () => { top.location.reload(true); }; } return li; } static genPolyfillMenu(playerWin, { polyfill, displayPolyfillDataDiv, optionDiv }, cached) { let li = cached; if (!li) { li = playerWin.document.createElement('li'); li.className = 'context-menu-menu'; li.innerHTML = ` BiliPolyfill `; li.onclick = () => playerWin.document.getElementsByClassName('bilibili-player-watching-number')[0].click(); let ul = li.children[1]; ul.children[0].onclick = () => { polyfill.video.dispatchEvent(new Event('ended')); }; ul.children[1].onclick = () => { top.window.open(polyfill.getCoverImage()); }; ul.children[2].children[1].children[0].onclick = () => { polyfill.setVideoSpeed(0.1); }; ul.children[2].children[1].children[1].onclick = () => { polyfill.setVideoSpeed(3); }; ul.children[2].children[1].children[2].onclick = () => { polyfill.setVideoSpeed(ul.children[2].children[1].children[2].getElementsByTagName('input')[0].value); }; ul.children[2].children[1].children[2].getElementsByTagName('input')[0].onclick = e => e.stopPropagation(); ul.children[3].children[1].children[0].onclick = () => { polyfill.addWatchLater(); }; ul.children[3].children[1].children[1].onclick = () => { displayPolyfillDataDiv(polyfill); }; ul.children[3].children[1].children[2].onclick = () => { polyfill.clearAllWatchLater(); }; ul.children[4].children[1].children[0].onclick = () => { polyfill.markOPPosition(); }; ul.children[4].children[1].children[1].onclick = () => { polyfill.markEDPostion(3); }; ul.children[4].children[1].children[2].onclick = () => { polyfill.clearOPEDPosition(); }; ul.children[5].onclick = () => { optionDiv.style.display = 'block'; }; ul.children[6].onclick = () => { polyfill.firstEnded = true }; ul.children[7].onclick = () => { polyfill.saveUserdata() }; ul.children[8].onclick = () => { BiliPolyfill.clearAllUserdata(playerWin); polyfill.retriveUserdata(); }; } let ul = li.children[1]; ul.children[0].children[0].getElementsByTagName('span')[1].textContent = polyfill.autoNextDestination; ul.children[2].children[1].children[2].getElementsByTagName('input')[0].value = polyfill.video.playbackRate; ul.children[3].children[1].children[1].getElementsByTagName('span')[1].textContent = polyfill.userdata.watchLater.length; ul.children[3].children[1].children[2].getElementsByTagName('span')[1].textContent = polyfill.userdata.watchLater.length; let oped = polyfill.userdata.oped[polyfill.getCollectionId()] || []; ul.children[4].children[1].children[0].getElementsByTagName('span')[1].textContent = oped[0] ? BiliPolyfill.secondToReadable(oped[0]) : '无'; ul.children[4].children[1].children[1].getElementsByTagName('span')[1].textContent = oped[1] ? BiliPolyfill.secondToReadable(oped[1]) : '无'; return li; } // Side Append static sideAppend(option) { let s = document.querySelector('div.bgray-btn-wrap'); //s.style.display = 'block'; let div = document.createElement('div'); div.textContent = '脚本设置'; div.className = 'bgray-btn show'; let optionDiv = UI.genOptionDiv(option); document.body.appendChild(optionDiv); div.onclick = () => optionDiv.style.display = 'block'; s.appendChild(div); return optionDiv; } static sidePolyfillAppend(polyfill) { let s = document.querySelector('div.bgray-btn-wrap'); let div = document.createElement('div'); div.textContent = '脚本数据'; div.className = 'bgray-btn show'; div.onclick = () => UI.displayPolyfillDataDiv(polyfill); s.appendChild(div); } static genOptionDiv(option) { let div = UI.genDiv(); div.appendChild(UI.genMonkeyOptionTable(option)); div.appendChild(UI.genPolyfillOptionTable(option)); let table = document.createElement('table'); table.style = 'width: 100%; line-height: 2em;'; table.insertRow(-1).innerHTML = '设置自动保存,刷新后生效。'; table.insertRow(-1).innerHTML = '视频下载组件的缓存功能只在Windows+Chrome测试过,如果出现问题,请关闭缓存。'; table.insertRow(-1).innerHTML = '功能增强组件尽量保证了兼容性。但如果有同功能脚本/插件,请关闭本插件的对应功能。'; table.insertRow(-1).innerHTML = '这个脚本乃“按原样”提供,不附带任何明示,暗示或法定的保证,包括但不限于其没有缺陷,适合特定目的或非侵权。'; table.insertRow(-1).innerHTML = 'Author: qli5. Copyright: qli5, 2014+, 田生, grepmusic'; div.appendChild(table); let buttons = []; for (let i = 0; i < 3; i++) buttons.push(document.createElement('button')); buttons.map(btn => btn.style.padding = '0.5em'); buttons.map(btn => btn.style.margin = '0.2em'); buttons[0].textContent = '保存并关闭'; buttons[0].onclick = () => { div.style.display = 'none';; } buttons[1].textContent = '保存并刷新'; buttons[1].onclick = () => { top.location.reload(); } buttons[2].textContent = '重置并刷新'; buttons[2].onclick = () => { UI.saveOption({ setStorage: option.setStorage }); top.location.reload(); } buttons.map(btn => div.appendChild(btn)); return div; } static genMonkeyOptionTable(option = {}) { const description = [ ['autoDefault', '尝试自动抓取:不会拖慢页面,抓取默认清晰度,但可能抓不到。'], ['autoFLV', '强制自动抓取FLV:会拖慢页面,如果默认清晰度也是超清会更慢,但保证抓到。'], ['autoMP4', '强制自动抓取MP4:会拖慢页面,如果默认清晰度也是高清会更慢,但保证抓到。'], ['cache', '关标签页不清缓存:保留完全下载好的分段到缓存,忘记另存为也没关系。'], ['partial', '断点续传:点击“取消”保留部分下载的分段到缓存,忘记点击会弹窗确认。'], ['proxy', '用缓存加速播放器:如果缓存里有完全下载好的分段,直接喂给网页播放器,不重新访问网络。小水管利器,播放只需500k流量。如果实在搞不清怎么播放ASS弹幕,也可以就这样用。'], ]; let table = document.createElement('table'); table.style.width = '100%'; table.style.lineHeight = '2em'; table.insertRow(-1).innerHTML = 'BiliMonkey(视频抓取组件)'; table.insertRow(-1).innerHTML = '因为作者偷懒了,后三个选项最好要么全开,要么全关。最好。'; for (let d of description) { let checkbox = document.createElement('input'); checkbox.type = 'checkbox'; checkbox.checked = option[d[0]]; checkbox.onchange = () => { option[d[0]] = checkbox.value; UI.saveOption(option); }; let td = table.insertRow(-1).insertCell(0); td.appendChild(checkbox); td.appendChild(document.createTextNode(d[1])); } return table; } static genPolyfillOptionTable(option = {}) { const description = [ ['dblclick', '双击全屏'], ['scroll', '自动滚动到播放器'], ['recommend', '弹幕列表换成相关视频'], ['autoNext', '快速换P/自动播放稍后观看'], //['autoNextTimeout', '快速换P等待时间(毫秒)'], ['autoNextRecommend', '无稍后观看则自动播放相关视频'], ['resume', '记住上次播放位置'], ['lift', '自动防挡字幕'], ['autoPlay', '自动播放'], ['autoWideScreen', '自动宽屏'], ['autoFullScreen', '自动全屏'], ['oped', '标记后自动跳OP/ED'], // Exprimental //['corner', '左下角快速添加稍后观看'], ]; let table = document.createElement('table'); table.style.width = '100%'; table.style.lineHeight = '2em'; table.insertRow(-1).innerHTML = 'BiliPolyfill(功能增强组件)'; table.insertRow(-1).innerHTML = '以下功能测试中。抢先体验请打开脚本第一行。'; // alphaalpha for (let d of description) { let checkbox = document.createElement('input'); checkbox.type = 'checkbox'; checkbox.checked = option[d[0]]; checkbox.onchange = () => { option[d[0]] = checkbox.value; UI.saveOption(option); }; let td = table.insertRow(-1).insertCell(0); td.appendChild(checkbox); td.appendChild(document.createTextNode(d[1])); } return table; } static displayPolyfillDataDiv(polyfill) { let div = UI.genDiv(); let p = document.createElement('p'); p.textContent = '这里是脚本储存的数据。所有数据都只存在浏览器里,别人不知道,B站也不知道,脚本作者更不知道(这个家伙连服务器都租不起 摔'; p.style.margin = '0.3em'; div.appendChild(p); let textareas = []; for (let i = 0; i < 3; i++) textareas.push(document.createElement('textarea')); textareas.forEach(ta => ta.style = 'resize:vertical; width: 100%; height: 200px'); p = document.createElement('p'); p.textContent = '这里是看到一半的视频。格式是,网址:时间'; p.style.margin = '0.3em'; div.appendChild(p); textareas[0].textContent = JSON.stringify(polyfill.userdata.position).replace(/{/, '{\n').replace(/}/, '\n}').replace(/,/g, ',\n'); div.appendChild(textareas[0]); p = document.createElement('p'); p.textContent = '这里是稍后观看列表。就只有网址而已。如果作者心情好的话也许以后会加上预览功能吧。也许。'; p.style.margin = '0.3em'; div.appendChild(p); textareas[1].textContent = JSON.stringify(polyfill.userdata.watchLater).replace(/\[/, '[\n').replace(/\]/, '\n]').replace(/,/g, ',\n'); div.appendChild(textareas[1]); p = document.createElement('p'); p.textContent = '这里是片头片尾。格式是,av号或番剧号:[片头,片尾]。null代表没有片头。'; p.style.margin = '0.3em'; div.appendChild(p); textareas[2].textContent = JSON.stringify(polyfill.userdata.oped).replace(/{/, '{\n').replace(/}/, '\n}').replace(/],/g, '],\n'); div.appendChild(textareas[2]); p = document.createElement('p'); p.textContent = '当然可以直接清空啦。只删除其中的一些行的话,一定要记得删掉多余的逗号。'; p.style.margin = '0.3em'; div.appendChild(p); let buttons = []; for (let i = 0; i < 3; i++) buttons.push(document.createElement('button')); buttons.forEach(btn => btn.style.padding = '0.5em'); buttons.forEach(btn => btn.style.margin = '0.2em'); buttons[0].textContent = '关闭'; buttons[0].onclick = () => { div.remove(); } buttons[1].textContent = '验证格式'; buttons[1].onclick = () => { if (!textareas[0].value) textareas[0].value = '{\n\n}'; textareas[0].value = textareas[0].value.replace(/,(\s|\n)*}/, '\n}').replace(/,(\s|\n),/g, ',\n'); if (!textareas[1].value) textareas[1].value = '[\n\n]'; textareas[1].value = textareas[1].value.replace(/,(\s|\n)*]/, '\n]').replace(/,(\s|\n),/g, ',\n'); if (!textareas[2].value) textareas[2].value = '{\n\n}'; textareas[2].value = textareas[2].value.replace(/,(\s|\n)*}/, '\n}').replace(/,(\s|\n),/g, ',\n').replace(/,(\s|\n)*]/g, ']'); let userdata = {}; try { userdata.position = JSON.parse(textareas[0].value); } catch (e) { alert('看到一半的视频: ' + e); throw e; } try { userdata.watchLater = JSON.parse(textareas[1].value); } catch (e) { alert('稍后观看列表: ' + e); throw e; } try { userdata.oped = JSON.parse(textareas[2].value); } catch (e) { alert('片头片尾: ' + e); throw e; } buttons[1].textContent = ('格式没有问题!'); return userdata; } buttons[2].textContent = '尝试保存'; buttons[2].onclick = () => { polyfill.userdata = buttons[1].onclick(); polyfill.saveUserdata(); buttons[2].textContent = ('保存成功'); } buttons.forEach(btn => div.appendChild(btn)); document.body.appendChild(div); div.style.display = 'block'; } // Corner Append static cornerAppend(polyfill) { let div = document.createElement('div'); div.style = 'width:30px;position:fixed;bottom:0px;left:0px;height:60px;line-height:20px;border:1px solid #e5e9ef;border-radius:4px;background:#f6f9fa;color:#6d757a;cursor:pointer;'; document.body.appendChild(div); div.textContent = '拖放视频链接'; div.ondragenter = div.ondragover = e => { UI.allowDrag(e); div.textContent = '添加稍后观看'; }; div.ondrop = e => { UI.allowDrag(e); let href = e.dataTransfer.getData('text/uri-list'); if (polyfill.addWatchLater(href)) div.textContent = '添加成功'; else div.textContent = '无法识别网址'; if (polyfill.option.autoNext && (!polyfill.autoNextDestination || polyfill.autoNextDestination == '没有了')) polyfill.autoNext(); }; div.onmouseout = () => div.textContent = '点击关闭'; div.onclick = () => div.remove(); polyfill.video.draggable = true; polyfill.video.ondragstart = e => e.dataTransfer.setData("text/uri-list", top.location.href); } // Common static genDiv() { let div = document.createElement('div'); div.style.position = 'fixed'; div.style.zIndex = '10036'; div.style.top = '50%'; div.style.marginTop = '-200px'; div.style.left = '50%'; div.style.marginLeft = '-320px'; div.style.width = '540px'; div.style.maxHeight = '400px'; div.style.overflowY = 'auto'; div.style.padding = '30px 50px'; div.style.backgroundColor = 'white'; div.style.borderRadius = '6px'; div.style.boxShadow = 'rgba(0, 0, 0, 0.6) 1px 1px 40px 0px'; div.style.display = 'none'; return div; } static requestH5Player() { let h = document.querySelector('div.tminfo'); h.insertBefore(document.createTextNode('[[脚本需要HTML5播放器(弹幕列表右上角三个点的按钮切换)]] '), h.firstChild); } static copyToClipboard(text) { let textarea = document.createElement('textarea'); document.body.appendChild(textarea); textarea.value = text; textarea.select(); document.execCommand('copy'); document.body.removeChild(textarea); } static allowDrag(e) { e.stopPropagation(); e.preventDefault(); } static beforeUnloadHandler(e) { return e.returnValue = '脚本还没做完工作,真的要退出吗?'; } static hintInfo(text, playerWin) { let infoDiv; switch (playerWin.document.getElementsByClassName('bilibili-player-video-float-hint').length) { case 0: return null; case 1: infoDiv = playerWin.document.createElement('div'); infoDiv.style = 'top:-72px;z-index:67'; infoDiv.className = 'bilibili-player-video-float-hint'; let wrp = playerWin.document.getElementsByClassName('bilibili-player-video-float-panel-wrp')[0]; wrp.insertBefore(infoDiv, wrp.firstChild); infoDiv = playerWin.document.createElement('div'); case 2: infoDiv = playerWin.document.getElementsByClassName('bilibili-player-video-float-hint')[0]; infoDiv.textContent = text; infoDiv.style.display = 'block'; infoDiv.style.visibility = 'visible'; setTimeout(() => infoDiv.style.display = '', 3000); return infoDiv; default: throw 'hintInfo: who is that div?'; } } static getOption(playerWin) { let rawOption = null; try { if (window.GM_getValue) { rawOption = JSON.parse(GM_getValue('BiliTwin')); } else { rawOption = JSON.parse(localStorage.getItem('BiliTwin')); } } catch (e) { } finally { if (!rawOption) rawOption = {}; if (window.GM_setValue) { rawOption.setStorage = (n, i) => GM_setValue(n, i); rawOption.getStorage = n => GM_getValue(n); } else { rawOption.setStorage = (n, i) => playerWin.localStorage.setItem(n, i); rawOption.getStorage = n => playerWin.localStorage.getItem(n); } const defaultOption = { autoDefault: true, autoFLV: false, autoMP4: false, cache: true, partial: true, proxy: true, dblclick: true, scroll: true, recommend: true, autoNext: true, autoNextTimeout: 2000, autoNextRecommend: false, resume: true, lift: true, autoPlay: false, autoWideScreen: false, autoFullScreen: false, oped: true, // Exprimental //corner: false, }; return Object.assign({}, defaultOption, rawOption, debugOption); } } static saveOption(option) { return option.setStorage('BiliTwin', option); } static xpcWrapperClearance() { if (top.unsafeWindow) { Object.defineProperty(window, 'cid', { configurable: true, get: () => String(unsafeWindow.cid) }); Object.defineProperty(window, '$', { configurable: true, get: () => unsafeWindow['$'] }); Object.defineProperty(window, 'fetch', { configurable: true, get: () => unsafeWindow.fetch, set: _fetch => unsafeWindow.fetch = _fetch }); } } static cleanUI() { let es = [ document.querySelector('body > div:nth-child(4) > div.viewbox > div.info > div.info'), document.querySelector('body > div.b-page-body > div > div > div.bgray-btn-wrap > div:nth-child(4)'), document.querySelector('body > div.b-page-body > div > div > div.bgray-btn-wrap > div:nth-child(5)'), document.querySelector('body > div:nth-last-child(2)'), document.querySelector('body > div:nth-last-child(1)'), ]; es.forEach(e => e ? e.remove() : undefined); } static reInit() { document.querySelector('#bofqi > iframe') ? document.querySelector('#bofqi > iframe').remove() : undefined; UI.cleanUI(); UI.init(); } static async init() { if (!Promise) alert('这个浏览器实在太老了,脚本决定罢工。'); UI.xpcWrapperClearance(); let playerWin; try { playerWin = await UI.getPlayerWin(); playerWin.addEventListener('unload', UI.reInit); } catch (e) { if (e == 'Need H5 Player') UI.requestH5Player(); return; } let option = UI.getOption(playerWin); let optionDiv = UI.sideAppend(option); let monkeyTitle; let displayPolyfillDataDiv = polyfill => UI.displayPolyfillDataDiv(polyfill); let [monkey, polyfill] = await Promise.all([ (async () => { let monkey = new BiliMonkey(playerWin, option); await monkey.execOptions(); monkeyTitle = UI.titleAppend(monkey); return monkey; })(), (async () => { let polyfill = new BiliPolyfill(playerWin, option, t => UI.hintInfo(t, playerWin)); if (!debugOption.polyfillInAlpha) return polyfill.getPlayerVideo(); // alphaalpha await polyfill.setFunctions(); UI.sidePolyfillAppend(polyfill); return polyfill; })() ]); if (option.corner) UI.cornerAppend(polyfill); UI.menuAppend(playerWin, { monkey, monkeyTitle, polyfill, displayPolyfillDataDiv, optionDiv }); playerWin.removeEventListener('unload', UI.reInit); playerWin.addEventListener('unload', UI.reInit); if (debugOption.debug && top.console) top.console.clear(); if (debugOption.debug) ([top.m, top.p] = [monkey, polyfill]); return [monkey, polyfill]; } } UI.init();