哔哩哔哩屏蔽增强器

对B站视频或评论进行屏蔽,支持关键词模糊正则等,支持时长播放弹幕过滤等,如视频、评论、动态、直播间的评论等,详情可看下面支持的屏蔽类型

  1. // ==UserScript==
  2. // @name 哔哩哔哩屏蔽增强器
  3. // @namespace http://tampermonkey.net/
  4. // @license Apache-2.0
  5. // @version 2.8
  6. // @author byhgz
  7. // @description 对B站视频或评论进行屏蔽,支持关键词模糊正则等,支持时长播放弹幕过滤等,如视频、评论、动态、直播间的评论等,详情可看下面支持的屏蔽类型
  8. // @icon https://static.hdslb.com/images/favicon.ico
  9. // @noframes
  10. // @run-at document-start
  11. // @grant GM_setValue
  12. // @grant GM_getValue
  13. // @grant GM_deleteValue
  14. // @grant GM_addStyle
  15. // @grant GM_unregisterMenuCommand
  16. // @grant GM_registerMenuCommand
  17. // @grant GM_openInTab
  18. // @exclude *://message.bilibili.com/pages/nav/header_sync
  19. // @exclude *://message.bilibili.com/pages/nav/index_new_pc_sync
  20. // @exclude *://live.bilibili.com/blackboard/dropdown-menu.html
  21. // @exclude *://live.bilibili.com/p/html/live-web-mng/*
  22. // @exclude *://www.bilibili.com/correspond/*
  23. // @match *://search.bilibili.com/*
  24. // @match *://www.bilibili.com/v/food/*
  25. // @match *://message.bilibili.com/*
  26. // @match *://www.bilibili.com/read/*
  27. // @match *://www.bilibili.com/v/topic/detail/?topic_id=*
  28. // @match *://www.bilibili.com/v/kichiku/*
  29. // @match *://t.bilibili.com/*
  30. // @match *://space.bilibili.com/*
  31. // @match *://www.bilibili.com/video/*
  32. // @match *://live.bilibili.com/?spm_id_from=*
  33. // @match *://live.bilibili.com/p/eden/area-tags?*
  34. // @match *://live.bilibili.com/*
  35. // @match *://www.bilibili.com/opus/*
  36. // @match *://www.bilibili.com/*
  37. // @require https://cdn.jsdelivr.net/npm/vue@2
  38. // @require https://unpkg.com/element-ui/lib/index.js
  39. // @require https://cdn.jsdelivr.net/npm/dexie@4.0.10/dist/dexie.min.js
  40. // @require https://update.gf.qytechs.cn/scripts/517928/gz_ui_css-v1.js
  41. // @source https://gitee.com/hangexi/BiBiBSPUserVideoMonkeyScript
  42. // homepage https://scriptcat.org/zh-CN/script-show-page/1029
  43. // ==/UserScript==
  44. "use strict";
  45. (function (Vue, Dexie) {
  46. 'use strict';
  47. var gmUtil = {
  48. setData(key, content) {
  49. GM_setValue(key, content);
  50. },
  51. getData(key, defaultValue) {
  52. return GM_getValue(key, defaultValue);
  53. },
  54. delData(key) {
  55. if (!this.isData(key)) {
  56. return false;
  57. }
  58. GM_deleteValue(key);
  59. return true;
  60. },
  61. isData(key) {
  62. return this.getData(key) !== undefined;
  63. },
  64. addStyle(style) {
  65. GM_addStyle(style);
  66. },
  67. addGMMenu(text, func, shortcutKey = null) {
  68. return GM_registerMenuCommand(text, func, shortcutKey);
  69. },
  70. openInTab(url, options = {active: true, insert: true, setParent: true}) {
  71. GM_openInTab(url, options);
  72. }
  73. };
  74. class EventEmitter {
  75. #regularEvents = {
  76. events: {},
  77. futures: {}
  78. }
  79. #callbackEvents = {
  80. events: {},
  81. callbackInterval: 1500
  82. }
  83. on(eventName, callback) {
  84. const events = this.#regularEvents.events;
  85. if (events[eventName]) {
  86. events[eventName].push(callback);
  87. return
  88. }
  89. events[eventName] = [];
  90. events[eventName].push(callback);
  91. const futureEvents = this.#regularEvents.futures;
  92. if (futureEvents[eventName]) {
  93. for (const futureEvent of futureEvents[eventName]) {
  94. callback(...futureEvent);
  95. }
  96. delete futureEvents[eventName];
  97. }
  98. }
  99. once(eventName, callback) {
  100. const onceCallback = (...args) => {
  101. callback(...args);
  102. this.#removeCallback(eventName, onceCallback);
  103. };
  104. this.on(eventName, onceCallback);
  105. }
  106. handler(eventName, callback) {
  107. const handlerEvents = this.#callbackEvents.events;
  108. if (handlerEvents[eventName]) {
  109. throw new Error('该事件名已经存在,请更换事件名')
  110. }
  111. handlerEvents[eventName] = callback;
  112. }
  113. invoke(eventName, ...data) {
  114. return new Promise(resolve => {
  115. const handlerEvents = this.#callbackEvents.events;
  116. if (handlerEvents[eventName]) {
  117. resolve(handlerEvents[eventName](...data));
  118. return
  119. }
  120. const i1 = setInterval(() => {
  121. if (handlerEvents[eventName]) {
  122. clearInterval(i1);
  123. resolve(handlerEvents[eventName](...data));
  124. }
  125. }, this.#callbackEvents.callbackInterval);
  126. })
  127. }
  128. send(eventName, ...data) {
  129. const ordinaryEvents = this.#regularEvents;
  130. const events = ordinaryEvents.events;
  131. const event = events[eventName];
  132. if (event) {
  133. for (const callback of event) {
  134. callback(...data);
  135. }
  136. return;
  137. }
  138. const futures = ordinaryEvents.futures;
  139. if (futures[eventName]) {
  140. futures[eventName].push(data);
  141. return;
  142. }
  143. futures[eventName] = [];
  144. futures[eventName].push(data);
  145. }
  146. #removeCallback(eventName, callback) {
  147. const events = this.#regularEvents.events;
  148. if (events[eventName]) {
  149. events[eventName] = events[eventName].filter(cb => cb !== callback);
  150. }
  151. const handlerEvents = this.#callbackEvents.events;
  152. if (handlerEvents[eventName]) {
  153. handlerEvents[eventName] = handlerEvents[eventName].filter(cb => cb !== callback);
  154. }
  155. }
  156. off(eventName) {
  157. const events = this.#regularEvents.events;
  158. if (events[eventName]) {
  159. delete events[eventName];
  160. return true
  161. }
  162. const handlerEvents = this.#callbackEvents.events;
  163. if (handlerEvents[eventName]) {
  164. delete handlerEvents[eventName];
  165. return true
  166. }
  167. return false
  168. }
  169. setInvokeInterval(interval) {
  170. this.#callbackEvents.callbackInterval = interval;
  171. }
  172. getEvents() {
  173. return {
  174. regularEvents: this.#regularEvents,
  175. callbackEvents: this.#callbackEvents
  176. }
  177. }
  178. }
  179. const eventEmitter = new EventEmitter();
  180. const group_url = 'http://qm.qq.com/cgi-bin/qm/qr?_wv=1027&k=tFU0xLt1uO5u5CXI2ktQRLh_XGAHBl7C&authKey=KAf4rICQYjfYUi66WelJAGhYtbJLILVWumOm%2BO9nM5fNaaVuF9Iiw3dJoPsVRUak&noverify=0&group_code=876295632';
  181. const scriptCat_js_url = 'https://scriptcat.org/zh-CN/script-show-page/1029';
  182. const b_url = 'https://space.bilibili.com/473239155';
  183. const common_question_url = 'https://docs.qq.com/doc/DSlJNR1NVcGR3eEto';
  184. const update_log_url = 'https://docs.qq.com/doc/DSnhjSVZmRkpCd0Nj';
  185. var globalValue = {
  186. group_url,
  187. scriptCat_js_url,
  188. b_url,
  189. common_question_url,
  190. update_log_url
  191. };
  192. gmUtil.addGMMenu('主面板', () => {
  193. eventEmitter.send('主面板开关');
  194. }, 'Q');
  195. gmUtil.addGMMenu('脚本猫脚本更新页', () => {
  196. gmUtil.openInTab(globalValue.scriptCat_js_url);
  197. }, 'E');
  198. gmUtil.addGMMenu('gf脚本更新页', () => {
  199. gmUtil.openInTab('https://gf.qytechs.cn/zh-CN/scripts/461382');
  200. }, 'W');
  201. gmUtil.addGMMenu('加入or反馈', () => {
  202. gmUtil.openInTab(globalValue.group_url);
  203. }, "T");
  204. gmUtil.addGMMenu('常见问题', () => {
  205. gmUtil.openInTab(globalValue.common_question_url);
  206. }, 'Y');
  207. gmUtil.addGMMenu('更新日志', () => {
  208. gmUtil.openInTab(globalValue.update_log_url);
  209. }, 'U');
  210. const start = () => {
  211. let loop = false;
  212. let msg;
  213. if (!Vue) {
  214. loop = true;
  215. msg = 'Vue is not defined,Vue未定义,请检查是否引入了Vue';
  216. }
  217. if (!Dexie) {
  218. loop = true;
  219. msg = 'Dexie is not defined,Dexie未定义,请检查是否引入了Dexie';
  220. }
  221. if (loop) {
  222. if (confirm('外部库验证失败:' + msg + `\n请联系作者核查问题\n可通过点击确定按钮跳转。
  223. \n脚本主页信息中,有相关解决文档
  224. \n或通过脚本信息底下联系方式联系作者解决`)) {
  225. gmUtil.openInTab(globalValue.scriptCat_js_url);
  226. gmUtil.openInTab(globalValue.group_url);
  227. }
  228. throw new Error(`外部库验证失败:${msg}`)
  229. }
  230. };
  231. start();
  232. const setBorderColor = (color) => {
  233. gmUtil.setData("borderColor", color);
  234. };
  235. const defBorderColor = "rgb(0, 243, 255)";
  236. const getBorderColor = () => {
  237. return gmUtil.getData("borderColor", defBorderColor)
  238. };
  239. const setOutputInformationFontColor = (color) => {
  240. gmUtil.setData("output_information_font_color", color);
  241. };
  242. const defOutputInformationFontColor = "rgb(119,128,248)";
  243. const getOutputInformationFontColor = () => {
  244. return gmUtil.getData("output_information_font_color", defOutputInformationFontColor)
  245. };
  246. const setHighlightInformationColor = (color) => {
  247. gmUtil.setData("highlight_information_color", color);
  248. };
  249. const defHighlightInformationColor = "rgb(234, 93, 93)";
  250. const getHighlightInformationColor = () => {
  251. return gmUtil.getData("highlight_information_color", defHighlightInformationColor);
  252. };
  253. const setDefaultColorInfo = () => {
  254. setBorderColor(defBorderColor);
  255. setOutputInformationFontColor(defOutputInformationFontColor);
  256. setHighlightInformationColor(defHighlightInformationColor);
  257. };
  258. const setBOnlyTheHomepageIsBlocked = (bool) => {
  259. gmUtil.setData("bOnlyTheHomepageIsBlocked", bool === true);
  260. };
  261. const getBOnlyTheHomepageIsBlocked = () => {
  262. return gmUtil.getData("bOnlyTheHomepageIsBlocked", false);
  263. };
  264. const getAdaptationBAppCommerce = () => {
  265. return gmUtil.getData("adaptation-b-app-recommend", false) === true;
  266. };
  267. const setAdaptationBAppCommerce = (bool) => {
  268. gmUtil.setData("adaptation-b-app-recommend", bool === true);
  269. };
  270. const isShowRightTopMainButSwitch = () => {
  271. return gmUtil.getData("showRightTopMainButSwitch", true) === true;
  272. };
  273. const setShowRightTopMainButSwitch = (bool) => {
  274. gmUtil.setData("showRightTopMainButSwitch", bool === true);
  275. };
  276. const isFirstFullDisplay = () => {
  277. return gmUtil.getData('isFirstFullDisplay', true) === true
  278. };
  279. const setFirstFullDisplay = (bool) => {
  280. gmUtil.setData('isFirstFullDisplay', bool === true);
  281. };
  282. const isHalfHiddenIntervalAfterInitialDisplay = () => {
  283. return gmUtil.getData('is_half_hidden_interval_after_initial_display', true) === true
  284. };
  285. const setHalfHiddenIntervalAfterInitialDisplay = (bool) => {
  286. gmUtil.setData('is_half_hidden_interval_after_initial_display', bool === true);
  287. };
  288. const isCompatible_BEWLY_BEWLY = () => {
  289. return gmUtil.getData("compatible_BEWLY_BEWLY", false) === true;
  290. };
  291. const setCompatible_BEWLY_BEWLY = (bool) => {
  292. gmUtil.setData("compatible_BEWLY_BEWLY", bool === true);
  293. };
  294. const setDiscardOldCommentAreas = (bool) => {
  295. gmUtil.setData("discardOldCommentAreas", bool === true);
  296. };
  297. const isDiscardOldCommentAreas = () => {
  298. return gmUtil.getData("discardOldCommentAreas", false) === true;
  299. };
  300. const isDelPlayerPageRightVideoList = () => {
  301. return gmUtil.getData("isDelPlayerPageRightVideoList", false) === true
  302. };
  303. const bFuzzyAndRegularMatchingWordsToLowercase$1 = () => {
  304. return gmUtil.getData("bFuzzyAndRegularMatchingWordsToLowercase", true) === true
  305. };
  306. const setFuzzyAndRegularMatchingWordsToLowercase = (bool) => {
  307. gmUtil.setData("bFuzzyAndRegularMatchingWordsToLowercase", bool === true);
  308. };
  309. const isRequestFrequencyVal = () => {
  310. return gmUtil.getData("requestFrequencyVal", 0.2)
  311. };
  312. const isDisableNetRequestsBvVideoInfo = () => {
  313. return gmUtil.getData('isDisableNetRequestsBvVideoInfo', false)
  314. };
  315. const setDisableNetRequestsBvVideoInfo = (b) => {
  316. gmUtil.setData('isDisableNetRequestsBvVideoInfo', b);
  317. };
  318. const isBlockFollowed = () => {
  319. return gmUtil.getData('blockFollowed', false)
  320. };
  321. const isUpOwnerExclusive = () => {
  322. return gmUtil.getData('is_up_owner_exclusive', false)
  323. };
  324. const isGenderRadioVal = () => {
  325. return gmUtil.getData('genderRadioVal', '不处理');
  326. };
  327. const isVipTypeRadioVal = () => {
  328. return gmUtil.getData('vipTypeRadioVal', '不处理');
  329. };
  330. const isSeniorMember = () => {
  331. return gmUtil.getData('is_senior_member', false)
  332. };
  333. const isCopyrightRadio = () => {
  334. return gmUtil.getData('copyrightRadioVal', '不处理');
  335. };
  336. const isDelBottomComment = () => {
  337. return gmUtil.getData('isDelBottomComment', false)
  338. };
  339. const isBlockVerticalVideo = () => {
  340. return gmUtil.getData('blockVerticalVideo', false)
  341. };
  342. const isCheckTeamMember = () => {
  343. return gmUtil.getData('checkTeamMember', false)
  344. };
  345. const getVideoLikeRate = () => {
  346. return gmUtil.getData('video_like_rate', 0.05)
  347. };
  348. const isVideoLikeRateBlockingStatus = () => {
  349. return gmUtil.getData('video_like_rate_blocking_status', false)
  350. };
  351. const isCoinLikesRatioRateBlockingStatus = () => {
  352. return gmUtil.getData('coin_likes_ratio_rate_blocking_status', false)
  353. };
  354. const getCoinLikesRatioRate = () => {
  355. return gmUtil.getData('coin_likes_ratio_rate', 0.05)
  356. };
  357. const isCoinLikesRatioRateDisabled = () => {
  358. return gmUtil.getData('coin_likes_ratio_rate_blocking_status', false)
  359. };
  360. const isInteractiveRateBlockingStatus = () => {
  361. return gmUtil.getData('interactive_rate_blocking_status', false)
  362. };
  363. const getInteractiveRate = () => {
  364. return gmUtil.getData('interactive_rate', 0.05)
  365. };
  366. const isTripleRateBlockingStatus = () => {
  367. return gmUtil.getData('triple_rate_blocking_status', false)
  368. };
  369. const getTripleRate = () => {
  370. return gmUtil.getData('triple_rate', 0.05)
  371. };
  372. var localMKData = {
  373. getTripleRate,
  374. isTripleRateBlockingStatus,
  375. setBorderColor,
  376. getBorderColor,
  377. setOutputInformationFontColor,
  378. getOutputInformationFontColor,
  379. setHighlightInformationColor,
  380. getHighlightInformationColor,
  381. setBOnlyTheHomepageIsBlocked,
  382. getBOnlyTheHomepageIsBlocked,
  383. getAdaptationBAppCommerce,
  384. setAdaptationBAppCommerce,
  385. setDefaultColorInfo,
  386. isCompatible_BEWLY_BEWLY,
  387. setCompatible_BEWLY_BEWLY,
  388. setDiscardOldCommentAreas,
  389. isDiscardOldCommentAreas,
  390. isShowRightTopMainButSwitch,
  391. setShowRightTopMainButSwitch,
  392. isFirstFullDisplay,
  393. setFirstFullDisplay,
  394. isHalfHiddenIntervalAfterInitialDisplay,
  395. setHalfHiddenIntervalAfterInitialDisplay,
  396. isDelPlayerPageRightVideoList,
  397. bFuzzyAndRegularMatchingWordsToLowercase: bFuzzyAndRegularMatchingWordsToLowercase$1,
  398. setFuzzyAndRegularMatchingWordsToLowercase,
  399. isRequestFrequencyVal,
  400. isDisableNetRequestsBvVideoInfo,
  401. setDisableNetRequestsBvVideoInfo,
  402. isBlockFollowed,
  403. isUpOwnerExclusive,
  404. isGenderRadioVal,
  405. isVipTypeRadioVal,
  406. isSeniorMember,
  407. isCopyrightRadio,
  408. isDelBottomComment,
  409. isBlockVerticalVideo,
  410. isCheckTeamMember,
  411. getVideoLikeRate,
  412. isVideoLikeRateBlockingStatus,
  413. isCoinLikesRatioRateBlockingStatus,
  414. getCoinLikesRatioRate,
  415. isCoinLikesRatioRateDisabled,
  416. isInteractiveRateBlockingStatus,
  417. getInteractiveRate
  418. };
  419. const panel_settings_vue = {
  420. template: `
  421. <div>
  422. <el-card shadow="never">
  423. <template #header>
  424. <span>颜色设置</span>
  425. </template>
  426. <div class="el-horizontal-center">
  427. 选择器
  428. <el-color-picker v-model="input_color"/>
  429. </div>
  430. <el-button @click="setBorderColorBut">设置边框色</el-button>
  431. <el-button @click="setDefFontColorForOutputInformationBut">设置输出信息默认字体色</el-button>
  432. <el-button @click="setTheFontColorForOutputInformationBut">设置输出信息高亮字体色</el-button>
  433. <el-tooltip content="刷新页面生效">
  434. <el-button @click="setDefInfoBut">恢复默认</el-button>
  435. </el-tooltip>
  436. </el-card>
  437. <el-card shadow="never">
  438. <template #header>
  439. <span>页面右侧悬浮按钮设置</span>
  440. </template>
  441. <el-switch v-model="showRightTopMainButSwitch" active-text="显示按钮"></el-switch>
  442. <el-tooltip content="页面每次加载完之后是否完整展示按钮,否则半隐藏">
  443. <el-switch v-model="isFirstFullDisplay" active-text="初次完整显示"></el-switch>
  444. </el-tooltip>
  445. <el-tooltip content="页面每次加载完之后如完整展示按钮时,间隔10秒后半隐藏处理">
  446. <el-switch v-model="isHalfHiddenIntervalAfterInitialDisplay"
  447. active-text="初次显示后间隔半隐藏"/>
  448. </el-tooltip>
  449. </el-card>
  450. <el-card shadow="never">
  451. <template #header>
  452. <span>说明</span>
  453. </template>
  454. <div>按键盘tab键上的~键为展开关闭主面板</div>
  455. </el-card>
  456. <el-card shadow="never">
  457. <template #header>
  458. <span>devTools</span>
  459. </template>
  460. <el-input v-model.trim="devToolsInputVal" @keyup.enter.native="changeDevToolsInput"></el-input>
  461. </el-card>
  462. </div>`,
  463. data() {
  464. return {
  465. input_color: null,
  466. showRightTopMainButSwitch: localMKData.isShowRightTopMainButSwitch(),
  467. isFirstFullDisplay: localMKData.isFirstFullDisplay(),
  468. isHalfHiddenIntervalAfterInitialDisplay: localMKData.isHalfHiddenIntervalAfterInitialDisplay(),
  469. devToolsInputVal: ''
  470. }
  471. },
  472. methods: {
  473. setBorderColorBut() {
  474. this.$confirm('是否设置面板边框颜色', '提示').then(() => {
  475. localMKData.setBorderColor(this.input_color);
  476. this.$alert("已设置面板边框颜色,刷新生效");
  477. });
  478. },
  479. setDefFontColorForOutputInformationBut() {
  480. this.$confirm("是否设置输出信息默认字体颜色", "提示").then(() => {
  481. localMKData.setOutputInformationFontColor(this.input_color);
  482. this.$alert("已设置输出信息默认字体颜色,刷新生效");
  483. });
  484. },
  485. setTheFontColorForOutputInformationBut() {
  486. this.$confirm('是要设置输出信息高亮字体颜色吗?').then(() => {
  487. localMKData.setHighlightInformationColor(this.input_color);
  488. this.$alert("已设置输出信息高亮字体颜色,刷新生效");
  489. });
  490. },
  491. setDefInfoBut() {
  492. localMKData.setDefaultColorInfo();
  493. this.$alert("已恢复默认颜色,刷新生效");
  494. },
  495. changeDevToolsInput() {
  496. if (this.devToolsInputVal === 'show-dev') {
  497. gmUtil.setData('open-dev', true);
  498. eventEmitter.send('debugger-dev-show', true);
  499. this.devToolsInputVal = '';
  500. }
  501. if (this.devToolsInputVal === 'stop-dev') {
  502. gmUtil.setData('open-dev', false);
  503. eventEmitter.send('debugger-dev-show', false);
  504. this.devToolsInputVal = '';
  505. }
  506. }
  507. },
  508. watch: {
  509. showRightTopMainButSwitch(newVal) {
  510. localMKData.setShowRightTopMainButSwitch(newVal);
  511. eventEmitter.send('显隐主面板开关', newVal);
  512. },
  513. isFirstFullDisplay(newVal) {
  514. localMKData.setFirstFullDisplay(newVal);
  515. },
  516. isHalfHiddenIntervalAfterInitialDisplay(newBool) {
  517. localMKData.setHalfHiddenIntervalAfterInitialDisplay(newBool);
  518. }
  519. }
  520. };
  521. const getSelectOptions = () => {
  522. const options = [
  523. {
  524. value: '模糊匹配',
  525. label: '模糊匹配',
  526. children: []
  527. },
  528. {
  529. value: '正则匹配',
  530. label: '正则匹配',
  531. children: []
  532. },
  533. {
  534. value: '精确匹配',
  535. label: '精确匹配',
  536. children: []
  537. }
  538. ];
  539. for (let {name, key} of ruleKeyListData) {
  540. let children;
  541. if (name.includes('模糊匹配')) {
  542. children = options[0].children;
  543. }
  544. if (name.includes('正则匹配')) {
  545. children = options[1].children;
  546. }
  547. if (name.includes('精确匹配')) {
  548. children = options[2].children;
  549. }
  550. children.push({
  551. value: key,
  552. label: name
  553. });
  554. }
  555. return options
  556. };
  557. const ruleKeyListData = [{
  558. key: "name",
  559. name: "用户名黑名单(模糊匹配)",
  560. oldKey: "userNameKeyArr",
  561. oldName: "用户名黑名单模式(模糊匹配)"
  562. }, {
  563. key: "precise_name",
  564. name: "用户名黑名单(精确匹配)",
  565. oldKey: "userNameArr",
  566. oldName: "用户名黑名单模式(精确匹配)"
  567. }, {
  568. key: "nameCanonical",
  569. name: "用户名黑名单(正则匹配)"
  570. }, {
  571. key: "precise_uid",
  572. name: "用户uid黑名单(精确匹配)",
  573. oldKey: "userUIDArr",
  574. oldName: "用户uid黑名单模式(精确匹配)"
  575. }, {
  576. key: "precise_uid_white",
  577. name: "用户uid白名单(精确匹配)",
  578. oldKey: "userWhiteUIDArr",
  579. oldName: "用户uid白名单模式(精确匹配)"
  580. }, {
  581. key: "title",
  582. name: "标题黑名单(模糊匹配)",
  583. oldKey: "titleKeyArr",
  584. oldName: "标题黑名单模式(模糊匹配)"
  585. }, {
  586. key: "titleCanonical",
  587. name: "标题黑名单(正则匹配)",
  588. oldKey: "titleKeyCanonicalArr",
  589. oldName: "标题黑名单模式(正则匹配)"
  590. }, {
  591. key: "commentOn",
  592. name: "评论关键词黑名单(模糊匹配)",
  593. oldKey: "commentOnKeyArr",
  594. oldName: "评论关键词黑名单模式(模糊匹配)"
  595. }, {
  596. key: "commentOnCanonical",
  597. name: "评论关键词黑名单(正则匹配)",
  598. oldKey: "contentOnKeyCanonicalArr",
  599. oldName: "评论关键词黑名单模式(正则匹配)"
  600. }, {
  601. key: "contentOn",
  602. name: "评论内容黑名单(模糊匹配)",
  603. oldKey: "contentOnKeyArr",
  604. oldName: "评论内容黑名单模式(模糊匹配)"
  605. }, {
  606. key: "precise_fanCard",
  607. name: "粉丝牌黑名单(精确匹配)",
  608. oldKey: "fanCardArr",
  609. oldName: "粉丝牌黑名单模式(精确匹配)"
  610. }, {
  611. key: "dynamic",
  612. name: "动态关键词黑名单(模糊匹配)",
  613. oldKey: "dynamicArr",
  614. oldName: "动态关键词内容黑名单模式(模糊匹配)"
  615. }, {
  616. key: "precise_tag",
  617. name: "话题tag标签黑名单(精确匹配)",
  618. }, {
  619. key: "tag",
  620. name: "话题tag标签黑名单(模糊匹配)",
  621. }, {
  622. key: "tagCanonical",
  623. name: "话题tag标签黑名单(正则匹配)"
  624. }, {
  625. key: "precise_partition",
  626. name: "直播分区黑名单(精确匹配)"
  627. }, {
  628. key: 'videoTag',
  629. name: '视频tag黑名单(模糊匹配)',
  630. }, {
  631. key: 'precise_videoTag',
  632. name: '视频tag黑名单(精确匹配)',
  633. }, {
  634. key: 'videoTagCanonical',
  635. name: '视频tag黑名单(正则匹配)',
  636. }, {
  637. key: 'hotSearchKey',
  638. name: '热搜关键词(模糊匹配)',
  639. }, {
  640. key: 'hotSearchKeyCanonical',
  641. name: '热搜关键词(正则匹配)'
  642. }, {
  643. key: 'precise_avatarPendantName',
  644. name: '头像挂件名(精确匹配)'
  645. }, {
  646. key: 'avatarPendantName',
  647. name: '头像挂件名(模糊匹配)'
  648. }, {
  649. key: 'signature',
  650. name: '用户签名(模糊匹配)'
  651. }, {
  652. key: 'signatureCanonical',
  653. name: '用户签名(正则匹配)'
  654. }, {
  655. key: 'videoDesc',
  656. name: '视频简介(模糊匹配)'
  657. }, {
  658. key: 'videoDescCanonical',
  659. name: '视频简介(正则匹配)'
  660. }
  661. ];
  662. const otherKeyListData = [
  663. {
  664. name: '最小播放量',
  665. value: 'nMinimumPlay',
  666. associated: 'nMaximumPlayback',
  667. defVal: -1
  668. },
  669. {
  670. name: '最大播放量',
  671. value: 'nMaximumPlayback',
  672. associated: 'nMinimumPlay',
  673. bLarge: true,
  674. defVal: -1
  675. },
  676. {
  677. name: '最小弹幕数',
  678. value: 'nMinimumBarrage',
  679. associated: 'nMaximumBarrage',
  680. defVal: -1
  681. },
  682. {
  683. name: '最大弹幕数',
  684. value: 'nMaximumBarrage',
  685. associated: 'nMinimumBarrage',
  686. bLarge: true,
  687. defVal: -1
  688. },
  689. {
  690. name: '最小时长',
  691. value: 'nMinimumDuration',
  692. associated: 'nMaximumDuration',
  693. defVal: -1
  694. },
  695. {
  696. name: '最大时长',
  697. value: 'nMaximumDuration',
  698. associated: 'nMinimumDuration',
  699. bLarge: true,
  700. defVal: -1
  701. },
  702. {
  703. name: '最小用户等级过滤',
  704. value: 'nMinimumLevel',
  705. associated: 'nMaximumLevel',
  706. defVal: -1
  707. },
  708. {
  709. name: '最大用户等级过滤',
  710. value: 'nMaximumLevel',
  711. associated: 'nMinimumLevel',
  712. bLarge: true,
  713. defVal: -1
  714. }
  715. ];
  716. const getRuleKeyListData = () => {
  717. return ruleKeyListData;
  718. };
  719. const getNameArr = () => {
  720. return gmUtil.getData("name", []);
  721. };
  722. const getPreciseNameArr = () => {
  723. return gmUtil.getData("precise_name", []);
  724. };
  725. const getNameCanonical = () => {
  726. return gmUtil.getData("nameCanonical", []);
  727. };
  728. const getPreciseUidArr = () => {
  729. return gmUtil.getData("precise_uid", []);
  730. };
  731. const getPreciseUidWhiteArr = () => {
  732. return gmUtil.getData("precise_uid_white", []);
  733. };
  734. const getTitleArr = () => {
  735. return gmUtil.getData("title", []);
  736. };
  737. const getTitleCanonicalArr = () => {
  738. return gmUtil.getData("titleCanonical", []);
  739. };
  740. const getCommentOnArr = () => {
  741. return gmUtil.getData("commentOn", []);
  742. };
  743. const getCommentOnCanonicalArr = () => {
  744. return gmUtil.getData("commentOnCanonical", []);
  745. };
  746. const getPreciseTagArr = () => {
  747. return gmUtil.getData("precise_tag", []);
  748. };
  749. const getTagArr = () => {
  750. return gmUtil.getData("tag", []);
  751. };
  752. const getTagCanonicalArr = () => {
  753. return gmUtil.getData("tagCanonical", []);
  754. };
  755. const getPreciseFanCardArr = () => {
  756. return gmUtil.getData("precise_fanCard", []);
  757. };
  758. const getPrecisePartitionArr = () => {
  759. return gmUtil.getData("precise_partition", []);
  760. };
  761. const getVideoTagArr = () => {
  762. return gmUtil.getData("videoTag", []);
  763. };
  764. const getPreciseVideoTagArr = () => {
  765. return gmUtil.getData("precise_videoTag", []);
  766. };
  767. const getVideoTagCanonicalArr = () => {
  768. return gmUtil.getData("videoTagCanonical", []);
  769. };
  770. const getHotSearchKeyArr = () => {
  771. return gmUtil.getData("hotSearchKey", []);
  772. };
  773. const getHotSearchKeyCanonicalArr = () => {
  774. return gmUtil.getData("hotSearchKeyCanonical", []);
  775. };
  776. const clearKeyItem = (ruleKey) => {
  777. gmUtil.delData(ruleKey);
  778. };
  779. var ruleKeyListData$1 = {
  780. getNameArr,
  781. getPreciseNameArr,
  782. getNameCanonical,
  783. getPreciseUidArr,
  784. getPreciseUidWhiteArr,
  785. getTitleArr,
  786. getTitleCanonicalArr,
  787. getCommentOnArr,
  788. getCommentOnCanonicalArr,
  789. getRuleKeyListData,
  790. getPreciseTagArr,
  791. getTagArr,
  792. getTagCanonicalArr,
  793. getPreciseFanCardArr,
  794. getPrecisePartitionArr,
  795. getVideoTagArr,
  796. getPreciseVideoTagArr,
  797. getVideoTagCanonicalArr,
  798. getHotSearchKeyArr,
  799. getHotSearchKeyCanonicalArr,
  800. otherKeyListData,
  801. clearKeyItem,
  802. getSelectOptions
  803. };
  804. const verificationInputValue = (ruleValue, type) => {
  805. if (ruleValue === null) return {status: false, res: '内容不能为空'};
  806. if (type === "precise_uid" || type === "precise_uid_white") {
  807. ruleValue = parseInt(ruleValue);
  808. if (isNaN(ruleValue)) {
  809. return {
  810. status: false,
  811. res: '请输入数字!'
  812. };
  813. }
  814. } else {
  815. ruleValue.trim();
  816. }
  817. if (ruleValue === '') {
  818. return {status: false, res: '内容不能为空'};
  819. }
  820. return {status: true, res: ruleValue};
  821. };
  822. const addRule = (ruleValue, type) => {
  823. const verificationRes = verificationInputValue(ruleValue, type);
  824. if (!verificationRes.status) {
  825. return verificationRes
  826. }
  827. const arr = gmUtil.getData(type, []);
  828. if (arr.includes(verificationRes.res)) {
  829. return {status: false, res: '已存在此内容'};
  830. }
  831. arr.push(verificationRes.res);
  832. gmUtil.setData(type, arr);
  833. return {status: true, res: '添加成功'};
  834. };
  835. const showAddRuleInput = async (type) => {
  836. let ruleValue;
  837. try {
  838. const {value} = await eventEmitter.invoke('el-prompt', '请输入要添加的规则内容', 'tip');
  839. ruleValue = value;
  840. } catch (e) {
  841. return
  842. }
  843. const {res, status} = addRule(ruleValue, type);
  844. eventEmitter.send('el-msg', res);
  845. status && eventEmitter.send('刷新规则信息');
  846. status && eventEmitter.send('通知屏蔽');
  847. };
  848. const delRule = (type, value) => {
  849. const verificationRes = verificationInputValue(value, type);
  850. if (!verificationRes.status) {
  851. return verificationRes
  852. }
  853. const {res} = verificationRes;
  854. const arr = gmUtil.getData(type, []);
  855. const indexOf = arr.indexOf(res);
  856. if (indexOf === -1) {
  857. return {status: false, res: '不存在此内容'};
  858. }
  859. arr.splice(indexOf, 1);
  860. gmUtil.setData(type, arr);
  861. return {status: true, res: "移除成功"}
  862. };
  863. const showDelRuleInput = async (type) => {
  864. let ruleValue;
  865. try {
  866. const {value} = await eventEmitter.invoke('el-prompt', '请输入要删除的规则内容', '删除指定规则');
  867. ruleValue = value;
  868. } catch (e) {
  869. return
  870. }
  871. const {status, res} = delRule(type, ruleValue);
  872. eventEmitter.send('el-msg', res);
  873. status && eventEmitter.send('刷新规则信息');
  874. };
  875. const getRuleContent = (space = 0) => {
  876. const ruleMap = {};
  877. for (let ruleKeyListDatum of ruleKeyListData$1.getRuleKeyListData()) {
  878. const key = ruleKeyListDatum.key;
  879. ruleMap[key] = gmUtil.getData(key, []);
  880. }
  881. return JSON.stringify(ruleMap, null, space);
  882. };
  883. const verificationRuleMap = (keyArr, content) => {
  884. let parse;
  885. try {
  886. parse = JSON.parse(content);
  887. } catch (e) {
  888. alert('规则内容有误');
  889. return false;
  890. }
  891. const newRule = {};
  892. for (const key in parse) {
  893. if (!Array.isArray(parse[key])) {
  894. continue;
  895. }
  896. if (parse[key].length === 0) {
  897. continue;
  898. }
  899. newRule[key] = parse[key];
  900. }
  901. if (Object.keys(newRule).length === 0) {
  902. alert('规则内容为空');
  903. return false;
  904. }
  905. return newRule;
  906. };
  907. const overwriteImportRules = (keyArr, content) => {
  908. const map = verificationRuleMap(keyArr, content);
  909. if (map === false) return false;
  910. for (let key of Object.keys(map)) {
  911. gmUtil.setData(key, map[key]);
  912. }
  913. return true;
  914. };
  915. const appendImportRules = (keyArr, content) => {
  916. const map = verificationRuleMap(keyArr, content);
  917. if (map === false) return false;
  918. for (let key of Object.keys(map)) {
  919. const arr = gmUtil.getData(key, []);
  920. for (let item of map[key]) {
  921. if (!arr.includes(item)) {
  922. arr.push(item);
  923. }
  924. }
  925. gmUtil.setData(key, arr);
  926. }
  927. return true;
  928. };
  929. const overwriteImportRulesV1 = (content) => {
  930. let parse;
  931. try {
  932. parse = JSON.parse(content);
  933. } catch (e) {
  934. alert('规则内容有误');
  935. return false;
  936. }
  937. for (let ruleKeyListDatum of ruleKeyListData$1.getRuleKeyListData()) {
  938. const name = ruleKeyListDatum.oldName;
  939. const jsonRuleList = parse[name];
  940. if (!jsonRuleList) {
  941. continue;
  942. }
  943. if (jsonRuleList.length === 0) {
  944. continue;
  945. }
  946. gmUtil.setData(ruleKeyListDatum.key, jsonRuleList);
  947. }
  948. return true;
  949. };
  950. const addRulePreciseUid = (uid, isTip = true) => {
  951. const results = addRule(uid, "precise_uid");
  952. if (isTip) {
  953. eventEmitter.send('el-alert', results.res);
  954. return null
  955. }
  956. return results;
  957. };
  958. const delRUlePreciseUid = (uid, isTip = true) => {
  959. const results = delRule('precise_uid', uid);
  960. if (isTip) {
  961. eventEmitter.send('el-alert', results.res);
  962. return null
  963. }
  964. return results
  965. };
  966. const addRulePreciseName = (name, tip = true) => {
  967. const results = addRule(name, "precise_name");
  968. if (tip) {
  969. eventEmitter.send('el-msg', results.res);
  970. }
  971. return results;
  972. };
  973. const findRuleItemValue = (type, value) => {
  974. return gmUtil.getData(type, []).find(item => item === value) || null
  975. };
  976. const addItemRule = (arr, key, coverage = true) => {
  977. const complianceList = [];
  978. for (let v of arr) {
  979. const {status, res} = verificationInputValue(v, key);
  980. if (!status) return {status: false, msg: `内容中有误:${res}`}
  981. complianceList.push(v);
  982. }
  983. if (coverage) {
  984. gmUtil.setData(key, complianceList);
  985. return {status: true, msg: `添加成功-覆盖模式,数量:${complianceList.length}`}
  986. }
  987. const oldArr = gmUtil.getData(key, []);
  988. const newList = complianceList.filter(item => !oldArr.includes(item));
  989. if (newList.length === 0) {
  990. return {status: false, msg: '内容重复'}
  991. }
  992. gmUtil.setData(key, oldArr.concat(newList));
  993. return {status: true, msg: '添加成功-追加模式,新增数量:' + newList.length}
  994. };
  995. const addPreciseUidItemRule = (uidArr, isTip = true, coverage = true) => {
  996. const {status, msg} = addItemRule(uidArr, 'precise_uid', coverage);
  997. if (isTip) {
  998. eventEmitter.send('el-alert', msg);
  999. return status
  1000. }
  1001. return {status, msg}
  1002. };
  1003. var ruleUtil = {
  1004. addRule,
  1005. showAddRuleInput,
  1006. showDelRuleInput,
  1007. getRuleContent,
  1008. overwriteImportRules,
  1009. appendImportRules,
  1010. overwriteImportRulesV1,
  1011. addRulePreciseUid,
  1012. addRulePreciseName,
  1013. delRUlePreciseUid,
  1014. findRuleItemValue,
  1015. addItemRule,
  1016. addPreciseUidItemRule
  1017. };
  1018. const rule_set_value_dialog = {
  1019. template: `
  1020. <div>
  1021. <el-dialog :visible="show" width="30%" title="修改单项规则值"
  1022. :close-on-click-modal="false" :modal="false">
  1023. {{ ruleName }}-{{ ruleType }}
  1024. <el-form>
  1025. <el-form-item label="要修改的值">
  1026. <el-input type="text" v-model="oldVal" clearable/>
  1027. </el-form-item>
  1028. <el-form-item label="修改后的值">
  1029. <el-input v-model="newVal" clearable/>
  1030. </el-form-item>
  1031. </el-form>
  1032. <template #footer class="dialog-footer">
  1033. <el-button @click="show=false">取消</el-button>
  1034. <el-button @click="okBut">确定</el-button>
  1035. </template>
  1036. </el-dialog>
  1037. </div>`,
  1038. data() {
  1039. return {
  1040. show: false,
  1041. ruleType: "",
  1042. ruleName: "",
  1043. oldVal: '',
  1044. newVal: ''
  1045. }
  1046. },
  1047. methods: {
  1048. okBut() {
  1049. let tempOldVal = this.oldVal.trim();
  1050. let tempNewVal = this.newVal.trim();
  1051. if (tempOldVal.length === 0 || tempNewVal.length === 0) {
  1052. this.$alert("请输入要修改的值或新值");
  1053. return
  1054. }
  1055. if (tempNewVal === tempOldVal) {
  1056. this.$alert("新值不能和旧值相同");
  1057. return;
  1058. }
  1059. const tempRuleType = this.ruleType;
  1060. if (tempRuleType === 'precise_uid' || tempRuleType === 'precise_uid_white') {
  1061. tempOldVal = parseInt(tempOldVal);
  1062. tempNewVal = parseInt(tempNewVal);
  1063. if (isNaN(tempOldVal) || isNaN(tempNewVal)) {
  1064. this.$alert("请输入整数数字");
  1065. return
  1066. }
  1067. }
  1068. if (!ruleUtil.findRuleItemValue(tempRuleType, tempOldVal)) {
  1069. this.$alert("要修改的值不存在");
  1070. return;
  1071. }
  1072. if (ruleUtil.findRuleItemValue(tempRuleType, tempNewVal)) {
  1073. this.$alert("新值已存在");
  1074. return;
  1075. }
  1076. const ruleArr = gmUtil.getData(tempRuleType, []);
  1077. const indexOf = ruleArr.indexOf(tempOldVal);
  1078. ruleArr[indexOf] = tempNewVal;
  1079. gmUtil.setData(tempRuleType, ruleArr);
  1080. this.$alert(`已将旧值【${tempOldVal}】修改成【${tempNewVal}】`);
  1081. this.show = false;
  1082. }
  1083. },
  1084. watch: {
  1085. show(newVal) {
  1086. if (newVal === false) this.oldVal = this.newVal = '';
  1087. }
  1088. },
  1089. created() {
  1090. eventEmitter.on('修改规则对话框', (type, name) => {
  1091. this.show = true;
  1092. this.ruleType = type;
  1093. this.ruleName = name;
  1094. });
  1095. }
  1096. };
  1097. const basic_rules_vue = {
  1098. components: {rule_set_value_dialog},
  1099. template: `
  1100. <div>
  1101. <el-card shadow="never">
  1102. <template #header>
  1103. <span>使用说明</span>
  1104. </template>
  1105. <div>1.基础规则类型较多,下拉框支持搜索定位,鼠标点击出现光标时支持筛选</div>
  1106. <div>2.大部分情况下模糊匹配比精确匹配好用</div>
  1107. <div>3.如果可以的话,请优先考虑根据uid精确屏蔽,而非使用用户名相关屏蔽,因用户名可以随意更改</div>
  1108. <div>4.如果用户要添加自己的正则匹配相关的规则时,建议先去该网址进行测试再添加,避免浪费时间
  1109. <el-link href="https://www.jyshare.com/front-end/854/" target="_blank"
  1110. type="primary">>>>正则表达式在线测试<<<
  1111. </el-link>
  1112. </div>
  1113. <div>
  1114. 5.如果更新脚本之后规则全没了,请点击下面的【旧规则自动转新规则】按钮,进行转换,如不行请通过关于和问题反馈选项卡中的反馈渠道联系作者
  1115. </div>
  1116. <div>6.改动实时生效</div>
  1117. </el-card>
  1118. <el-card shadow="never">
  1119. <template #header>选择规则</template>
  1120. <el-cascader v-model="cascaderVal" @change="handleChangeCascader"
  1121. :options="cascaderOptions" :show-all-levels="false"
  1122. :props="{ expandTrigger: 'hover' }" filterable/>
  1123. <el-divider/>
  1124. <el-row>
  1125. <el-col :span="12">
  1126. <el-button-group>
  1127. <el-button @click="operationBut('add')">添加</el-button>
  1128. <el-button @click="setRuleBut">修改</el-button>
  1129. <el-button @click="operationBut('find-item-all')">查询</el-button>
  1130. <el-button @click="operationBut('del')">移除</el-button>
  1131. </el-button-group>
  1132. </el-col>
  1133. <el-col :span="12">
  1134. <div class="el-horizontal-right">
  1135. <el-button-group>
  1136. <el-button @click="clearItemRuleBut" type="danger">清空项</el-button>
  1137. <el-button type="danger" @click="operationBut('del_all')">全部移除</el-button>
  1138. </el-button-group>
  1139. </div>
  1140. </el-col>
  1141. </el-row>
  1142. </el-card>
  1143. <rule_set_value_dialog/>
  1144. </div>`,
  1145. data() {
  1146. return {
  1147. cascaderVal: ["精确匹配", "precise_uid"],
  1148. cascaderOptions: ruleKeyListData$1.getSelectOptions(),
  1149. ruleInfoArr: [],
  1150. }
  1151. },
  1152. methods: {
  1153. handleChangeCascader(val) {
  1154. console.log(val);
  1155. },
  1156. setRuleBut() {
  1157. const type = this.cascaderVal[1];
  1158. const {name} = this.ruleInfoArr.find(item => item.type === type);
  1159. eventEmitter.send('修改规则对话框', type, name);
  1160. },
  1161. operationBut(model) {
  1162. const type = this.cascaderVal[1];
  1163. if (model === "add") {
  1164. ruleUtil.showAddRuleInput(type);
  1165. }
  1166. if (model === "del") {
  1167. ruleUtil.showDelRuleInput(type);
  1168. }
  1169. if (model === "del_all") {
  1170. this.$confirm('确定要删除所有规则吗?').then(() => {
  1171. for (let x of this.ruleInfoArr) {
  1172. gmUtil.delData(x.type);
  1173. }
  1174. this.$alert("删除全部规则成功");
  1175. eventEmitter.send('刷新规则信息');
  1176. });
  1177. }
  1178. if (model === 'find-item-all') {
  1179. const ruleData = gmUtil.getData(type, []);
  1180. eventEmitter.send('展示内容对话框', JSON.stringify(ruleData, null, 4));
  1181. }
  1182. },
  1183. clearItemRuleBut() {
  1184. const type = this.cascaderVal[1];
  1185. const find = this.ruleInfoArr.find(item => item.type === type);
  1186. this.$confirm(`是要清空${find.name}的规则内容吗?`, 'tip').then(() => {
  1187. ruleKeyListData$1.clearKeyItem(type);
  1188. this.$alert(`已清空${find.name}的规则内容`);
  1189. });
  1190. }
  1191. },
  1192. watch: {},
  1193. created() {
  1194. for (let newRuleKeyListElement of ruleKeyListData$1.getRuleKeyListData()) {
  1195. this.ruleInfoArr.push({
  1196. type: newRuleKeyListElement.key,
  1197. name: newRuleKeyListElement.name,
  1198. });
  1199. }
  1200. }
  1201. };
  1202. const oldToNewRule = () => {
  1203. const listData = ruleKeyListData$1.getRuleKeyListData().filter(item => item.oldKey);
  1204. for (let data of listData) {
  1205. const oldKeyDataArr = gmUtil.getData(data.oldKey, []);
  1206. if (oldKeyDataArr.length === 0) {
  1207. continue
  1208. }
  1209. const newKeyDataArr = gmUtil.getData(data.key, []);
  1210. if (newKeyDataArr.length === 0) {
  1211. gmUtil.setData(data.key, oldKeyDataArr);
  1212. gmUtil.delData(data.oldKey);
  1213. continue
  1214. }
  1215. for (let v of oldKeyDataArr) {
  1216. const isExist = newKeyDataArr.find(item => item === v);
  1217. if (!isExist) {
  1218. newKeyDataArr.push(v);
  1219. }
  1220. }
  1221. gmUtil.setData(data.key, newKeyDataArr);
  1222. }
  1223. };
  1224. var ruleConversion = {
  1225. oldToNewRule
  1226. };
  1227. const wait = (milliseconds = 1000) => {
  1228. return new Promise(resolve => setTimeout(resolve, milliseconds));
  1229. };
  1230. const fileDownload = (content, fileName) => {
  1231. const element = document.createElement('a');
  1232. element.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(content));
  1233. element.setAttribute('download', fileName);
  1234. element.style.display = 'none';
  1235. document.body.appendChild(element);
  1236. element.click();
  1237. document.body.removeChild(element);
  1238. };
  1239. const handleFileReader = (event) => {
  1240. return new Promise((resolve, reject) => {
  1241. const file = event.target.files[0];
  1242. if (!file) {
  1243. reject('未读取到文件');
  1244. return;
  1245. }
  1246. let reader = new FileReader();
  1247. reader.onload = (e) => {
  1248. const fileContent = e.target.result;
  1249. resolve({file, content: fileContent});
  1250. reader = null;
  1251. };
  1252. reader.readAsText(file);
  1253. });
  1254. };
  1255. const isIterable = (obj) => {
  1256. return obj != null && typeof obj[Symbol.iterator] === 'function';
  1257. };
  1258. const toTimeString = () => {
  1259. return new Date().toLocaleString();
  1260. };
  1261. function smoothScroll(toTop = false, duration = 1000) {
  1262. return new Promise((resolve) => {
  1263. const start = window.scrollY;
  1264. const end = toTop ? 0 : document.documentElement.scrollHeight - window.innerHeight;
  1265. const change = end - start;
  1266. const startTime = performance.now();
  1267. function animateScroll(currentTime) {
  1268. const elapsedTime = currentTime - startTime;
  1269. const progress = Math.min(elapsedTime / duration, 1);
  1270. const easeInOutQuad = progress < 0.5 ? 2 * progress * progress : -1 + (4 - 2 * progress) * progress;
  1271. window.scrollTo(0, start + change * easeInOutQuad);
  1272. if (progress < 1) {
  1273. requestAnimationFrame(animateScroll);
  1274. } else {
  1275. resolve();
  1276. }
  1277. }
  1278. requestAnimationFrame(animateScroll);
  1279. });
  1280. }
  1281. function debounce(func, wait = 1000) {
  1282. let timeout;
  1283. return function (...args) {
  1284. const context = this;
  1285. clearTimeout(timeout);
  1286. timeout = setTimeout(() => func.apply(context, args), wait);
  1287. };
  1288. }
  1289. function debounceAsync(asyncFunc, wait = 1000) {
  1290. let timeout;
  1291. let pendingPromise;
  1292. return async function (...args) {
  1293. const context = this;
  1294. if (pendingPromise) {
  1295. clearTimeout(timeout);
  1296. await pendingPromise;
  1297. }
  1298. pendingPromise = new Promise((resolve) => {
  1299. timeout = setTimeout(() => {
  1300. pendingPromise = null; // 清除引用
  1301. resolve(asyncFunc.apply(context, args));
  1302. }, wait);
  1303. });
  1304. return pendingPromise;
  1305. };
  1306. }
  1307. function throttle(func, limit) {
  1308. let inThrottle;
  1309. return function (...args) {
  1310. const context = this;
  1311. if (!inThrottle) {
  1312. func.apply(context, args);
  1313. inThrottle = true;
  1314. setTimeout(() => inThrottle = false, limit);
  1315. }
  1316. };
  1317. }
  1318. function throttleAsync(asyncFunc, limit) {
  1319. let isThrottled = false;
  1320. let pendingArgs = null;
  1321. let pendingContext = null;
  1322. let timeoutId;
  1323. let pendingPromiseResolve;
  1324. const throttled = async function (...args) {
  1325. const context = this;
  1326. if (isThrottled) {
  1327. return new Promise((resolve) => {
  1328. pendingArgs = args;
  1329. pendingContext = context;
  1330. pendingPromiseResolve = resolve;
  1331. });
  1332. }
  1333. isThrottled = true;
  1334. try {
  1335. return await asyncFunc.apply(context, args);
  1336. } finally {
  1337. timeoutId = setTimeout(() => {
  1338. isThrottled = false;
  1339. if (pendingArgs) {
  1340. throttled.apply(pendingContext, pendingArgs).then(pendingPromiseResolve);
  1341. pendingArgs = null;
  1342. pendingContext = null;
  1343. pendingPromiseResolve = null;
  1344. }
  1345. }, limit);
  1346. }
  1347. };
  1348. throttled.cancel = () => {
  1349. clearTimeout(timeoutId);
  1350. isThrottled = false;
  1351. pendingArgs = null;
  1352. pendingContext = null;
  1353. pendingPromiseResolve = null;
  1354. };
  1355. return throttled;
  1356. }
  1357. const parseUrl = (urlString) => {
  1358. const url = new URL(urlString);
  1359. const pathSegments = url.pathname.split('/').filter(segment => segment !== '');
  1360. const searchParams = new URLSearchParams(url.search.slice(1));
  1361. const queryParams = {};
  1362. for (const [key, value] of searchParams.entries()) {
  1363. queryParams[key] = value;
  1364. }
  1365. return {
  1366. protocol: url.protocol,
  1367. hostname: url.hostname,
  1368. port: url.port,
  1369. pathname: url.pathname,
  1370. pathSegments,
  1371. search: url.search,
  1372. queryParams,
  1373. hash: url.hash
  1374. };
  1375. };
  1376. const getLocalStorage = (key, isList = false, defaultValue = null) => {
  1377. const item = localStorage.getItem(key);
  1378. if (item === null) {
  1379. return defaultValue
  1380. }
  1381. if (isList) {
  1382. try {
  1383. return JSON.parse(item)
  1384. } catch (e) {
  1385. console.error(`读取localStorage时尝试转换${key}的值失败`, e);
  1386. return defaultValue
  1387. }
  1388. }
  1389. return item
  1390. };
  1391. const formatTimestamp = (timestamp, options = {}) => {
  1392. if (!timestamp || isNaN(timestamp)) return 'Invalid Timestamp'
  1393. const ts = String(timestamp).length === 10 ? +timestamp * 1000 : +timestamp;
  1394. const timezoneOffset = (options.timezone || 0) * 60 * 60 * 1000;
  1395. const date = new Date(ts + timezoneOffset);
  1396. if (isNaN(date.getTime())) return 'Invalid Date'
  1397. const timeObj = {
  1398. year: date.getUTCFullYear(),
  1399. month: date.getUTCMonth() + 1,
  1400. day: date.getUTCDate(),
  1401. hours: date.getUTCHours(),
  1402. minutes: date.getUTCMinutes(),
  1403. seconds: date.getUTCSeconds()
  1404. };
  1405. if (options.returnObject) return timeObj
  1406. const format = options.format || 'YYYY-MM-DD HH:mm:ss';
  1407. const pad = (n) => n.toString().padStart(2, '0');
  1408. return format
  1409. .replace(/YYYY/g, timeObj.year)
  1410. .replace(/YY/g, String(timeObj.year).slice(-2))
  1411. .replace(/MM/g, pad(timeObj.month))
  1412. .replace(/M/g, timeObj.month)
  1413. .replace(/DD/g, pad(timeObj.day))
  1414. .replace(/D/g, timeObj.day)
  1415. .replace(/HH/g, pad(timeObj.hours))
  1416. .replace(/H/g, timeObj.hours)
  1417. .replace(/mm/g, pad(timeObj.minutes))
  1418. .replace(/m/g, timeObj.minutes)
  1419. .replace(/ss/g, pad(timeObj.seconds))
  1420. .replace(/s/g, timeObj.seconds)
  1421. };
  1422. const calculateLikeRate = (likeCount, viewCount) => {
  1423. if (viewCount === 0) {
  1424. return 0;
  1425. }
  1426. return parseInt((likeCount / viewCount) * 100)
  1427. };
  1428. const calculateInteractionRate = (danmaku, reply, view) => {
  1429. return parseInt((danmaku + reply) / view * 100)
  1430. };
  1431. const calculateTripleRate = (favorite, coin, share, view) => {
  1432. return parseInt((favorite + coin + share) / view * 100)
  1433. };
  1434. const calculateCoinLikesRatioRate = (coin, like) => {
  1435. return parseInt((coin + like) / view * 100)
  1436. };
  1437. var defUtil = {
  1438. wait,
  1439. fileDownload,
  1440. toTimeString,
  1441. smoothScroll,
  1442. debounce,
  1443. debounceAsync,
  1444. throttle,
  1445. throttleAsync,
  1446. parseUrl,
  1447. handleFileReader,
  1448. isIterable,
  1449. getLocalStorage,
  1450. formatTimestamp,
  1451. calculateLikeRate,
  1452. calculateInteractionRate,
  1453. calculateTripleRate,
  1454. calculateCoinLikesRatioRate
  1455. };
  1456. var rule_export_import_vue = {
  1457. template: `
  1458. <div>
  1459. <el-card shadow="never">
  1460. <template #header>
  1461. <span>导出规则</span>
  1462. </template>
  1463. <el-button @click="ruleOutToFIleBut">导出到文件</el-button>
  1464. <el-button @click="outToInputBut">导出到编辑框</el-button>
  1465. <el-button @click="ruleOutToConsoleBut">导出到控制台</el-button>
  1466. </el-card>
  1467. <el-card shadow="never">
  1468. <template #header>
  1469. <el-row>
  1470. <el-col :span="12">
  1471. <div class="el-horizontal-left">导入规则</div>
  1472. </el-col>
  1473. <el-col :span="12">
  1474. <div class="el-horizontal-right">
  1475. <el-button v-for="item in ruleReference" @click="xtipAlertBut(item.content,item.title)">
  1476. {{ item.title }}
  1477. </el-button>
  1478. </div>
  1479. </el-col>
  1480. </el-row>
  1481. </template>
  1482. <div>规则内容请在下面编辑框中导入</div>
  1483. <div>旧版本的需要使用下面的v1旧版本导入规则</div>
  1484. <div>旧版本的只能覆盖导入</div>
  1485. <div>v1之后的版本可以选择覆盖和追加</div>
  1486. <div>旧规则转新规则,用于2.0之前版本升上来旧规则内容丢失问题</div>
  1487. <el-divider/>
  1488. <div>
  1489. <el-button @click="inputFIleRuleBut">读取外部规则文件</el-button>
  1490. <el-button @click="overwriteImportRulesBut">覆盖导入规则</el-button>
  1491. <el-button @click="appendImportRulesBut">追加导入规则</el-button>
  1492. <el-button @click="overwriteImportRulesV1But">v1旧版本覆盖导入规则</el-button>
  1493. <el-button @click="ruleOldToNewBut">旧规则自动转新规则</el-button>
  1494. </div>
  1495. <el-divider/>
  1496. <div>
  1497. <el-input autosize
  1498. :autosize="{ minRows: 10, maxRows: 50}"
  1499. type="textarea" v-model="ruleContentImport" placeholder="要导入的规则内容"></el-input>
  1500. </div>
  1501. </el-card>
  1502. <input ref="file" type="file" accept="application/json" @change="handleFileUpload"
  1503. style="display: none">
  1504. </div>`,
  1505. data() {
  1506. return {
  1507. ruleContentImport: "",
  1508. ruleReference: [
  1509. {
  1510. title: "旧版本规则参考",
  1511. content: ` {"用户名黑名单模式(精确匹配)":["账号已注销"],"BV号黑名单模式(精确匹配)":[],
  1512. "用户名黑名单模式(模糊匹配)":["bili_","_bili"],"用户uid黑名单模式(精确匹配)":[442010132,76525078,225219967,3493283164588093],
  1513. "用户uid白名单模式(精确匹配)":[344490740,1861980711],"标题黑名单模式(模糊匹配)":["激励计划","蚌不住","手游激励","游戏活动打卡"],
  1514. "标题黑名单模式(正则匹配)":["感觉.*不如","不要笑.*挑战"],"评论关键词黑名单模式(模糊匹配)":["感觉不如","差不多的了"],
  1515. "评论关键词黑名单模式(正则匹配)":["这不.+吗","玩.*的","不要笑.*挑战"],"粉丝牌黑名单模式(精确匹配)":[],
  1516. "专栏关键词内容黑名单模式(模糊匹配)":[],"动态关键词内容黑名单模式(模糊匹配)":["拼多多","京东红包","京东618红包","618活动"]}`
  1517. },
  1518. {
  1519. title: "新版本规则参考",
  1520. content: "待补充"
  1521. }
  1522. ],
  1523. }
  1524. },
  1525. methods: {
  1526. overwriteImportRulesBut() {
  1527. this.$confirm('是否要覆盖导入规则?').then(() => {
  1528. const trim = this.ruleContentImport.trim();
  1529. debugger
  1530. if (ruleUtil.overwriteImportRules(this.ruleKeyArr, trim)) {
  1531. this.$alert('已覆盖导入成功!');
  1532. eventEmitter.send('刷新规则信息');
  1533. }
  1534. });
  1535. },
  1536. appendImportRulesBut() {
  1537. this.$confirm('是否要追加导入规则?').then(() => {
  1538. const trim = this.ruleContentImport.trim();
  1539. if (ruleUtil.appendImportRules(this.ruleKeyArr, trim)) {
  1540. this.$message('已追加导入成功!');
  1541. eventEmitter.send('刷新规则信息');
  1542. }
  1543. });
  1544. },
  1545. overwriteImportRulesV1But() {
  1546. this.$confirm('旧版本-是否导入规则?').then(() => {
  1547. const trim = this.ruleContentImport.trim();
  1548. if (ruleUtil.overwriteImportRulesV1(trim)) {
  1549. this.$message('已导入成功!');
  1550. eventEmitter.send('刷新规则信息');
  1551. }
  1552. });
  1553. },
  1554. xtipAlertBut(content, title) {
  1555. this.$alert(content, title);
  1556. },
  1557. ruleOldToNewBut() {
  1558. ruleConversion.oldToNewRule();
  1559. eventEmitter.send('刷新规则信息');
  1560. this.$message('已转换成功!');
  1561. },
  1562. handleFileUpload(event) {
  1563. defUtil.handleFileReader(event).then(data => {
  1564. const {content} = data;
  1565. try {
  1566. JSON.parse(content);
  1567. } catch (e) {
  1568. this.$message('文件内容有误');
  1569. return;
  1570. }
  1571. this.ruleContentImport = content;
  1572. this.$message('读取到内容,请按需覆盖或追加');
  1573. });
  1574. },
  1575. inputFIleRuleBut() {
  1576. this.$refs.file.click();
  1577. },
  1578. outToInputBut() {
  1579. this.ruleContentImport = ruleUtil.getRuleContent(2);
  1580. this.$message('已导出到输入框中');
  1581. },
  1582. ruleOutToFIleBut() {
  1583. let fileName = "b站屏蔽器规则-" + defUtil.toTimeString();
  1584. this.$prompt('请输入文件名', '保存为', {
  1585. inputValue: fileName
  1586. }).then(({value}) => {
  1587. if (value === "" && value.includes(' ')) {
  1588. this.$alert('文件名不能为空或包含空格');
  1589. return
  1590. }
  1591. const ruleContent = ruleUtil.getRuleContent(4);
  1592. defUtil.fileDownload(ruleContent, value + ".json");
  1593. });
  1594. },
  1595. ruleOutToConsoleBut() {
  1596. console.log(ruleUtil.getRuleContent());
  1597. this.$message('已导出到控制台上,F12打开控制台查看');
  1598. },
  1599. },
  1600. };
  1601. var other_parameter_filter = {
  1602. template: `
  1603. <div>
  1604. <div style="display: flex">
  1605. <div style="width: 70vw">
  1606. <el-card>
  1607. <template #header>
  1608. <span>使用说明</span>
  1609. </template>
  1610. <ol>
  1611. <li>如设置时长相关单位为秒</li>
  1612. <li>如设置播放量和弹幕量相关单位为个</li>
  1613. <li>设置最小播放量则小于该值的视频会屏蔽</li>
  1614. <li>设置最大播放量则大于该值的视频会屏蔽</li>
  1615. <li>设置最小弹幕量则小于该值的视频会屏蔽</li>
  1616. <li>设置最大弹幕量则大于该值的视频会屏蔽</li>
  1617. <li>设置最小时长则小于该值的视频会屏蔽</li>
  1618. <li>设置最大时长则大于该值的视频会屏蔽</li>
  1619. <li>设置最小用户等级则小于该值的会屏蔽,低于该值的会屏蔽掉</li>
  1620. <li>设置最大用户等级则大于该值的会屏蔽,高于该值的会屏蔽掉</li>
  1621. <li>取消相关限制条件则不做限制处理</li>
  1622. <li>右侧信息关键条件-1则为未做任何限制处理</li>
  1623. <li>最后因为设置限制条件冲突或限制太多,视频未能限制的情况下,请按需设置限制条件</li>
  1624. </ol>
  1625. </el-card>
  1626. <input gz_type type="number" :min="inputMin" :max="inputMax" v-model="num">
  1627. <el-select v-model="selectValue" filterable>
  1628. <el-option :value="item.value" v-for="item in selectList" :label="item.name"></el-option>
  1629. </el-select>
  1630. <div>
  1631. <el-button @click="okVideoSelectBut">设置</el-button>
  1632. <el-button @click="cancelBut">取消</el-button>
  1633. <el-button @click="allCancelBut">全部取消</el-button>
  1634. </div>
  1635. </div>
  1636. <div>
  1637. <el-button @click="updateInfoBut">刷新</el-button>
  1638. <div v-for="item in selectList" style="padding: 5px">
  1639. {{ item.name }}{{ item.defVal }}
  1640. {{ item.name.includes('时长') ? '秒' : '' }}
  1641. </div>
  1642. </div>
  1643. </div>
  1644. </div>`,
  1645. data() {
  1646. return {
  1647. num: 0,
  1648. selectList: ruleKeyListData$1.otherKeyListData,
  1649. selectValue: 'nMinimumPlay',
  1650. inputMax: "",
  1651. inputMin: 0
  1652. }
  1653. },
  1654. methods: {
  1655. okVideoSelectBut() {
  1656. const find = this.selectList.find(item => item.value === this.selectValue);
  1657. const associatedVal = gmUtil.getData(find.associated, -1);
  1658. const associatedFind = this.selectList.find(item => item.value === find.associated);
  1659. if (this.num > associatedVal && associatedVal !== -1) {
  1660. if (associatedFind.bLarge) {
  1661. this.$alert(`要设置的${find.name}值不能大于${associatedFind.name}的值`);
  1662. return
  1663. }
  1664. console.log('正常修改');
  1665. }
  1666. this.$alert(`已设置${find.name},值为${this.num}`);
  1667. gmUtil.setData(this.selectValue, this.num);
  1668. this.updateInfo();
  1669. },
  1670. cancelBut() {
  1671. gmUtil.setData(this.selectValue, -1);
  1672. const find = this.selectList.find(item => item.value === this.selectValue);
  1673. this.$alert(`已取消${find.name}的限制`);
  1674. this.updateInfo();
  1675. },
  1676. allCancelBut() {
  1677. for (let item of this.selectList) {
  1678. gmUtil.setData(item.value, -1);
  1679. }
  1680. this.updateInfo();
  1681. },
  1682. updateInfo() {
  1683. for (let item of this.selectList) {
  1684. item.defVal = gmUtil.getData(item.value, -1);
  1685. }
  1686. },
  1687. updateInfoBut() {
  1688. this.updateInfo();
  1689. this.$alert('已刷新');
  1690. },
  1691. },
  1692. watch: {
  1693. selectValue(newVal) {
  1694. const find = this.selectList.find(item => item.value === newVal);
  1695. if (find.name.includes('用户等级')) {
  1696. this.inputMin = 3;
  1697. this.inputMax = 6;
  1698. if (this.num > 6) {
  1699. this.num = 6;
  1700. }
  1701. if (this.num < 3) {
  1702. this.num = 3;
  1703. }
  1704. } else {
  1705. this.inputMin = 0;
  1706. this.inputMax = '';
  1707. }
  1708. }
  1709. },
  1710. created() {
  1711. this.updateInfo();
  1712. }
  1713. };
  1714. var rule_information_vue = {
  1715. template: `
  1716. <div>
  1717. <el-button @click="refreshInfoBut">刷新信息</el-button>
  1718. <el-descriptions title="规则信息">
  1719. <el-descriptions-item v-for="item in ruleInfoArr" :key="item.name"
  1720. :label="item.name">
  1721. <el-badge :value="item.len">
  1722. <el-button>个</el-button>
  1723. </el-badge>
  1724. </el-descriptions-item>
  1725. </el-descriptions>
  1726. </div>`,
  1727. data() {
  1728. return {
  1729. ruleInfoArr: [],
  1730. }
  1731. },
  1732. methods: {
  1733. refreshInfoBut() {
  1734. for (let x of this.ruleInfoArr) {
  1735. x.len = gmUtil.getData(x.type, []).length;
  1736. }
  1737. this.$notify({
  1738. title: 'tip',
  1739. message: '刷新规则信息成功',
  1740. type: 'success',
  1741. });
  1742. },
  1743. },
  1744. created() {
  1745. for (let newRuleKeyListElement of ruleKeyListData$1.getRuleKeyListData()) {
  1746. this.ruleInfoArr.push({
  1747. type: newRuleKeyListElement.key,
  1748. name: newRuleKeyListElement.name,
  1749. len: 0
  1750. });
  1751. }
  1752. this.refreshInfoBut();
  1753. eventEmitter.on('刷新规则信息', () => {
  1754. this.refreshInfoBut();
  1755. });
  1756. }
  1757. };
  1758. class asynchronousIntervalQueue {
  1759. #isProcessing = false;
  1760. #pendingQueue = [];
  1761. #interval = 200;
  1762. constructor(options = {}) {
  1763. this.#interval = options.interval || 200;
  1764. }
  1765. setInterval(interval) {
  1766. this.#interval = interval;
  1767. }
  1768. add(func, config = {}) {
  1769. return new Promise((resolve, reject) => {
  1770. this.#pendingQueue.push({
  1771. funcFn: func,
  1772. config: {
  1773. interval: config.interval || null,
  1774. },
  1775. resolve,
  1776. reject
  1777. });
  1778. if (!this.#isProcessing) {
  1779. this.#processQueue();
  1780. }
  1781. });
  1782. }
  1783. async #processQueue() {
  1784. this.#isProcessing = true;
  1785. while (this.#pendingQueue.length > 0) {
  1786. const task = this.#pendingQueue.shift();
  1787. try {
  1788. let result;
  1789. const funcFn = task.funcFn;
  1790. if (funcFn instanceof Promise) {
  1791. const template = await funcFn;
  1792. if (template instanceof Function) {
  1793. result = template();
  1794. } else {
  1795. result = template;
  1796. }
  1797. }
  1798. if (funcFn instanceof Function) {
  1799. const template = funcFn();
  1800. if (template instanceof Promise) {
  1801. result = await template;
  1802. } else {
  1803. result = template;
  1804. }
  1805. }
  1806. task.resolve(result);
  1807. } catch (error) {
  1808. task.reject(error);
  1809. } finally {
  1810. const interval = task.config.interval || this.#interval;
  1811. await new Promise(resolve =>
  1812. setTimeout(resolve, interval)
  1813. );
  1814. }
  1815. }
  1816. this.#isProcessing = false;
  1817. }
  1818. clearPendingQueue() {
  1819. this.#pendingQueue = [];
  1820. this.#isProcessing = false;
  1821. }
  1822. }
  1823. const requestIntervalQueue = new asynchronousIntervalQueue({
  1824. interval: localMKData.isRequestFrequencyVal() * 1000
  1825. });
  1826. const setRequestFrequencyVal = (v) => {
  1827. gmUtil.setData('requestFrequencyVal', v > 0 && v <= 5 ? v : 0.2);
  1828. };
  1829. var conditionalityVue = {
  1830. template: `
  1831. <div>
  1832. <el-switch v-model="bOnlyTheHomepageIsBlocked" active-text="仅首页屏蔽生效屏蔽"/>
  1833. <el-tooltip content="模糊和正则匹配时,将匹配词转小写与规则值匹配。修改后刷新页面生效">
  1834. <el-switch v-model="bFuzzyAndRegularMatchingWordsToLowercase"
  1835. active-text="模糊和正则匹配词转小写"></el-switch>
  1836. </el-tooltip>
  1837. <el-card>
  1838. <template #header>
  1839. <span>网络请求频率(单位秒)</span>
  1840. <div>如设置0,则为不限制,比如设置2,则为每个请求之间隔2秒,可有效降低对Bapi接口的压力,降低风控</div>
  1841. <div>注意:设置过低可能会导致部分接口风控</div>
  1842. <div>如接口风控了请先勾选下面的【禁用根据bv号网络请求获取视频信息】</div>
  1843. <div>修改实时生效</div>
  1844. </template>
  1845. <el-switch v-model="isDisableNetRequestsBvVideoInfo" active-text="禁用根据bv号网络请求获取视频信息"/>
  1846. <el-slider v-model="requestFrequencyVal" max="5" step="0.1" show-stops show-input
  1847. :disabled="isDisableNetRequestsBvVideoInfo"
  1848. ></el-slider>
  1849. </el-card>
  1850. </div>`,
  1851. data() {
  1852. return {
  1853. requestFrequencyVal: localMKData.isRequestFrequencyVal(),
  1854. bOnlyTheHomepageIsBlocked: localMKData.getBOnlyTheHomepageIsBlocked(),
  1855. bFuzzyAndRegularMatchingWordsToLowercase: localMKData.bFuzzyAndRegularMatchingWordsToLowercase(),
  1856. isDisableNetRequestsBvVideoInfo: false
  1857. }
  1858. },
  1859. methods: {},
  1860. watch: {
  1861. bOnlyTheHomepageIsBlocked(newVal) {
  1862. localMKData.setBOnlyTheHomepageIsBlocked(newVal);
  1863. },
  1864. bFuzzyAndRegularMatchingWordsToLowercase(newVal) {
  1865. localMKData.setFuzzyAndRegularMatchingWordsToLowercase(newVal);
  1866. },
  1867. isDisableNetRequestsBvVideoInfo(b) {
  1868. localMKData.setDisableNetRequestsBvVideoInfo(b);
  1869. },
  1870. requestFrequencyVal(n) {
  1871. setRequestFrequencyVal(n);
  1872. requestIntervalQueue.setInterval(n * 1000);
  1873. }
  1874. },
  1875. created() {
  1876. eventEmitter.on('更新根据bv号网络请求获取视频信息状态', (b) => {
  1877. this.isDisableNetRequestsBvVideoInfo = b;
  1878. });
  1879. }
  1880. };
  1881. const queue = new asynchronousIntervalQueue();
  1882. const getData = async (page = 1) => {
  1883. const response = await fetch(`https://api.bilibili.com/x/relation/blacks?pn=${page}&ps=50&jsonp=jsonp`, {
  1884. credentials: 'include'
  1885. });
  1886. if (response.status !== 200) {
  1887. eventEmitter.send('el-msg', '拉取黑名单数据响应失败.');
  1888. return {state: false}
  1889. }
  1890. const resJson = await response.json();
  1891. const {data: {list, total}, message, code} = resJson;
  1892. if (code !== 0) {
  1893. eventEmitter.send('el-msg', '请求相应内容失败:code=' + code);
  1894. return {state: false, msg: `请求相应内容失败:msg=${message} code=` + code}
  1895. }
  1896. const newList = list.map(({face, mid, mtime, uname, sign}) => {
  1897. return {face, mid, mtime, uname, sign}
  1898. });
  1899. return {state: true, list: newList, total};
  1900. };
  1901. const blacklist_management_vue = {
  1902. template: `
  1903. <div>
  1904. <div>1.注意:该功能为b站自身的黑名单</div>
  1905. <div>1.对应地址
  1906. <el-link target="_blank" href="https://account.bilibili.com/account/blacklist">
  1907. https://account.bilibili.com/account/blacklist
  1908. </el-link>
  1909. </div>
  1910. <div>3.需要登录(不可用)才可以使用</div>
  1911. <el-card shadow="never" v-loading="isDivLoading" element-loading-text="拼命加载中">
  1912. <template #header>
  1913. <el-row>
  1914. <el-col :span="8">
  1915. <el-badge :value="total">
  1916. <el-tag>累计</el-tag>
  1917. </el-badge>
  1918. <el-badge :value="showList.length" style="margin-left: 45px">
  1919. <el-tag>显示数</el-tag>
  1920. </el-badge>
  1921. <div>
  1922. <el-card shadow="never">
  1923. <template #header>请求的间隔({{ sliderInterval }}S)</template>
  1924. <el-slider v-model="sliderInterval" step="0.1" max="10"></el-slider>
  1925. </el-card>
  1926. <el-button @click="getOnePageDataBut">获取第一页</el-button>
  1927. <el-button @click="getAllBut">获取全部</el-button>
  1928. <el-button type="warning" @click="clearTableBut">清空列表</el-button>
  1929. <el-button @click="outDataToConsoleBut">导出控制台</el-button>
  1930. <el-button @click="outDataToFileBut">导出文件</el-button>
  1931. </div>
  1932. </el-col>
  1933. <el-col :span="16">
  1934. <el-card shadow="never">
  1935. <template #header><span>过滤</span></template>
  1936. <div>
  1937. <el-switch v-model="isCancelMaxLimit" active-text="取消列表显示最大限制"/>
  1938. </div>
  1939. <el-select v-model="select.val">
  1940. <el-option
  1941. v-for="item in select.options"
  1942. :key="item.value"
  1943. :label="item.label"
  1944. :value="item.value">
  1945. </el-option>
  1946. </el-select>
  1947. <el-input v-model="findVal"></el-input>
  1948. </el-card>
  1949. </el-col>
  1950. </el-row>
  1951. </template>
  1952. <el-table :data="showList" stripe border>
  1953. <el-table-column prop="mtime" label="时间" width="155px">
  1954. <template v-slot="scope">
  1955. {{ new Date(scope.row.mtime * 1000).toLocaleString() }}
  1956. </template>
  1957. </el-table-column>
  1958. <el-table-column label="头像" width="55px">
  1959. <template v-slot="scope">
  1960. <el-avatar shape="square" :src="scope.row.face"></el-avatar>
  1961. </template>
  1962. </el-table-column>
  1963. <el-table-column prop="uname" label="用户名" width="190px"></el-table-column>
  1964. <el-table-column prop="mid" label="用户ID" width="180px"></el-table-column>
  1965. <el-table-column prop="sign" label="签名"></el-table-column>
  1966. <el-table-column label="标记" width="50px">
  1967. <template v-slot="scope">
  1968. 未定
  1969. </template>
  1970. </el-table-column>
  1971. <el-table-column label="操作">
  1972. <template #header>
  1973. <el-button @click="tableAddUidBlackButAll">一键添加uid屏蔽</el-button>
  1974. </template>
  1975. <template v-slot="scope">
  1976. <el-button @click="tableOpenAddressBut(scope.row)">打开地址</el-button>
  1977. <el-button @click="tableAddUidBlackBut(scope.row)">uid屏蔽</el-button>
  1978. </template>
  1979. </el-table-column>
  1980. </el-table>
  1981. <el-pagination
  1982. :page-size="pageSize"
  1983. background
  1984. layout="prev, pager, next"
  1985. :total="list.length"
  1986. @current-change="handleCurrentChange"
  1987. >
  1988. </el-pagination>
  1989. </el-card>
  1990. </div>`,
  1991. data() {
  1992. return {
  1993. select: {
  1994. val: 'uname',
  1995. options: [{
  1996. label: "用户UID",
  1997. value: 'mid',
  1998. }, {
  1999. label: "用户名",
  2000. value: 'uname',
  2001. }, {
  2002. label: '用户签名',
  2003. value: 'sign'
  2004. }]
  2005. },
  2006. total: 0,
  2007. list: [],
  2008. showList: [],
  2009. findVal: '',
  2010. sliderInterval: 0.6,
  2011. isDivLoading: false,
  2012. isCancelMaxLimit: false,
  2013. pageSize: 50
  2014. }
  2015. },
  2016. methods: {
  2017. filterTable(list, val) {
  2018. const filter = list.filter(x => {
  2019. const x1 = x[this.select.val];
  2020. if (Number.isInteger(x1)) {
  2021. return x1.toString().includes(val)
  2022. }
  2023. return x1.includes(val);
  2024. });
  2025. if (filter.length === 0) {
  2026. this.$notify({
  2027. title: '没有匹配到数据',
  2028. type: 'warning',
  2029. duration: 2000
  2030. });
  2031. return []
  2032. }
  2033. if (filter.length > 50 && !this.isCancelMaxLimit) {
  2034. this.$notify({
  2035. title: '数据过多,已截取前50条',
  2036. type: 'warning',
  2037. duration: 2000
  2038. });
  2039. return filter.slice(0, 50);
  2040. }
  2041. return filter;
  2042. },
  2043. async getOnePageDataBut() {
  2044. const {state, list, total} = await getData();
  2045. if (!state) {
  2046. return
  2047. }
  2048. this.list = list;
  2049. this.showList = list;
  2050. this.total = total;
  2051. this.$message('获取成功');
  2052. },
  2053. tableOpenAddressBut(row) {
  2054. gmUtil.openInTab(`https://space.bilibili.com/${row.mid}`);
  2055. },
  2056. tableAddUidBlackBut(row) {
  2057. const uid = row.mid;
  2058. const name = row.uname;
  2059. if (ruleUtil.findRuleItemValue('precise_uid', uid)) {
  2060. this.$message(`该用户:${name}的uid:${uid}已添加过`);
  2061. return;
  2062. }
  2063. this.$confirm(`确定添加${name}的uid:${uid}到uid精确屏蔽吗?`).then(() => {
  2064. ruleUtil.addRulePreciseUid(uid);
  2065. });
  2066. console.log(row);
  2067. },
  2068. outDataToConsoleBut() {
  2069. console.log('黑名单管理列表====start');
  2070. console.log(JSON.parse(JSON.stringify(this.list)));
  2071. console.log('黑名单管理列表====end');
  2072. this.$alert('已导出到控制台,可通过f12查看');
  2073. },
  2074. outDataToFileBut() {
  2075. this.$prompt('请输入文件名', '保存为', {
  2076. inputValue: 'B站黑名单列表'
  2077. }).then(({value}) => {
  2078. if (value.trim() === '') {
  2079. return
  2080. }
  2081. const tempData = {
  2082. total: this.total,
  2083. list: this.list
  2084. };
  2085. const s = JSON.stringify(tempData, null, 4);
  2086. defUtil.fileDownload(s, +value.trim() + '.json');
  2087. this.$alert('已导出到文件,请按需保存');
  2088. });
  2089. },
  2090. async getAllBut() {
  2091. this.isDivLoading = true;
  2092. const {state, list, total} = await getData();
  2093. if (!state) return
  2094. if (total === 0) {
  2095. this.isDivLoading = false;
  2096. this.$message('没有更多数据了');
  2097. return;
  2098. }
  2099. this.total = total;
  2100. const totalPage = Math.ceil(total / 50);
  2101. if (totalPage === 1) {
  2102. this.list = list;
  2103. this.isDivLoading = false;
  2104. return
  2105. }
  2106. this.list = list;
  2107. for (let i = 2; i <= totalPage; i++) {
  2108. const {state, list: resList} = await queue.add(() => getData(i));
  2109. if (!state) return
  2110. list.push(...resList);
  2111. }
  2112. if (this.list.length > 50 && !this.isCancelMaxLimit) {
  2113. this.showList = list.slice(0, 50);
  2114. } else {
  2115. this.showList = list;
  2116. }
  2117. this.showList = list;
  2118. this.$message('获取成功');
  2119. this.isDivLoading = false;
  2120. },
  2121. handleCurrentChange(page) {
  2122. this.showList = this.list.slice((page - 1) * 50, page * 50);
  2123. },
  2124. clearTableBut() {
  2125. this.showList = this.list = [];
  2126. this.$message('已清空列表');
  2127. },
  2128. tableAddUidBlackButAll() {
  2129. if (this.list.length === 0) {
  2130. this.$message('列表为空');
  2131. return
  2132. }
  2133. this.$confirm(`确定添加所有用户到uid精确屏蔽吗?`).then(() => {
  2134. if (ruleUtil.addPreciseUidItemRule(this.list.map(x => x.mid), true, false)) {
  2135. eventEmitter.send('刷新规则信息');
  2136. }
  2137. });
  2138. }
  2139. },
  2140. watch: {
  2141. findVal(n) {
  2142. this.showList = this.filterTable(this.list, n);
  2143. },
  2144. sliderInterval(n) {
  2145. queue.setInterval(n * 1000);
  2146. },
  2147. isCancelMaxLimit(n) {
  2148. this.pageSize = n ? 1000000 : 50;
  2149. }
  2150. },
  2151. created() {
  2152. queue.setInterval(this.sliderInterval * 1000);
  2153. }
  2154. };
  2155. const video_metrics_filter_item_vue = {
  2156. props: {
  2157. headerTitle: {type: String},
  2158. describe: {type: String},
  2159. mkTypeRateKey: {type: String},
  2160. mkRateStatusKey: {type: String},
  2161. },
  2162. template: `
  2163. <div>
  2164. <el-card shadow="never">
  2165. <template #header>{{ headerTitle }}</template>
  2166. <div>{{ describe }}</div>
  2167. <div style="display: flex; align-items: center">
  2168. <el-switch v-model="rateBlockingStatus" active-text="启用"/>
  2169. <div style="flex: 1;margin-left: 15px">
  2170. <el-slider v-model="ratioRateVal" :step="0.01" :min="0" :max="1" show-input
  2171. :format-tooltip="reteFormatTooltip"
  2172. :disabled="rateDisabled"></el-slider>
  2173. </div>
  2174. </div>
  2175. </el-card>
  2176. </div>`,
  2177. data() {
  2178. return {
  2179. rateBlockingStatus: false,
  2180. ratioRateVal: 0,
  2181. rateDisabled: false,
  2182. }
  2183. },
  2184. methods: {
  2185. reteFormatTooltip(val) {
  2186. return (val * 100).toFixed(0) + '%'
  2187. }
  2188. },
  2189. watch: {
  2190. ratioRateVal(n) {
  2191. gmUtil.setData(this.mkTypeRateKey, n);
  2192. },
  2193. rateBlockingStatus(n) {
  2194. this.rateDisabled = !n;
  2195. gmUtil.setData(this.mkRateStatusKey, n);
  2196. }
  2197. },
  2198. created() {
  2199. this.ratioRateVal = gmUtil.getData(this.mkTypeRateKey, 0.05);
  2200. const bool = gmUtil.getData(this.mkRateStatusKey, false);
  2201. this.rateBlockingStatus = bool;
  2202. this.rateDisabled = !bool;
  2203. }
  2204. };
  2205. const video_metrics_filter_vue = {
  2206. components: {video_metrics_filter_item_vue},
  2207. template: `
  2208. <div>
  2209. <video_metrics_filter_item_vue v-for="item in metricsFilterList" :key="item.headerTitle"
  2210. :header-title="item.headerTitle"
  2211. :describe="item.describe"
  2212. :mk-rate-status-key="item.mkRateStatusKey"
  2213. :mk-type-rate-key="item.mkTypeRateKey"
  2214. />
  2215. </div>`,
  2216. data() {
  2217. return {
  2218. metricsFilterList: [
  2219. {
  2220. headerTitle: '视频点赞率屏蔽',
  2221. describe: '限制的点赞率,默认为2%,小于或等于值限时制的屏蔽该视频,公式【点赞率=点赞数/播放量*100】',
  2222. mkRateStatusKey: 'video_like_rate_blocking_status',
  2223. mkTypeRateKey: 'video_like_rate'
  2224. },
  2225. {
  2226. headerTitle: '视频互动率屏蔽',
  2227. describe: '限制的占比率,默认为2%,小于或等于值限时制的屏蔽该视频,公式【(弹幕数+评论数)/播放数*100】',
  2228. mkRateStatusKey: 'interactive_rate_blocking_status',
  2229. mkTypeRateKey: 'interactive_rate'
  2230. },
  2231. {
  2232. headerTitle: '视频三连率屏蔽',
  2233. describe: '限制的占比率,默认为2%,小于或等于值限时制的屏蔽该视频,公式【(收藏数+投币数+分享数)/播放数*100】',
  2234. mkRateStatusKey: 'triple_rate_blocking_status',
  2235. mkTypeRateKey: 'triple_rate'
  2236. },
  2237. {
  2238. headerTitle: '视频投币/点赞比(内容价值)屏蔽',
  2239. describe: '限制的占比率,默认为2%,小于或等于值限时制的屏蔽该视频,投币成本较高,比值越高内容越优质。公式【投币数 / 获赞数】',
  2240. mkRateStatusKey: 'coin_likes_ratio_rate_blocking_status',
  2241. mkTypeRateKey: 'coin_likes_ratio_rate'
  2242. }
  2243. ]
  2244. }
  2245. }
  2246. };
  2247. const high_level_rule_vue = {
  2248. components: {video_metrics_filter_vue},
  2249. template: `
  2250. <div>
  2251. <el-card>
  2252. <template #header>指标屏蔽(改动实时生效)</template>
  2253. <video_metrics_filter_vue/>
  2254. </el-card>
  2255. <el-card>
  2256. <template #header>视频类型</template>
  2257. <div>选中的类型会被屏蔽</div>
  2258. <el-radio-group v-model="copyrightRadioVal">
  2259. <el-radio-button label="原创"></el-radio-button>
  2260. <el-radio-button label="转载"></el-radio-button>
  2261. <el-radio-button label="不处理"></el-radio-button>
  2262. </el-radio-group>
  2263. <el-divider/>
  2264. <el-switch v-model="is_vertical_val" active-text="屏蔽竖屏类视频"/>
  2265. <el-switch v-model="blockFollowed" active-text="屏蔽已关注"/>
  2266. <el-switch v-model="is_up_owner_exclusive" active-text="屏蔽充电专属视频"></el-switch>
  2267. <el-switch v-model="is_senior_member_val" active-text="屏蔽硬核会员"/>
  2268. <el-row>
  2269. <el-col :span="12">
  2270. <el-card shadow="never">
  2271. <template #header>会员类型屏蔽</template>
  2272. <el-radio-group v-model="vipTypeRadioVal">
  2273. <el-radio-button label="无"></el-radio-button>
  2274. <el-radio-button label="月大会员"></el-radio-button>
  2275. <el-radio-button label="年度及以上大会员"></el-radio-button>
  2276. <el-radio-button label="不处理"></el-radio-button>
  2277. </el-radio-group>
  2278. </el-card>
  2279. </el-col>
  2280. <el-col :span="12">
  2281. <el-card shadow="never">
  2282. <template #header>性别屏蔽</template>
  2283. <el-radio-group v-model="genderRadioVal">
  2284. <el-radio-button label="男性"></el-radio-button>
  2285. <el-radio-button label="女性"></el-radio-button>
  2286. <el-radio-button label="保密"></el-radio-button>
  2287. <el-radio-button label="不处理"></el-radio-button>
  2288. </el-radio-group>
  2289. </el-card>
  2290. </el-col>
  2291. </el-row>
  2292. </el-card>
  2293. <el-card>
  2294. <template #header>计算创作团队</template>
  2295. <el-tooltip content="当作者未匹配上时检查其他成员"></el-tooltip>
  2296. <el-switch v-model="is_check_team_member" active-text="检查创作团队中成员"/>
  2297. </el-card>
  2298. </div>`,
  2299. data() {
  2300. return {
  2301. blockFollowed: localMKData.isBlockFollowed(),
  2302. is_up_owner_exclusive: localMKData.isUpOwnerExclusive(),
  2303. genderRadioVal: localMKData.isGenderRadioVal(),
  2304. vipTypeRadioVal: localMKData.isVipTypeRadioVal(),
  2305. is_senior_member_val: localMKData.isSeniorMember(),
  2306. copyrightRadioVal: localMKData.isCopyrightRadio(),
  2307. is_vertical_val: localMKData.isBlockVerticalVideo(),
  2308. is_check_team_member: localMKData.isCheckTeamMember()
  2309. }
  2310. },
  2311. methods: {},
  2312. watch: {
  2313. blockFollowed(n) {
  2314. gmUtil.setData('blockFollowed', n);
  2315. },
  2316. is_up_owner_exclusive(n) {
  2317. gmUtil.setData('is_up_owner_exclusive', n);
  2318. },
  2319. genderRadioVal(n) {
  2320. gmUtil.setData('genderRadioVal', n);
  2321. },
  2322. vipTypeRadioVal(n) {
  2323. gmUtil.setData('vipTypeRadioVal', n);
  2324. },
  2325. is_senior_member_val(n) {
  2326. gmUtil.setData('is_senior_member', n);
  2327. },
  2328. copyrightRadioVal(n) {
  2329. gmUtil.setData('copyrightRadioVal', n);
  2330. },
  2331. is_vertical_val(n) {
  2332. gmUtil.setData('blockVerticalVideo', n);
  2333. },
  2334. is_check_team_member(n) {
  2335. gmUtil.setData('checkTeamMember', n);
  2336. }
  2337. }
  2338. };
  2339. var ruleManagementVue = {
  2340. components: {
  2341. rule_export_import_vue,
  2342. other_parameter_filter,
  2343. rule_information_vue,
  2344. conditionalityVue,
  2345. basic_rules_vue,
  2346. blacklist_management_vue,
  2347. high_level_rule_vue
  2348. },
  2349. template: `
  2350. <div>
  2351. <el-tabs type="border-card" tab-position="left">
  2352. <el-tab-pane label="基础规则">
  2353. <basic_rules_vue/>
  2354. </el-tab-pane>
  2355. <el-tab-pane label="其他规则">
  2356. <other_parameter_filter/>
  2357. </el-tab-pane>
  2358. <el-tab-pane label="高级规则">
  2359. <high_level_rule_vue/>
  2360. </el-tab-pane>
  2361. <el-tab-pane label="导出导入">
  2362. <rule_export_import_vue/>
  2363. </el-tab-pane>
  2364. <el-tab-pane label="条件限制">
  2365. <conditionalityVue/>
  2366. </el-tab-pane>
  2367. <el-tab-pane label="规则信息">
  2368. <rule_information_vue/>
  2369. </el-tab-pane>
  2370. <el-tab-pane label="黑名单管理" lazy>
  2371. <blacklist_management_vue/>
  2372. </el-tab-pane>
  2373. </el-tabs>
  2374. </div>`,
  2375. data() {
  2376. return {}
  2377. }
  2378. };
  2379. const compatible_setting_vue = {
  2380. template: `
  2381. <div>
  2382. <el-card>
  2383. <template #header>说明</template>
  2384. <div>如果用户没有安装并使用对应脚本或插件,就不要开启相关兼容选项</div>
  2385. </el-card>
  2386. <el-card>
  2387. <template #header>Bilibili-Gate脚本(bilibili-app-recommend)</template>
  2388. <el-switch v-model="adaptationBAppRecommend" active-text="首页屏蔽适配"/>
  2389. </el-card>
  2390. <el-card>
  2391. <template #header>BewlyBewly插件</template>
  2392. <el-switch v-model="compatible_BEWLY_BEWLY" active-text="首页适配"/>
  2393. </el-card>
  2394. <el-card>
  2395. <template #header>评论区</template>
  2396. 使用之后需刷新对应页面才可生效,勾选即评论区使用新版获取方式,不再使用旧版方式
  2397. <div>
  2398. <el-switch v-model="discardOldCommentAreasV" active-text="弃用旧版评论区处理"/>
  2399. </div>
  2400. </el-card>
  2401. </div>`,
  2402. data() {
  2403. return {
  2404. adaptationBAppRecommend: localMKData.getAdaptationBAppCommerce(),
  2405. compatible_BEWLY_BEWLY: localMKData.isCompatible_BEWLY_BEWLY(),
  2406. discardOldCommentAreasV: localMKData.isDiscardOldCommentAreas()
  2407. }
  2408. },
  2409. watch: {
  2410. adaptationBAppRecommend(newVal) {
  2411. localMKData.setAdaptationBAppCommerce(newVal);
  2412. },
  2413. compatible_BEWLY_BEWLY(newVal) {
  2414. localMKData.setCompatible_BEWLY_BEWLY(newVal);
  2415. },
  2416. discardOldCommentAreasV(newVal) {
  2417. localMKData.setDiscardOldCommentAreas(newVal);
  2418. }
  2419. }
  2420. };
  2421. const mk_db = new Dexie('mk-db');
  2422. mk_db.version(1).stores({
  2423. videoInfos: 'bv,tags,userInfo,videoInfo',
  2424. });
  2425. const addVideoData = async (bv, data) => {
  2426. const {tags, userInfo, videoInfo} = data;
  2427. try {
  2428. await mk_db.videoInfos.add({
  2429. bv, tags, userInfo, videoInfo
  2430. });
  2431. } catch (e) {
  2432. console.log(`添加视频数据失败`, data, e);
  2433. return false
  2434. }
  2435. return true
  2436. };
  2437. const bulkImportVideoInfos = async (friendsData) => {
  2438. try {
  2439. const lastKeyItem = await mk_db.videoInfos.bulkPut(friendsData);
  2440. console.info('批量导入成功,最后一个插入的主键:', lastKeyItem);
  2441. return {state: true, lastKeyItem}
  2442. } catch (error) {
  2443. console.error('批量导入时出错:', error);
  2444. return {state: false, error}
  2445. }
  2446. };
  2447. const getVideoInfo = async () => {
  2448. return await mk_db.videoInfos.toArray()
  2449. };
  2450. const getVideoInfoCount = async () => {
  2451. return await mk_db.videoInfos.count()
  2452. };
  2453. const clearVideoInfosTable = async () => {
  2454. try {
  2455. await mk_db.videoInfos.clear();
  2456. return true
  2457. } catch (e) {
  2458. console.log('清除videoInfos表失败', e);
  2459. return false
  2460. }
  2461. };
  2462. var bvDexie = {
  2463. addVideoData,
  2464. clearVideoInfosTable,
  2465. bulkImportVideoInfos,
  2466. getVideoInfo,
  2467. getVideoInfoCount
  2468. };
  2469. const cache_management_vue = {
  2470. template: `
  2471. <div>
  2472. <el-card>
  2473. <template #header>说明</template>
  2474. <div>1.每个域名中的缓存数据不同</div>
  2475. <div>2.仅仅支持导入json格式</div>
  2476. <div>3.下面导入默认追加模式</div>
  2477. <div>4.当前域名
  2478. <el-tag>{{ hostname }}</el-tag>
  2479. </div>
  2480. </el-card>
  2481. <el-card>
  2482. <template #header>操作</template>
  2483. <el-button @click="inputFIleBut">追加导入视频缓存数据</el-button>
  2484. <input ref="inputDemo" type="file" @change="handleFileUpload" accept="application/json"
  2485. style="display: none">
  2486. <el-button @click="clearPageVideoCacheDataBut">清空当前域名的视频缓存数据</el-button>
  2487. <el-button @click="lookContentBut">查看内容</el-button>
  2488. <el-button @click="lookContentLenBut">查看数据量</el-button>
  2489. </el-card>
  2490. <el-card>
  2491. <template #header>导出</template>
  2492. <el-button @click="outDbDataBut">导出至文件</el-button>
  2493. <el-button @click="outToConsoleBut">导出至控制台</el-button>
  2494. </el-card>
  2495. </div>`,
  2496. data() {
  2497. return {
  2498. hostname: window.location.hostname
  2499. }
  2500. },
  2501. methods: {
  2502. outDbDataBut() {
  2503. bvDexie.getVideoInfo().then((data) => {
  2504. if (data.length === 0) {
  2505. this.$message('当前域名下没有缓存视频数据');
  2506. return
  2507. }
  2508. data = {
  2509. hostName: this.hostname,
  2510. size: data.length,
  2511. data: data
  2512. };
  2513. defUtil.fileDownload(JSON.stringify(data, null, 4), 'mk-db-videoInfos-cache.json');
  2514. this.$message('已导出当前域名的缓存数据');
  2515. console.log(data);
  2516. });
  2517. },
  2518. handleFileUpload(event) {
  2519. defUtil.handleFileReader(event).then(data => {
  2520. const {content} = data;
  2521. let parse;
  2522. try {
  2523. parse = JSON.parse(content);
  2524. } catch (e) {
  2525. this.$message('文件内容有误');
  2526. return;
  2527. }
  2528. const {hostName = null, videoInfos = []} = parse;
  2529. if (!hostName) {
  2530. this.$message('hostName字段不存在');
  2531. return;
  2532. }
  2533. if (!defUtil.isIterable(videoInfos)) {
  2534. this.$message('文件内容有误,非可迭代的数组!');
  2535. return;
  2536. }
  2537. if (videoInfos.length === 0) {
  2538. this.$message('tags数据为空');
  2539. return;
  2540. }
  2541. for (let item of videoInfos) {
  2542. if (!item['bv']) {
  2543. this.$message('bv字段不存在');
  2544. return;
  2545. }
  2546. if (!item['tags']) {
  2547. this.$message('tags字段不存在');
  2548. return;
  2549. }
  2550. if (!item['userInfo']) {
  2551. this.$message('userInfo字段不存在');
  2552. return;
  2553. }
  2554. if (!item['videoInfo']) {
  2555. this.$message('videoInfo字段不存在');
  2556. return;
  2557. }
  2558. }
  2559. bvDexie.bulkImportVideoInfos(videoInfos).then((bool) => {
  2560. if (bool) {
  2561. this.$message('导入成功');
  2562. } else {
  2563. this.$message('导入失败');
  2564. }
  2565. });
  2566. });
  2567. },
  2568. inputFIleBut() {
  2569. this.$refs.inputDemo.click();
  2570. },
  2571. clearPageVideoCacheDataBut() {
  2572. this.$confirm('是否清空当前域名下的tags数据').then(() => {
  2573. bvDexie.clearVideoInfosTable().then((bool) => {
  2574. if (bool) {
  2575. this.$message('已清空当前域名下的视频缓存数据');
  2576. } else {
  2577. this.$message('清空失败');
  2578. }
  2579. });
  2580. });
  2581. },
  2582. lookContentBut() {
  2583. this.$confirm('当数据量过大时,可能卡顿,等待时间会较为长,是要继续吗').then(async () => {
  2584. const loading = this.$loading({text: "获取中..."});
  2585. const r = await bvDexie.getVideoInfo();
  2586. loading.close();
  2587. eventEmitter.send('展示内容对话框', JSON.stringify(r));
  2588. this.$message('获取成功');
  2589. });
  2590. },
  2591. outToConsoleBut() {
  2592. bvDexie.getVideoInfo().then(r => {
  2593. this.$alert('已导出至控制台上,可通过f12等方式查看');
  2594. const hostname = this.hostname;
  2595. console.log(`${hostname}的视频数据===start`);
  2596. console.log(r);
  2597. console.log(`${hostname}的视频数据=====end`);
  2598. });
  2599. },
  2600. lookContentLenBut() {
  2601. bvDexie.getVideoInfoCount().then((len) => {
  2602. this.$alert(`数据量${len}`);
  2603. });
  2604. }
  2605. },
  2606. created() {
  2607. }
  2608. };
  2609. var donateLayoutVue = {
  2610. template: `
  2611. <div>
  2612. <el-card shadow="hover">
  2613. <template #header>
  2614. <span>零钱赞助</span>
  2615. </template>
  2616. <span>1元不嫌少,10元不嫌多,感谢支持!</span>
  2617. <el-divider/>
  2618. <span>生活不易,作者叹息</span>
  2619. <el-divider/>
  2620. <span>用爱发电不容易,您的支持是我最大的更新动力</span>
  2621. </el-card>
  2622. <el-divider/>
  2623. <div class="el-vertical-center" @click="gotoAuthorBut">
  2624. <el-avatar size="large"
  2625. src="//i0.hdslb.com/bfs/face/87e9c69a15f7d2b68294be165073c8e07a541e28.jpg@128w_128h_1c_1s.webp"></el-avatar>
  2626. </div>
  2627. <div class="el-vertical-center">
  2628. <el-button round type="primary" @click="showDialogBut">打赏点猫粮</el-button>
  2629. </div>
  2630. <el-dialog
  2631. center
  2632. :title="dialogIni.title"
  2633. :visible.sync="dialogIni.show">
  2634. <div class="el-vertical-center">
  2635. <el-image v-for="item in list"
  2636. :src="item.src"
  2637. style="height: 300px"
  2638. :preview-src-list="dialogIni.srcList"/>
  2639. </div>
  2640. </el-dialog>
  2641. </div>`,
  2642. data() {
  2643. return {
  2644. list: [
  2645. {
  2646. name: "支付宝赞助",
  2647. alt: "支付宝支持",
  2648. src: "https://www.mikuchase.ltd/img/paymentCodeZFB.webp"
  2649. },
  2650. {name: "微信赞助", alt: "微信支持", src: "https://www.mikuchase.ltd/img/paymentCodeWX.webp"},
  2651. {name: "QQ赞助", alt: "QQ支持", src: "https://www.mikuchase.ltd/img/paymentCodeQQ.webp"},
  2652. ],
  2653. dialogIni: {
  2654. title: "打赏点猫粮",
  2655. show: false,
  2656. srcList: []
  2657. }
  2658. }
  2659. },
  2660. methods: {
  2661. showDialogBut() {
  2662. this.dialogIni.show = true;
  2663. },
  2664. gotoAuthorBut() {
  2665. gmUtil.openInTab(globalValue.b_url);
  2666. }
  2667. },
  2668. created() {
  2669. this.dialogIni.srcList = this.list.map(x => x.src);
  2670. }
  2671. };
  2672. const outputInformationFontColor$1 = localMKData.getOutputInformationFontColor();
  2673. const highlightInformationColor$1 = localMKData.getHighlightInformationColor();
  2674. var outputInformationVue = {
  2675. template: `
  2676. <div>
  2677. <el-button type="info" @click="clearInfoBut">清空消息</el-button>
  2678. <div v-for="item in outputInfoArr" v-html="item"></div>
  2679. </div>`,
  2680. data() {
  2681. return {
  2682. outputInfoArr: [],
  2683. }
  2684. },
  2685. methods: {
  2686. clearInfoBut() {
  2687. this.$confirm('是否清空信息', '提示', {
  2688. confirmButtonText: '确定',
  2689. cancelButtonText: '取消',
  2690. type: 'warning'
  2691. }).then(() => {
  2692. this.outputInfoArr = [];
  2693. this.$message('已清空信息');
  2694. });
  2695. }
  2696. },
  2697. created() {
  2698. eventEmitter.on('打印信息', (content) => {
  2699. const liEL = document.createElement("li");
  2700. liEL.innerHTML = content;
  2701. this.outputInfoArr.push(liEL.innerHTML);
  2702. });
  2703. eventEmitter.on('屏蔽视频信息', (type, matching, videoData) => {
  2704. const toTimeString = defUtil.toTimeString();
  2705. const {name, uid, title, videoUrl} = videoData;
  2706. const info = `<b style="color: ${outputInformationFontColor$1}; " gz_bezel>
  2707. ${toTimeString}-根据${type}-${matching ? `<b style="color: ${highlightInformationColor$1}">【${matching}】</b>` : ""}-屏蔽用户【${name}】uid=
  2708. <a href="https://space.bilibili.com/${uid}"
  2709. style="color: ${highlightInformationColor$1}"
  2710. target="_blank">【${uid}】</a>
  2711. 标题【<a href="${videoUrl}" target="_blank" style="color: ${highlightInformationColor$1}">${title}</a>】
  2712. </b>`;
  2713. this.outputInfoArr.push(info);
  2714. });
  2715. eventEmitter.on('屏蔽评论信息', (type, matching, commentData) => {
  2716. const toTimeString = defUtil.toTimeString();
  2717. const {name, uid, content} = commentData;
  2718. this.outputInfoArr.push(`<b style="color: ${outputInformationFontColor$1}; " gz_bezel>
  2719. ${toTimeString}-根据${type}-${matching ? `<b style="color: ${highlightInformationColor$1}">【${matching}】</b>` : ""}-屏蔽用户【${name}】uid=
  2720. <a href="https://space.bilibili.com/${uid}"
  2721. style="color: ${highlightInformationColor$1}"
  2722. target="_blank">【${uid}】</a>
  2723. 评论【${content}】
  2724. </b>`);
  2725. });
  2726. eventEmitter.on('正则匹配时异常', (errorData) => {
  2727. const {msg, e} = errorData;
  2728. this.outputInfoArr.push(msg);
  2729. console.error(msg);
  2730. throw new Error(e)
  2731. });
  2732. }
  2733. };
  2734. const look_content_dialog_vue = {
  2735. template: `
  2736. <div>
  2737. <el-dialog
  2738. :fullscreen="true"
  2739. title="提示"
  2740. :visible.sync="dialogVisible"
  2741. width="30%"
  2742. :before-close="handleClose">
  2743. <el-input autosize
  2744. type="textarea"
  2745. v-model="content"></el-input>
  2746. <span slot="footer" class="dialog-footer">
  2747. <el-button @click="dialogVisible = false">取 消</el-button>
  2748. <el-button type="primary" @click="dialogVisible = false">确 定</el-button>
  2749. </span>
  2750. </el-dialog>
  2751. </div>`,
  2752. data() {
  2753. return {
  2754. dialogVisible: false,
  2755. content: ''
  2756. }
  2757. },
  2758. methods: {
  2759. handleClose(done) {
  2760. this.$confirm('确认关闭?')
  2761. .then(_ => {
  2762. done();
  2763. })
  2764. .catch(_ => {
  2765. });
  2766. }
  2767. },
  2768. created() {
  2769. eventEmitter.on('展示内容对话框', (newContent) => {
  2770. this.content = newContent;
  2771. this.$message('已更新内容');
  2772. this.dialogVisible = true;
  2773. });
  2774. }
  2775. };
  2776. class ValueCache {
  2777. #mapCache = new Map();
  2778. set(key, value) {
  2779. this.#mapCache.set(key, value);
  2780. return value;
  2781. }
  2782. get(key, defaultValue = null) {
  2783. const newVar = this.#mapCache.get(key);
  2784. if (newVar) {
  2785. return newVar;
  2786. }
  2787. return defaultValue;
  2788. }
  2789. getAll() {
  2790. return this.#mapCache;
  2791. }
  2792. }
  2793. const valueCache = new ValueCache();
  2794. var video_zone = {
  2795. "动画": [
  2796. "MAD·AMV",
  2797. "MMD·3D",
  2798. "短片·手书",
  2799. "配音",
  2800. "手办·模玩",
  2801. "特摄",
  2802. "动漫杂谈"
  2803. ],
  2804. "番剧": [
  2805. "资讯",
  2806. "官方延伸",
  2807. "完结动画"
  2808. ],
  2809. "国创": [
  2810. "国产动画",
  2811. "国产原创相关",
  2812. "布袋戏",
  2813. "资讯"
  2814. ],
  2815. "音乐": [
  2816. "原创音乐",
  2817. "翻唱",
  2818. "VOCALOID·UTAU",
  2819. "演奏",
  2820. "MV",
  2821. "音乐现场",
  2822. "音乐综合",
  2823. "乐评盘点",
  2824. "音乐教学"
  2825. ],
  2826. "舞蹈": [
  2827. "宅舞",
  2828. "舞蹈综合",
  2829. "舞蹈教程",
  2830. "街舞",
  2831. "明星舞蹈",
  2832. "国风舞蹈"
  2833. ],
  2834. "游戏": [
  2835. "单机游戏",
  2836. "电子竞技",
  2837. "手机游戏",
  2838. "网络游戏",
  2839. "桌游棋牌",
  2840. "GMV",
  2841. "音游"
  2842. ],
  2843. "知识": [
  2844. "科学科普",
  2845. "社科·法律·心理(原社科人文、原趣味科普人文)",
  2846. "人文历史",
  2847. "财经商业",
  2848. "校园学习",
  2849. "职业职场",
  2850. "设计·创意",
  2851. "野生技术协会",
  2852. "演讲·公开课(已下线)",
  2853. "星海(已下线)"
  2854. ],
  2855. "科技": [
  2856. "数码(原手机平板)",
  2857. "软件应用",
  2858. "计算机技术",
  2859. "科工机械 (原工业·工程·机械)",
  2860. "极客DIY",
  2861. "电脑装机(已下线)",
  2862. "摄影摄像(已下线)"
  2863. ],
  2864. "运动": [
  2865. "篮球",
  2866. "足球",
  2867. "健身",
  2868. "竞技体育",
  2869. "运动文化"
  2870. ],
  2871. "汽车": [
  2872. "汽车知识科普",
  2873. "赛车",
  2874. "改装玩车",
  2875. "新能源车",
  2876. "房车",
  2877. "摩托车",
  2878. "购车攻略",
  2879. "汽车生活",
  2880. "汽车文化(已下线)",
  2881. "汽车极客(已下线)"
  2882. ],
  2883. "生活": [
  2884. "搞笑",
  2885. "出行",
  2886. "三农",
  2887. "家居房产",
  2888. "手工",
  2889. "绘画",
  2890. "日常",
  2891. "亲子",
  2892. "美食圈(重定向)",
  2893. "动物圈(重定向)",
  2894. "运动(重定向)",
  2895. "汽车(重定向)"
  2896. ],
  2897. "美食": [
  2898. "美食制作(原[生活]->[美食圈])",
  2899. "美食侦探",
  2900. "美食测评",
  2901. "田园美食"
  2902. ],
  2903. "动物圈": [
  2904. "喵星人",
  2905. "汪星人",
  2906. "动物二创",
  2907. "野生动物",
  2908. "小宠异宠"
  2909. ],
  2910. "鬼畜": [
  2911. "鬼畜调教",
  2912. "音MAD",
  2913. "人力VOCALOID",
  2914. "鬼畜剧场"
  2915. ],
  2916. "时尚": [
  2917. "美妆护肤",
  2918. "仿妆cos",
  2919. "穿搭",
  2920. "时尚潮流",
  2921. "健身(重定向)"
  2922. ],
  2923. "资讯": [
  2924. "热点",
  2925. "环球",
  2926. "社会"
  2927. ],
  2928. "广告": [],
  2929. "娱乐": [
  2930. "综艺",
  2931. "娱乐杂谈",
  2932. "粉丝创作",
  2933. "明星综合"
  2934. ],
  2935. "影视": [
  2936. "影视杂谈",
  2937. "影视剪辑",
  2938. "小剧场",
  2939. "预告·资讯"
  2940. ],
  2941. "纪录片": [
  2942. "人文·历史",
  2943. "科学·探索·自然",
  2944. "军事"
  2945. ],
  2946. "电影": [
  2947. "华语电影",
  2948. "欧美电影",
  2949. "日本电影"
  2950. ],
  2951. "电视剧": [
  2952. "国产剧"
  2953. ]
  2954. };
  2955. const findKey = (itemKey) => {
  2956. for (let key in video_zone) {
  2957. const arr = video_zone[key];
  2958. if (arr.some((i) => i === itemKey)) return key;
  2959. }
  2960. return null;
  2961. };
  2962. var video_zoneData = {findKey};
  2963. const fetchGetVideoInfo = async (bvId) => {
  2964. const response = await fetch(`https://api.bilibili.com/x/web-interface/view/detail?bvid=${bvId}`);
  2965. if (response.status !== 200) {
  2966. eventEmitter.send('请求获取视频信息失败', response, bvId);
  2967. return {state: false, msg: '网络请求失败', data: response}
  2968. }
  2969. const {code, data, message} = await response.json();
  2970. const defData = {state: false, msg: '默认失败信息'};
  2971. if (code !== 0) {
  2972. defData.msg = message;
  2973. return defData
  2974. }
  2975. defData.state = true;
  2976. defData.msg = '获取成功';
  2977. const {
  2978. View: {
  2979. staff,
  2980. tname,
  2981. tname_v2,
  2982. desc,
  2983. pubdate,
  2984. ctime,
  2985. copyright,
  2986. is_upower_exclusive,
  2987. duration,
  2988. dimension,
  2989. stat: {
  2990. view,
  2991. danmaku,
  2992. reply,
  2993. favorite,
  2994. coin,
  2995. share,
  2996. like
  2997. },
  2998. }, Card: {
  2999. follower,
  3000. like_num,
  3001. archive_count,
  3002. following,
  3003. article_count, card: {
  3004. mid: uid,
  3005. name,
  3006. sex, level_info: {
  3007. current_level
  3008. },
  3009. pendant,
  3010. nameplate,
  3011. Official,
  3012. official_verify,
  3013. vip,
  3014. sign,
  3015. is_senior_member
  3016. }
  3017. }, Tags,
  3018. participle
  3019. } = data;
  3020. const videoInfo = {
  3021. staff,
  3022. tname,
  3023. tname_v2,
  3024. desc,
  3025. pubdate,
  3026. ctime,
  3027. copyright,
  3028. is_upower_exclusive,
  3029. duration,
  3030. view,
  3031. danmaku,
  3032. reply,
  3033. favorite,
  3034. coin,
  3035. share,
  3036. participle,
  3037. dimension,
  3038. like
  3039. };
  3040. const userInfo = {
  3041. follower,
  3042. like_num,
  3043. archive_count,
  3044. article_count,
  3045. Official,
  3046. official_verify,
  3047. vip,
  3048. uid,
  3049. name,
  3050. sex,
  3051. current_level,
  3052. pendant,
  3053. nameplate,
  3054. following,
  3055. sign,
  3056. is_senior_member
  3057. };
  3058. const tags = [];
  3059. for (let tag of Tags) {
  3060. tags.push(tag['tag_name']);
  3061. }
  3062. tags.unshift(tname, tname_v2);
  3063. const findKey = video_zoneData.findKey(tname);
  3064. if (findKey) {
  3065. tags.unshift(findKey);
  3066. }
  3067. defData.data = {videoInfo, userInfo, tags};
  3068. return defData
  3069. };
  3070. var bFetch = {
  3071. fetchGetVideoInfo
  3072. };
  3073. const bAfterLoadingThePageOpenMainPanel = () => {
  3074. return gmUtil.getData('bAfterLoadingThePageOpenMainPanel', false)
  3075. };
  3076. const setBAfterLoadingThePageOpenMainPanel = (b) => {
  3077. gmUtil.setData('bAfterLoadingThePageOpenMainPanel', b === true);
  3078. };
  3079. const debugger_management_vue = {
  3080. template: `
  3081. <div>
  3082. <el-tabs tab-position="left">
  3083. <el-tab-pane label="基础">
  3084. <el-card shadow="never">
  3085. <template #header><span>测试</span></template>
  3086. <el-button @click="demoBut">测试网络请求</el-button>
  3087. <el-button @click="printValueCacheBut">打印valueCache值</el-button>
  3088. <el-button @click="printEventBut">打印事件中心值</el-button>
  3089. <el-button @click="printReqIntervalQueueVal">打印requestIntervalQueue值</el-button>
  3090. <el-divider/>
  3091. <el-switch v-model="bAfterLoadingThePageOpenMainPanel" active-text="加载完页面打开主面板"/>
  3092. </el-card>
  3093. </el-tab-pane>
  3094. </el-tabs>
  3095. </div>`,
  3096. data() {
  3097. return {
  3098. bAfterLoadingThePageOpenMainPanel: bAfterLoadingThePageOpenMainPanel()
  3099. }
  3100. },
  3101. methods: {
  3102. printValueCacheBut() {
  3103. console.log(valueCache.getAll());
  3104. },
  3105. demoBut() {
  3106. bFetch.fetchGetVideoInfo('BV152cWeXEhW').then(data => {
  3107. console.log(data);
  3108. debugger
  3109. });
  3110. },
  3111. printEventBut() {
  3112. console.log(eventEmitter.getEvents());
  3113. },
  3114. printReqIntervalQueueVal() {
  3115. console.log(requestIntervalQueue);
  3116. }
  3117. },
  3118. watch: {
  3119. bAfterLoadingThePageOpenMainPanel(b) {
  3120. setBAfterLoadingThePageOpenMainPanel(b);
  3121. }
  3122. }
  3123. };
  3124. const getUrlUID = (url) => {
  3125. let uid;
  3126. if (url.startsWith('http')) {
  3127. const parseUrl = defUtil.parseUrl(url);
  3128. uid = parseUrl.pathSegments[0]?.trim();
  3129. return parseInt(uid)
  3130. }
  3131. const isDoYouHaveAnyParameters = url.indexOf('?');
  3132. const lastIndexOf = url.lastIndexOf("/");
  3133. if (isDoYouHaveAnyParameters === -1) {
  3134. if (url.endsWith('/')) {
  3135. const nTheIndexOfTheLastSecondOccurrenceOfTheSlash = url.lastIndexOf('/', url.length - 2);
  3136. uid = url.substring(nTheIndexOfTheLastSecondOccurrenceOfTheSlash + 1, url.length - 1);
  3137. } else {
  3138. uid = url.substring(lastIndexOf + 1);
  3139. }
  3140. } else {
  3141. uid = url.substring(lastIndexOf + 1, isDoYouHaveAnyParameters);
  3142. }
  3143. return parseInt(uid);
  3144. };
  3145. const getUrlBV = (url) => {
  3146. let match = url.match(/video\/(.+)\//);
  3147. if (match === null) {
  3148. match = url.match(/video\/(.+)\?/);
  3149. }
  3150. if (match === null) {
  3151. match = url.match(/video\/(.+)/);
  3152. }
  3153. return match?.[1]?.trim() || null;
  3154. };
  3155. function findElementUntilFound(selector, config = {}) {
  3156. const defConfig = {
  3157. doc: document,
  3158. interval: 1000,
  3159. timeout: -1,
  3160. };
  3161. config = {...defConfig, ...config};
  3162. return new Promise((resolve, reject) => {
  3163. const i1 = setInterval(() => {
  3164. const element = config.doc.querySelector(selector);
  3165. if (element) {
  3166. resolve(element);
  3167. clearInterval(i1);
  3168. }
  3169. }, config.interval);
  3170. if (config.timeout > 0) {
  3171. setTimeout(() => {
  3172. clearInterval(i1);
  3173. reject(null); // 超时则返回 null
  3174. }, config.timeout);
  3175. }
  3176. });
  3177. }
  3178. const findElement = async (selector, config = {}) => {
  3179. try {
  3180. const defConfig = {
  3181. doc: document,
  3182. interval: 1000,
  3183. timeout: -1,
  3184. };
  3185. config = {...defConfig, ...config};
  3186. const el = await findElementUntilFound(selector, config);
  3187. if (config.timeout === -1) {
  3188. return el
  3189. }
  3190. return {state: true, data: el}
  3191. } catch (e) {
  3192. return {state: false, data: e}
  3193. }
  3194. };
  3195. const findElements = async (selector, config = {}) => {
  3196. const defConfig = {doc: document, interval: 1000, timeout: -1};
  3197. config = {...defConfig, ...config};
  3198. try {
  3199. const elList = await findElementsUntilFound(selector, config);
  3200. if (config.timeout === -1) {
  3201. return elList
  3202. }
  3203. return {state: true, data: elList}
  3204. } catch (e) {
  3205. return {state: false, data: e}
  3206. }
  3207. };
  3208. function findElementsUntilFound(selector, config = {}) {
  3209. const defConfig = {doc: document, interval: 1000, timeout: -1};
  3210. config = {...defConfig, ...config};
  3211. return new Promise((resolve, reject) => {
  3212. const i1 = setInterval(() => {
  3213. const elements = config.doc.querySelectorAll(selector);
  3214. if (elements.length > 0) {
  3215. resolve(Array.from(elements));
  3216. clearInterval(i1);
  3217. }
  3218. }, config.interval);
  3219. if (config.timeout > 0) {
  3220. setTimeout(() => {
  3221. clearInterval(i1);
  3222. reject(null); // 超时则返回 null
  3223. }, config.timeout);
  3224. }
  3225. });
  3226. }
  3227. const findElementsAndBindEvents = (css, callback, config = {}) => {
  3228. config = {
  3229. ...{
  3230. interval: 2000,
  3231. timeOut: 3000
  3232. }, config
  3233. };
  3234. setTimeout(() => {
  3235. findElementUntilFound(css, {interval: config.interval}).then((el) => {
  3236. el.addEventListener("click", () => {
  3237. callback();
  3238. });
  3239. });
  3240. }, config.timeOut);
  3241. };
  3242. var elUtil = {
  3243. getUrlUID,
  3244. getUrlBV,
  3245. findElement,
  3246. findElements,
  3247. findElementUntilFound,
  3248. findElementsUntilFound,
  3249. findElementsAndBindEvents
  3250. };
  3251. const setTopInputPlaceholder = async () => {
  3252. if (localMKData.isCompatible_BEWLY_BEWLY()) {
  3253. return
  3254. }
  3255. const placeholder = valueCache.get('topInputPlaceholder');
  3256. if (placeholder === null) {
  3257. return
  3258. }
  3259. const targetInput = await elUtil.findElement('.nav-search-input');
  3260. targetInput.placeholder = placeholder;
  3261. eventEmitter.send('el-notification', {
  3262. title: "tip",
  3263. message: '已恢复顶部搜索框提示内容',
  3264. position: 'bottom-right',
  3265. });
  3266. };
  3267. const processTopInputContent = async () => {
  3268. if (localMKData.isCompatible_BEWLY_BEWLY()) {
  3269. return
  3270. }
  3271. if (!gmUtil.getData('isClearTopInputTipContent', false)) {
  3272. return;
  3273. }
  3274. const targetInput = await elUtil.findElement('.nav-search-input');
  3275. if (targetInput.placeholder === '') {
  3276. await defUtil.wait(1500);
  3277. await processTopInputContent();
  3278. return
  3279. }
  3280. valueCache.set('topInputPlaceholder', targetInput.placeholder);
  3281. targetInput.placeholder = '';
  3282. eventEmitter.send('el-msg', '清空了搜索框提示内容');
  3283. };
  3284. eventEmitter.on('执行清空顶部搜索框提示内容', () => {
  3285. processTopInputContent();
  3286. });
  3287. var topInput = {processTopInputContent, setTopInputPlaceholder};
  3288. const page_processing_vue = {
  3289. template: `
  3290. <div>
  3291. <el-card>
  3292. <template #header>
  3293. <span>搜索页</span>
  3294. </template>
  3295. <el-switch v-model="isRemoveSearchBottomContent"
  3296. active-text="屏蔽底部额外内容"/>
  3297. </el-card>
  3298. <el-card>
  3299. <template #header>
  3300. <span>播放页</span>
  3301. </template>
  3302. <el-switch v-model="isDelPlayerPageAd" active-text="屏蔽页面元素广告"/>
  3303. <el-switch v-model="isDelPlayerPageRightGameAd" active-text="屏蔽右侧游戏推荐"/>
  3304. <el-tooltip content="移除整个推荐列表,状态刷新生效">
  3305. <el-switch v-model="isDelPlayerPageRightVideoList" active-text="移除右侧推荐列表"/>
  3306. </el-tooltip>
  3307. <el-tooltip content="状态刷新生效">
  3308. <el-switch v-model="isDelBottomComment" active-text="移除评论区"/>
  3309. </el-tooltip>
  3310. </el-card>
  3311. <el-card>
  3312. <template #header>
  3313. <span>顶部搜索框</span>
  3314. </template>
  3315. <el-switch v-model="isClearTopInputTipContent" active-text="清空内容"/>
  3316. </el-card>
  3317. </div>`,
  3318. data() {
  3319. return {
  3320. isRemoveSearchBottomContent: gmUtil.getData('isRemoveSearchBottomContent', false),
  3321. isDelPlayerPageAd: gmUtil.getData('isDelPlayerPageAd', false),
  3322. isDelPlayerPageRightGameAd: gmUtil.getData('isDelPlayerPageRightGameAd', false),
  3323. isDelPlayerPageRightVideoList: localMKData.isDelPlayerPageRightVideoList(),
  3324. isDelBottomComment: localMKData.isDelBottomComment(),
  3325. isClearTopInputTipContent: gmUtil.getData('isClearTopInputTipContent', false),
  3326. }
  3327. },
  3328. methods: {},
  3329. watch: {
  3330. isRemoveSearchBottomContent(b) {
  3331. gmUtil.setData('isRemoveSearchBottomContent', b);
  3332. },
  3333. isDelPlayerPageAd(b) {
  3334. gmUtil.setData('isDelPlayerPageAd', b);
  3335. },
  3336. isDelPlayerPageRightGameAd(b) {
  3337. gmUtil.setData('isDelPlayerPageRightGameAd', b);
  3338. },
  3339. isDelPlayerPageRightVideoList(b) {
  3340. gmUtil.setData('isDelPlayerPageRightVideoList', b);
  3341. },
  3342. isDelBottomComment(b) {
  3343. gmUtil.setData('isDelBottomComment', b);
  3344. },
  3345. isClearTopInputTipContent(b) {
  3346. gmUtil.setData('isClearTopInputTipContent', b);
  3347. if (b) {
  3348. eventEmitter.send('执行清空顶部搜索框提示内容');
  3349. return
  3350. }
  3351. topInput.setTopInputPlaceholder();
  3352. }
  3353. }
  3354. };
  3355. const about_and_feedback_vue = {
  3356. template: `
  3357. <div>
  3358. <el-card>
  3359. <template #header>
  3360. <span>作者b站</span>
  3361. </template>
  3362. <el-link target="_blank" :href="b_url" type="primary">b站传送门</el-link>
  3363. </el-card>
  3364. <el-card>
  3365. <template #header>
  3366. <span>交流群</span>
  3367. </template>
  3368. <el-link
  3369. :href='group_url' target="_blank" type="primary">====》Q群传送门《====
  3370. </el-link>
  3371. <el-tooltip content="点击查看群二维码">
  3372. <el-tag @click="lookImgBut">876295632</el-tag>
  3373. </el-tooltip>
  3374. </el-card>
  3375. <el-card>
  3376. <template #header>
  3377. <span>发布、更新、反馈地址</span>
  3378. </template>
  3379. <el-row>
  3380. <el-col :span="12">
  3381. <el-card>
  3382. <span>greasyfork</span>
  3383. <el-link target="_blank" type="primary" href="https://gf.qytechs.cn/scripts/461382/">===》传送门《===
  3384. </el-link>
  3385. </el-card>
  3386. </el-col>
  3387. <el-col :span="12">
  3388. <el-card>
  3389. <span>脚本猫</span>
  3390. <el-link target="_blank" type="primary" :href="scriptCat_js_url">
  3391. ===》传送门《===
  3392. </el-link>
  3393. </el-card>
  3394. </el-col>
  3395. </el-row>
  3396. </el-card>
  3397. <el-card>
  3398. <template #header>
  3399. <span>开源地址</span>
  3400. </template>
  3401. <el-row>
  3402. <el-col :span="12">
  3403. <el-card>
  3404. <span>gitee</span>
  3405. <el-link target="_blank" type="primary" href="https://gitee.com/hangexi/BiBiBSPUserVideoMonkeyScript"
  3406. >https://gitee.com/hangexi/BiBiBSPUserVideoMonkeyScript
  3407. </el-link>
  3408. </el-card>
  3409. </el-col>
  3410. <el-col :span="12">
  3411. <el-card>
  3412. <span>github</span>
  3413. <el-link target="_blank" type="primary" href="https://github.com/hgztask/BiBiBSPUserVideoMonkeyScript"
  3414. >https://github.com/hgztask/BiBiBSPUserVideoMonkeyScript
  3415. </el-link>
  3416. </el-card>
  3417. </el-col>
  3418. </el-row>
  3419. </el-card>
  3420. <el-card>
  3421. <template #header>常见问题和使用文档</template>
  3422. <el-row>
  3423. <el-col :span="12">
  3424. 常见问题
  3425. <el-link target="_blank" type="primary" :href="common_question_url">==>传送门<==
  3426. </el-link>
  3427. </el-col>
  3428. <el-col :span="12">
  3429. 使用文档
  3430. <el-link target="_blank" type="primary"
  3431. href="https://docs.qq.com/doc/DSmJqSkhFaktBeUdk?u=1a1ff7b128d64f188a8bfb71b5acb28c">==>传送门<==
  3432. </el-link>
  3433. </el-col>
  3434. <div>
  3435. 更新日志
  3436. <el-link target="_blank" type="primary" :href="update_log_url">==>传送门<==</el-link>
  3437. </div>
  3438. </el-row>
  3439. </el-card>
  3440. </div>`,
  3441. data() {
  3442. return {
  3443. group_url: globalValue.group_url,
  3444. scriptCat_js_url: globalValue.scriptCat_js_url,
  3445. b_url: globalValue.b_url,
  3446. common_question_url: globalValue.common_question_url,
  3447. update_log_url: globalValue.update_log_url
  3448. }
  3449. },
  3450. methods: {
  3451. lookImgBut() {
  3452. eventEmitter.send('显示图片对话框', {image: "https://www.mikuchase.ltd/img/qq_group_876295632.webp"});
  3453. }
  3454. },
  3455. created() {
  3456. }
  3457. };
  3458. const show_img_dialog_vue = {
  3459. template: `
  3460. <div>
  3461. <el-dialog
  3462. center
  3463. :title="title"
  3464. :modal="isModal"
  3465. :visible.sync="show">
  3466. <div class="el-vertical-center">
  3467. <el-image
  3468. :src="imgSrc" :preview-src-list="imgList"/>
  3469. </div>
  3470. </el-dialog>
  3471. </div>`,
  3472. data() {
  3473. return {
  3474. show: false,
  3475. title: "图片查看",
  3476. imgList: [],
  3477. imgSrc: '',
  3478. isModal: true
  3479. }
  3480. },
  3481. created() {
  3482. eventEmitter.on('显示图片对话框', ({image, title, images, isModal}) => {
  3483. this.imgSrc = image;
  3484. if (title) {
  3485. this.title = title;
  3486. }
  3487. if (images) {
  3488. this.imgList = images;
  3489. } else {
  3490. this.imgList = [image];
  3491. }
  3492. if (isModal) {
  3493. this.isModal = isModal;
  3494. }
  3495. this.show = true;
  3496. });
  3497. }
  3498. };
  3499. const sheet_dialog_vue = {
  3500. props: {
  3501. show: {
  3502. type: Boolean,
  3503. default: false
  3504. },
  3505. list: {
  3506. type: Array,
  3507. default: () => []
  3508. },
  3509. closeOnClickModal: {
  3510. type: Boolean,
  3511. default: true
  3512. },
  3513. title: {
  3514. type: String,
  3515. default: '选项'
  3516. },
  3517. clickItemClose: {
  3518. type: Boolean,
  3519. default: false
  3520. }
  3521. },
  3522. template: `
  3523. <div>
  3524. <el-dialog :visible="show" :title="title"
  3525. width="30%" center
  3526. :close-on-click-modal="closeOnClickModal"
  3527. @close="$emit('close')">
  3528. <div>
  3529. <el-row>
  3530. <el-col v-for="item in list" :key="item.label">
  3531. <el-button style="width: 100%" @click="handleClick(item)">项目{{ item.label }}</el-button>
  3532. </el-col>
  3533. </el-row>
  3534. </div>
  3535. </el-dialog>
  3536. </div>`,
  3537. data() {
  3538. return {
  3539. dialogShow: true,
  3540. list: []
  3541. }
  3542. },
  3543. methods: {
  3544. handleClick(item) {
  3545. if (this.clickItemClose) {
  3546. return;
  3547. }
  3548. this.$emit('options-click', item);
  3549. }
  3550. }
  3551. };
  3552. const mainLayoutEl = document.createElement('div');
  3553. if (document.head.querySelector('#element-ui-css') === null) {
  3554. const linkElement = document.createElement('link');
  3555. linkElement.rel = 'stylesheet';
  3556. linkElement.href = 'https://unpkg.com/element-ui/lib/theme-chalk/index.css';
  3557. linkElement.id = 'element-ui-css';
  3558. document.head.appendChild(linkElement);
  3559. console.log('挂载element-ui样式成功');
  3560. }
  3561. window.addEventListener('load', () => {
  3562. document.body.appendChild(mainLayoutEl);
  3563. new Vue({
  3564. el: mainLayoutEl,
  3565. template: `
  3566. <div>
  3567. <el-drawer style="position: fixed"
  3568. :visible.sync="drawer"
  3569. direction="ltr"
  3570. size="100%"
  3571. :modal="false"
  3572. :with-header="false">
  3573. <el-tabs type="border-card" v-model="tabsActiveName"
  3574. @tab-click="tabClick">
  3575. <el-tab-pane label="面板设置" name="面板设置" lazy>
  3576. <panel_settings_vue/>
  3577. </el-tab-pane>
  3578. <el-tab-pane label="规则管理" name="规则管理" lazy>
  3579. <rule_management_vue/>
  3580. </el-tab-pane>
  3581. <el-tab-pane label="兼容设置" name="兼容设置" lazy>
  3582. <compatible_setting_vue/>
  3583. </el-tab-pane>
  3584. <el-tab-pane label="缓存管理" name="缓存管理" lazy>
  3585. <cache_management_vue/>
  3586. </el-tab-pane>
  3587. <el-tab-pane label="页面处理" name="页面处理" lazy>
  3588. <page_processing_vue/>
  3589. </el-tab-pane>
  3590. <el-tab-pane label="输出信息" name="输出信息" lazy>
  3591. <output_information_vue/>
  3592. </el-tab-pane>
  3593. <el-tab-pane label="支持打赏" name="支持打赏" lazy>
  3594. <donate_layout_vue/>
  3595. </el-tab-pane>
  3596. <el-tab-pane label="关于和问题反馈" name="关于和问题反馈" lazy>
  3597. <about_and_feedback_vue/>
  3598. </el-tab-pane>
  3599. <el-tab-pane label="调试测试" name="调试测试" lazy v-if="debug_panel_show">
  3600. <div v-show="debug_panel_show">
  3601. <debugger_management_vue/>
  3602. </div>
  3603. </el-tab-pane>
  3604. </el-tabs>
  3605. </el-drawer>
  3606. <look_content_dialog_vue/>
  3607. <show_img_dialog_vue/>
  3608. <sheet_dialog_vue :show="sheet_dialog.show" :list="sheet_dialog.list" :title="sheet_dialog.title"
  3609. @close="handleClose"
  3610. :close-on-click-modal="sheet_dialog.closeOnClickModal"
  3611. @options-click="handleOptionsClick"/>
  3612. </div>`,
  3613. components: {
  3614. output_information_vue: outputInformationVue,
  3615. donate_layout_vue: donateLayoutVue,
  3616. rule_management_vue: ruleManagementVue,
  3617. cache_management_vue,
  3618. panel_settings_vue,
  3619. compatible_setting_vue,
  3620. look_content_dialog_vue,
  3621. debugger_management_vue,
  3622. page_processing_vue,
  3623. about_and_feedback_vue,
  3624. show_img_dialog_vue,
  3625. sheet_dialog_vue
  3626. },
  3627. data() {
  3628. return {
  3629. drawer: false,
  3630. tabsActiveName: '规则管理',
  3631. debug_panel_show: gmUtil.getData('open-dev', false),
  3632. sheet_dialog: {
  3633. show: false,
  3634. list: [],
  3635. title: "",
  3636. optionsClick: null,
  3637. closeOnClickModal: true
  3638. }
  3639. }
  3640. },
  3641. methods: {
  3642. tabClick(tab) {
  3643. gmUtil.setData('mainTabsActiveName', tab.name);
  3644. },
  3645. handleClose() {
  3646. this.sheet_dialog.show = false;
  3647. },
  3648. handleOptionsClick(item) {
  3649. let tempBool;
  3650. const temp = this.sheet_dialog.optionsClick(item);
  3651. if (temp === undefined) {
  3652. tempBool = false;
  3653. } else {
  3654. tempBool = temp;
  3655. }
  3656. this.sheet_dialog.show = tempBool === true;
  3657. }
  3658. },
  3659. created() {
  3660. eventEmitter.on('主面板开关', () => {
  3661. const tempBool = this.drawer;
  3662. this.drawer = !tempBool;
  3663. });
  3664. eventEmitter.on('el-notification', (...options) => {
  3665. this.$notify(...options);
  3666. });
  3667. eventEmitter.on('el-msg', (...options) => {
  3668. this.$message(...options);
  3669. });
  3670. eventEmitter.on('el-alert', (...options) => {
  3671. this.$alert(...options);
  3672. });
  3673. eventEmitter.handler('el-confirm', (...options) => {
  3674. return this.$confirm(...options);
  3675. });
  3676. this.tabsActiveName = gmUtil.getData('mainTabsActiveName', '规则管理');
  3677. eventEmitter.on('debugger-dev-show', (bool) => {
  3678. debugger
  3679. this.debug_panel_show = bool;
  3680. if (bool) {
  3681. this.$alert('已开启测试调试面板', 'tip');
  3682. } else {
  3683. this.$alert('已关闭测试调试面板', 'tip');
  3684. }
  3685. });
  3686. eventEmitter.on('sheet-dialog', ({list, optionsClick, title = '选项', closeOnClickModal = false}) => {
  3687. this.sheet_dialog.show = true;
  3688. this.sheet_dialog.list = list;
  3689. this.sheet_dialog.title = title;
  3690. this.sheet_dialog.optionsClick = optionsClick;
  3691. this.sheet_dialog.closeOnClickModal = closeOnClickModal;
  3692. });
  3693. eventEmitter.handler('el-prompt', (...options) => {
  3694. return this.$prompt(...options)
  3695. });
  3696. eventEmitter.on('请求获取视频信息失败', (response, bvId) => {
  3697. requestIntervalQueue.clearPendingQueue();
  3698. eventEmitter.send('更新根据bv号网络请求获取视频信息状态', true);
  3699. this.$alert(`请求获取视频信息失败,状态码:${response.status},bv号:${bvId}
  3700. \n。已自动禁用根据bv号网络请求获取视频信息状态
  3701. \n如需关闭,请在面板条件限制里手动关闭。`, '错误', {
  3702. confirmButtonText: '确定',
  3703. type: 'error'
  3704. });
  3705. });
  3706. if (bAfterLoadingThePageOpenMainPanel()) {
  3707. this.drawer = true;
  3708. }
  3709. }
  3710. });
  3711. });
  3712. var defCss = `
  3713. .el-vertical-center {
  3714. display: flex;
  3715. justify-content: center;
  3716. }
  3717. .el-horizontal-center {
  3718. display: flex;
  3719. align-items: center;
  3720. }
  3721. .el-horizontal-right {
  3722. display: flex;
  3723. justify-content: flex-end;
  3724. }
  3725. .el-horizontal-left {
  3726. display: flex;
  3727. justify-content: flex-start;
  3728. }
  3729. `;
  3730. gmUtil.addStyle(`
  3731. [gz_bezel]{
  3732. border:1px solid ${localMKData.getBorderColor()}
  3733. }
  3734. `);
  3735. gmUtil.addStyle(defCss);
  3736. const exactMatch = (ruleList, value) => {
  3737. if (ruleList === null || ruleList === undefined) return false;
  3738. if (!Array.isArray(ruleList)) return false
  3739. return ruleList.some(item => item === value);
  3740. };
  3741. const bFuzzyAndRegularMatchingWordsToLowercase = localMKData.bFuzzyAndRegularMatchingWordsToLowercase();
  3742. const regexMatch = (ruleList, value) => {
  3743. if (ruleList === null || ruleList === undefined) return null;
  3744. if (!Array.isArray(ruleList)) return null
  3745. if (bFuzzyAndRegularMatchingWordsToLowercase) {
  3746. value = value.toLowerCase();
  3747. }
  3748. value = value.split(/[\t\r\f\n\s]*/g).join("");
  3749. const find = ruleList.find(item => {
  3750. try {
  3751. return value.search(item) !== -1;
  3752. } catch (e) {
  3753. const msg = `正则匹配失败,请检查规则列表中的正则表达式是否正确,错误信息:${e.message}`;
  3754. eventEmitter.send('正则匹配时异常', {e, msg});
  3755. return false;
  3756. }
  3757. });
  3758. return find === undefined ? null : find;
  3759. };
  3760. const fuzzyMatch = (ruleList, value) => {
  3761. if (ruleList === null || ruleList === undefined || value === null) return null;
  3762. if (!Array.isArray(ruleList)) return null
  3763. const find = ruleList.find(item => value.toLowerCase().includes(item));
  3764. return find === undefined ? null : find;
  3765. };
  3766. var ruleMatchingUtil = {
  3767. exactMatch,
  3768. regexMatch,
  3769. fuzzyMatch
  3770. };
  3771. const outputInformationFontColor = localMKData.getOutputInformationFontColor();
  3772. const highlightInformationColor = localMKData.getHighlightInformationColor();
  3773. const getLiveRoomCommentInfoHtml = (type, matching, commentData) => {
  3774. const toTimeString = defUtil.toTimeString();
  3775. const {name, uid, content} = commentData;
  3776. return `<b style="color: ${outputInformationFontColor}; " gz_bezel>
  3777. ${toTimeString}-根据${type}-${matching ? `<b style="color: ${highlightInformationColor}">【${matching}】</b>` : ""}-屏蔽用户【${name}】uid=
  3778. <a href="https://space.bilibili.com/${uid}"
  3779. style="color: ${highlightInformationColor}"
  3780. target="_blank">【${uid}】</a>
  3781. 直播评论【${content}】
  3782. </b>`
  3783. };
  3784. const getDynamicContentInfoHtml = (type, matching, dynamicData) => {
  3785. const toTimeString = defUtil.toTimeString();
  3786. const {name, uid, content} = dynamicData;
  3787. return `<b style="color: ${outputInformationFontColor}; " gz_bezel>
  3788. ${toTimeString}-根据${type}-${matching ? `<b style="color: ${highlightInformationColor}">【${matching}】</b>` : ""}-屏蔽用户【${name}】uid=
  3789. <a href="https://space.bilibili.com/${uid}"
  3790. style="color: ${highlightInformationColor}"
  3791. target="_blank">【${uid}】</a>
  3792. 动态【${content}】
  3793. </b>`
  3794. };
  3795. const getLiveRoomInfoHtml = (type, matching, liveRoomData) => {
  3796. const toTimeString = defUtil.toTimeString();
  3797. const {name = null, uid = -1, title, liveUrl} = liveRoomData;
  3798. return `<b style="color: ${outputInformationFontColor};" gz_bezel>
  3799. ${toTimeString}-根据${type}${matching ? `<b style="color: ${highlightInformationColor}">【${matching}】</b>` : ""}-屏蔽用户【${name === null ? '' : name}】${uid === -1 ? "" : `uid=
  3800. <a href="https://space.bilibili.com/${uid}"
  3801. style="color: ${highlightInformationColor}"
  3802. target="_blank">【${uid}】</a>`}
  3803. 直播间标题【<a href="${liveUrl}" target="_blank" style="color: ${highlightInformationColor}">${title}</a>】
  3804. </b>`
  3805. };
  3806. var output_informationTab = {
  3807. getLiveRoomCommentInfoHtml,
  3808. getDynamicContentInfoHtml,
  3809. getLiveRoomInfoHtml
  3810. };
  3811. class VideoInfoCache {
  3812. #caches = [];
  3813. getCaches() {
  3814. return this.#caches;
  3815. }
  3816. getCount() {
  3817. return this.#caches.length;
  3818. }
  3819. addData(data) {
  3820. this.#caches.push(data);
  3821. }
  3822. is(bv) {
  3823. return this.#caches.some(item => item.bv === bv);
  3824. }
  3825. find(bv) {
  3826. const find = this.#caches.find(item => item.bv === bv);
  3827. if (find) {
  3828. return find
  3829. }
  3830. return null
  3831. }
  3832. async update() {
  3833. this.#caches = await bvDexie.getVideoInfo();
  3834. return this.getCaches();
  3835. }
  3836. }
  3837. const videoInfoCache = new VideoInfoCache();
  3838. class ElEventEmitter {
  3839. #elEvents = new Map()
  3840. addEvent(el, eventName, callback, repeated = false) {
  3841. const elEvents = this.#elEvents;
  3842. if (!elEvents.has(el)) {
  3843. elEvents.set(el, {events: [], attrs: []});
  3844. }
  3845. const {events, attrs} = elEvents.get(el);
  3846. if (!repeated) {
  3847. if (attrs.includes(eventName)) {
  3848. return
  3849. }
  3850. }
  3851. attrs.push(eventName);
  3852. events.push({eventName, callback});
  3853. el.setAttribute(`gz-event`, JSON.stringify(attrs));
  3854. el.addEventListener(eventName, callback);
  3855. }
  3856. hasEventName(el, eventName) {
  3857. const elEvents = this.#elEvents;
  3858. if (elEvents.has(el)) {
  3859. return true
  3860. }
  3861. const {attrs} = elEvents.get(el);
  3862. return attrs.includes(eventName)
  3863. }
  3864. }
  3865. const elEventEmitter = new ElEventEmitter();
  3866. const returnTempVal = {state: false};
  3867. const addBlockButton$1 = (data, tagCss = '', position = []) => {
  3868. const {insertionPositionEl, explicitSubjectEl, css} = data.data;
  3869. if (tagCss !== '') {
  3870. if (insertionPositionEl.querySelector("." + tagCss)) return;
  3871. }
  3872. const buttonEL = document.createElement("button");
  3873. buttonEL.setAttribute("gz_type", "");
  3874. if (tagCss !== '') {
  3875. buttonEL.className = tagCss;
  3876. }
  3877. buttonEL.textContent = "屏蔽";
  3878. if (position.length !== 0) {
  3879. buttonEL.style.position = "absolute";
  3880. }
  3881. if (position.includes("right")) {
  3882. buttonEL.style.right = "0";
  3883. }
  3884. if (position.includes("bottom")) {
  3885. buttonEL.style.bottom = "0";
  3886. }
  3887. if (css !== undefined) {
  3888. for (let key of Object.keys(css)) {
  3889. buttonEL.style[key] = css[key];
  3890. }
  3891. }
  3892. if (explicitSubjectEl) {
  3893. buttonEL.style.display = "none";
  3894. elEventEmitter.addEvent(explicitSubjectEl, "mouseout", () => buttonEL.style.display = "none");
  3895. elEventEmitter.addEvent(explicitSubjectEl, "mouseover", () => buttonEL.style.display = "");
  3896. }
  3897. insertionPositionEl.appendChild(buttonEL);
  3898. buttonEL.addEventListener("click", (event) => {
  3899. event.stopImmediatePropagation(); // 阻止事件冒泡和同一元素上的其他事件处理器
  3900. event.preventDefault(); // 阻止默认行为
  3901. const {uid, name} = data.data;
  3902. eventEmitter.send('sheet-dialog', {
  3903. title: "屏蔽选项",
  3904. list: [
  3905. {
  3906. label: `uid精确屏蔽-用户uid=${uid}-name=${name}`,
  3907. value: "uid"
  3908. }, {
  3909. label: `用户名精确屏蔽(不推荐)-用户name=${name}`,
  3910. value: 'name'
  3911. }
  3912. ],
  3913. optionsClick: (item) => {
  3914. const {value} = item;
  3915. if (value === 'uid') {
  3916. if (uid === -1) {
  3917. eventEmitter.send('el-msg', "该页面数据不存在uid字段");
  3918. return;
  3919. }
  3920. const {status, res} = ruleUtil.addRulePreciseUid(uid, false);
  3921. if (status) {
  3922. data.maskingFunc();
  3923. }
  3924. eventEmitter.send('el-alert', res);
  3925. return;
  3926. }
  3927. if (!name) {
  3928. eventEmitter.send('el-alert', "该页面数据不存在name字段" + name);
  3929. return;
  3930. }
  3931. eventEmitter.invoke('el-confirm', '不推荐用户使用精确用户名来屏蔽,确定继续吗?').then(() => {
  3932. ruleUtil.addRulePreciseName(name);
  3933. });
  3934. }
  3935. });
  3936. });
  3937. };
  3938. eventEmitter.on('视频添加屏蔽按钮', (data) => {
  3939. addBlockButton$1(data, "gz_shielding_button", ["right"]);
  3940. });
  3941. eventEmitter.on('视频添加屏蔽按钮-BewlyBewly', (data) => {
  3942. addBlockButton$1(data, "gz_shielding_button", ['right', 'bottom']);
  3943. });
  3944. eventEmitter.on('添加热门视频屏蔽按钮', (data) => {
  3945. addBlockButton$1(data, "gz_shielding_button", ["right", "bottom"]);
  3946. });
  3947. const addTopicDetailVideoBlockButton = (data) => {
  3948. addBlockButton$1(data, "gz_shielding_button");
  3949. };
  3950. const addTopicDetailContentsBlockButton = (data) => {
  3951. const position = data.data.position;
  3952. const loop = position !== undefined;
  3953. addBlockButton$1(data, "gz_shielding_topic_detail_button", loop ? position : []);
  3954. };
  3955. const addLiveContentBlockButton = (commentsData) => {
  3956. addBlockButton$1(commentsData, "gz_shielding_live_danmaku_button");
  3957. };
  3958. const blockUserUid = (uid) => {
  3959. if (ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPreciseUidArr(), uid)) {
  3960. return {state: true, type: "精确uid"};
  3961. }
  3962. return returnTempVal;
  3963. };
  3964. const checkWhiteUserUid = (uid) => {
  3965. return ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPreciseUidWhiteArr(), uid);
  3966. };
  3967. const shieldingVideo = (videoData) => {
  3968. const {
  3969. title, uid = -1,
  3970. name, nDuration = -1,
  3971. nBulletChat = -1, nPlayCount = -1
  3972. } = videoData;
  3973. if (checkWhiteUserUid(uid)) {
  3974. return returnTempVal;
  3975. }
  3976. let returnVal = blockUserUid(uid);
  3977. if (returnVal.state) {
  3978. return returnVal;
  3979. }
  3980. let matching = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getTitleArr(), title);
  3981. if (matching !== null) {
  3982. return {state: true, type: "模糊标题", matching};
  3983. }
  3984. matching = ruleMatchingUtil.regexMatch(ruleKeyListData$1.getTitleCanonicalArr(), title);
  3985. if (matching !== null) {
  3986. return {state: true, type: "正则标题", matching};
  3987. }
  3988. if (name) {
  3989. returnVal = blockUserName(name);
  3990. if (returnVal.state) {
  3991. return returnVal;
  3992. }
  3993. }
  3994. if (nDuration !== -1) {
  3995. const min = gmUtil.getData('nMinimumDuration', -1);
  3996. if (min > nDuration && min !== -1) {
  3997. return {state: true, type: '最小时长', matching: min}
  3998. }
  3999. const max = gmUtil.getData('nMaximumDuration', -1);
  4000. if (max < nDuration && max !== -1) {
  4001. return {state: true, type: '最大时长', matching: max}
  4002. }
  4003. }
  4004. if (nBulletChat !== -1) {
  4005. const min = gmUtil.getData('nMinimumBarrage', -1);
  4006. if (min > nBulletChat && min !== -1) {
  4007. return {state: true, type: '最小弹幕数', matching: min}
  4008. }
  4009. const max = gmUtil.getData('nMaximumBarrage', -1);
  4010. if (max < nBulletChat && max !== -1) {
  4011. return {state: true, type: '最大弹幕数', matching: max}
  4012. }
  4013. }
  4014. if (nPlayCount !== -1) {
  4015. const min = gmUtil.getData('nMinimumPlay', -1);
  4016. if (min > nPlayCount && min !== -1) {
  4017. return {state: true, type: '最小播放量', matching: min}
  4018. }
  4019. const max = gmUtil.getData('nMaximumPlayback', -1);
  4020. if (max < nPlayCount && max !== -1) {
  4021. return {state: true, type: '最大播放量', matching: max}
  4022. }
  4023. }
  4024. return returnTempVal;
  4025. };
  4026. const blockExactAndFuzzyMatching = (val, config) => {
  4027. if (config.exactKey) {
  4028. if (ruleMatchingUtil.exactMatch(gmUtil.getData(config.exactKey, []), val)) {
  4029. return {state: true, type: config.exactTypeName, matching: val}
  4030. }
  4031. }
  4032. let matching;
  4033. if (config.fuzzyKey) {
  4034. matching = ruleMatchingUtil.fuzzyMatch(gmUtil.getData(config.fuzzyKey, []), val);
  4035. if (matching) {
  4036. return {state: true, type: config.fuzzyTypeName, matching}
  4037. }
  4038. }
  4039. if (config.regexKey) {
  4040. matching = ruleMatchingUtil.regexMatch(gmUtil.getData(config.regexKey, []), val);
  4041. if (matching) {
  4042. return {state: true, type: config.regexTypeName, matching}
  4043. }
  4044. }
  4045. return returnTempVal
  4046. };
  4047. const blockAvatarPendant = (name) => {
  4048. return blockExactAndFuzzyMatching(name, {
  4049. exactKey: 'precise_avatarPendantName',
  4050. exactTypeName: '精确头像挂件名', fuzzyKey: 'avatarPendantName', fuzzyTypeName: '模糊头像挂件名'
  4051. })
  4052. };
  4053. const blockSignature = (signature) => {
  4054. return blockExactAndFuzzyMatching(signature, {
  4055. fuzzyKey: 'signature', fuzzyTypeName: '模糊用户签名', regexKey: 'signatureCanonical', regexTypeName: '正则用户签名'
  4056. })
  4057. };
  4058. const blockVideoDesc = (desc) => {
  4059. return blockExactAndFuzzyMatching(desc, {
  4060. fuzzyKey: 'videoDesc', fuzzyTypeName: '视频简介(模糊匹配)'
  4061. , regexKey: 'videoDescCanonical', regexTypeName: '视频简介(正则匹配)'
  4062. })
  4063. };
  4064. const blockGender = (gender) => {
  4065. const val = localMKData.isGenderRadioVal();
  4066. const state = val === gender && val !== '不处理';
  4067. if (state) {
  4068. return {state: true, type: '性别屏蔽', matching: val}
  4069. }
  4070. return returnTempVal;
  4071. };
  4072. const blockUserVip = (vipId) => {
  4073. const val = localMKData.isVipTypeRadioVal();
  4074. const vipMap = {
  4075. 0: '无',
  4076. 1: '月大会员',
  4077. 2: '年度及以上大会员'
  4078. };
  4079. if (val === vipMap[vipId]) {
  4080. return {state: true, type: '会员类型屏蔽', matching: val}
  4081. }
  4082. return returnTempVal
  4083. };
  4084. const blockSeniorMember = (num) => {
  4085. if (num === 1 && localMKData.isSeniorMember()) {
  4086. return {state: true, type: '屏蔽硬核会员'}
  4087. }
  4088. return returnTempVal
  4089. };
  4090. const blockVideoCopyright = (num) => {
  4091. const val = localMKData.isCopyrightRadio();
  4092. const tempMap = {
  4093. 1: '原创',
  4094. 2: '转载'
  4095. };
  4096. if (val === tempMap[num]) {
  4097. return {state: true, type: '视频类型屏蔽', matching: val}
  4098. }
  4099. return returnTempVal
  4100. };
  4101. const blockVerticalVideo = (dimension) => {
  4102. if (!localMKData.isBlockVerticalVideo()) {
  4103. return returnTempVal
  4104. }
  4105. if (!dimension) {
  4106. return returnTempVal
  4107. }
  4108. const vertical = dimension.width < dimension.height;
  4109. if (vertical) {
  4110. return {state: true, type: '竖屏视频屏蔽', matching: vertical}
  4111. }
  4112. return returnTempVal
  4113. };
  4114. const blockVideoLikeRate = (like, view) => {
  4115. if (!like || !view || !localMKData.isVideoLikeRateBlockingStatus()) {
  4116. return returnTempVal
  4117. }
  4118. const mk_likeRate = parseInt(localMKData.getVideoLikeRate() * 100);
  4119. if (isNaN(mk_likeRate)) {
  4120. return returnTempVal
  4121. }
  4122. const likeRate = defUtil.calculateLikeRate(like, view);
  4123. if (likeRate <= mk_likeRate) {
  4124. return {
  4125. state: true, type: '视频点赞率屏蔽', matching: mk_likeRate + '%'
  4126. , msg: `视频的点赞率为${likeRate}%,低于用户指定的限制${mk_likeRate}%,屏蔽该视频`
  4127. }
  4128. }
  4129. return returnTempVal
  4130. };
  4131. const blockVideoInteractiveRate = (danmaku, reply, view) => {
  4132. if (!danmaku || !view || !localMKData.isInteractiveRateBlockingStatus()) {
  4133. return returnTempVal
  4134. }
  4135. const mk_interactionRate = parseInt(localMKData.getInteractiveRate() * 100);
  4136. const interactionRate = defUtil.calculateInteractionRate(danmaku, reply, view);
  4137. if (interactionRate <= mk_interactionRate) {
  4138. return {
  4139. state: true, type: '视频互动率屏蔽', matching: mk_interactionRate + '%'
  4140. , msg: `视频的互动率为${interactionRate}%,低于用户指定的限制${mk_interactionRate}%,屏蔽该视频`
  4141. }
  4142. }
  4143. return returnTempVal
  4144. };
  4145. const blockVideoTripleRate = (favorite, coin, share, view) => {
  4146. if (!favorite || !coin || !share || !view || !localMKData.isTripleRateBlockingStatus()) {
  4147. return returnTempVal
  4148. }
  4149. const mk_tripleRate = parseInt(localMKData.getTripleRate() * 100);
  4150. const tripleRate = defUtil.calculateTripleRate(favorite, coin, share, view);
  4151. if (tripleRate <= mk_tripleRate) {
  4152. return {
  4153. state: true, type: '视频三连率屏蔽', matching: mk_tripleRate + '%'
  4154. , msg: `视频的三连率为${tripleRate}%,低于用户指定的限制${mk_tripleRate}%,屏蔽该视频`
  4155. }
  4156. }
  4157. return returnTempVal
  4158. };
  4159. const blockVideoCoinLikesRatioRate = (coin, like) => {
  4160. if (!coin || !like || !localMKData.isCoinLikesRatioRateBlockingStatus()) {
  4161. return returnTempVal
  4162. }
  4163. const mk_coinLikesRatioRate = parseInt(localMKData.getCoinLikesRatioRate() * 100);
  4164. const coinLikesRatioRate = defUtil.calculateCoinLikesRatioRate(coin, like);
  4165. if (coinLikesRatioRate <= mk_coinLikesRatioRate) {
  4166. return {
  4167. state: true,
  4168. type: '视频投币/点赞比(内容价值)屏蔽',
  4169. matching: mk_coinLikesRatioRate + '%',
  4170. msg: `视频的投币/点赞比(内容价值)为${coinLikesRatioRate}%,低于用户指定的限制${mk_coinLikesRatioRate}%,屏蔽该视频`
  4171. }
  4172. }
  4173. return returnTempVal
  4174. };
  4175. const blockUserUidAndName = (uid, name) => {
  4176. if (!uid || !name) {
  4177. return returnTempVal
  4178. }
  4179. let returnVal = blockUserUid(uid);
  4180. if (returnVal.state) {
  4181. return returnVal
  4182. }
  4183. returnVal = blockUserName(name);
  4184. if (returnVal.state) {
  4185. return returnVal
  4186. }
  4187. return returnTempVal
  4188. };
  4189. const blockVideoTeamMember = (teamMember) => {
  4190. if (!teamMember) {
  4191. return returnTempVal
  4192. }
  4193. for (let u of teamMember) {
  4194. if (checkWhiteUserUid(u.mid)) {
  4195. continue
  4196. }
  4197. const returnVal = blockUserUidAndName(u.mid, u.name);
  4198. if (returnVal.state) {
  4199. return returnVal
  4200. }
  4201. }
  4202. return returnTempVal
  4203. };
  4204. const blockUserName = (name) => {
  4205. return blockExactAndFuzzyMatching(name, {
  4206. exactKey: 'precise_name',
  4207. exactTypeName: '精确用户名', fuzzyKey: 'name', fuzzyTypeName: '模糊用户名',
  4208. regexKey: 'nameCanonical', regexTypeName: '正则用户名'
  4209. })
  4210. };
  4211. const shieldingOtherVideoParameter = async (videoData) => {
  4212. const {bv = '-1'} = videoData;
  4213. if (bv === '-1') return
  4214. if (videoInfoCache.getCount() === 0) {
  4215. await videoInfoCache.update();
  4216. }
  4217. const find = videoInfoCache.find(bv);
  4218. let result;
  4219. if (find === null) {
  4220. const {state, data, msg} = await requestIntervalQueue.add(() => bFetch.fetchGetVideoInfo(bv));
  4221. if (!state) {
  4222. console.warn('获取视频信息失败:' + msg);
  4223. return
  4224. }
  4225. result = data;
  4226. if (await bvDexie.addVideoData(bv, result)) {
  4227. await videoInfoCache.update();
  4228. console.log('mk-db-添加视频信息到数据库成功', result, videoData);
  4229. }
  4230. } else {
  4231. result = find;
  4232. }
  4233. const {tags = [], userInfo, videoInfo} = result;
  4234. if (videoInfo?.following && localMKData.isBlockFollowed()) {
  4235. return {state: true, type: '已关注'}
  4236. }
  4237. const isUpOwnerExclusive = videoInfo?.is_upower_exclusive;
  4238. if (isUpOwnerExclusive && localMKData.isUpOwnerExclusive()) {
  4239. return {state: true, type: '充电专属视频'}
  4240. }
  4241. let returnValue;
  4242. if (tags.length !== 0) {
  4243. returnValue = blockBasedVideoTag(tags);
  4244. if (returnValue.state) {
  4245. return returnValue
  4246. }
  4247. }
  4248. const currentLevel = userInfo?.current_level || -1;
  4249. returnValue = shieldingByLevel(currentLevel);
  4250. if (returnValue.state) {
  4251. return returnValue
  4252. }
  4253. const avatarPendantName = userInfo?.pendant?.name || null;
  4254. if (avatarPendantName) {
  4255. returnValue = blockAvatarPendant(avatarPendantName);
  4256. if (returnValue.state) {
  4257. return returnValue
  4258. }
  4259. }
  4260. const signContent = userInfo?.sign;
  4261. if (signContent) {
  4262. returnValue = blockSignature(signContent);
  4263. if (returnValue.state) {
  4264. return returnValue
  4265. }
  4266. }
  4267. const desc = videoInfo?.desc || null;
  4268. if (desc) {
  4269. returnValue = blockVideoDesc(desc);
  4270. if (returnValue.state) {
  4271. return returnValue
  4272. }
  4273. }
  4274. const tempList = [
  4275. blockGender(userInfo?.sex), blockUserVip(userInfo.vip.type),
  4276. blockSeniorMember(userInfo.is_senior_member), blockVideoCopyright(videoInfo.copyright),
  4277. blockVerticalVideo(videoInfo.dimension), blockVideoTeamMember(videoInfo.staff),
  4278. blockVideoLikeRate(videoInfo.like, videoInfo.view), blockVideoInteractiveRate(videoInfo.danmaku, videoInfo.reply, videoInfo.view),
  4279. blockVideoTripleRate(videoInfo.favorite, videoInfo.coin, videoInfo.share, videoInfo.view), blockVideoCoinLikesRatioRate(videoInfo.coin, videoInfo.like)
  4280. ];
  4281. for (let v of tempList) {
  4282. if (v.state) {
  4283. return v
  4284. }
  4285. const msg = v.msg;
  4286. if (msg) {
  4287. console.warn(msg);
  4288. }
  4289. }
  4290. };
  4291. const blockBasedVideoTag = (tags) => {
  4292. const preciseVideoTagArr = ruleKeyListData$1.getPreciseVideoTagArr();
  4293. const videoTagArr = ruleKeyListData$1.getVideoTagArr();
  4294. if (preciseVideoTagArr.length <= 0 && videoTagArr.length <= 0) {
  4295. return returnTempVal
  4296. }
  4297. for (let tag of tags) {
  4298. if (ruleMatchingUtil.exactMatch(preciseVideoTagArr, tag)) {
  4299. return {state: true, type: "精确视频tag", matching: tag}
  4300. }
  4301. let fuzzyMatch = ruleMatchingUtil.fuzzyMatch(videoTagArr, tag);
  4302. if (fuzzyMatch) {
  4303. return {state: true, type: "模糊视频tag", matching: fuzzyMatch}
  4304. }
  4305. fuzzyMatch = ruleMatchingUtil.regexMatch(ruleKeyListData$1.getVideoTagCanonicalArr(), tag);
  4306. if (fuzzyMatch) {
  4307. return {state: true, type: "正则视频tag", matching: fuzzyMatch}
  4308. }
  4309. }
  4310. return returnTempVal
  4311. };
  4312. const shieldingVideoDecorated = (videoData, method = "remove") => {
  4313. const {el} = videoData;
  4314. if (el.style.display === "none") {
  4315. return true
  4316. }
  4317. const {state, type, matching = null} = shieldingVideo(videoData);
  4318. if (state) {
  4319. if (method === "remove") {
  4320. el?.remove();
  4321. } else {
  4322. el.style.display = "none";
  4323. }
  4324. eventEmitter.send('屏蔽视频信息', type, matching, videoData);
  4325. return true;
  4326. }
  4327. if (localMKData.isDisableNetRequestsBvVideoInfo()) {
  4328. return state
  4329. }
  4330. shieldingOtherVideoParameter(videoData).then(res => {
  4331. if (!res) {
  4332. return
  4333. }
  4334. const {type, matching} = res;
  4335. if (method === "remove") {
  4336. el.remove();
  4337. } else {
  4338. el.style.display = "none";
  4339. }
  4340. eventEmitter.send('屏蔽视频信息', type, matching, videoData);
  4341. });
  4342. return state;
  4343. };
  4344. const shieldingDynamic = (dynamicData) => {
  4345. const {
  4346. content = null,
  4347. el,
  4348. title = null,
  4349. tag = null
  4350. } = dynamicData;
  4351. let matching = null;
  4352. if (content !== null) {
  4353. matching = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getCommentOnArr(), content);
  4354. if (matching !== null) {
  4355. el?.remove();
  4356. return {state: true, type: "模糊评论内容", matching};
  4357. }
  4358. matching = ruleMatchingUtil.regexMatch(ruleKeyListData$1.getCommentOnCanonicalArr(), content);
  4359. if (matching !== null) {
  4360. el?.remove();
  4361. return {state: true, type: "正则评论内容", matching};
  4362. }
  4363. }
  4364. if (title !== null) {
  4365. matching = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getTitleArr(), title);
  4366. if (matching !== null) {
  4367. el?.remove();
  4368. return {state: true, type: "模糊标题", matching};
  4369. }
  4370. matching = ruleMatchingUtil.regexMatch(ruleKeyListData$1.getTitleCanonicalArr(), title);
  4371. if (matching !== null) {
  4372. el?.remove();
  4373. return {state: true, type: "正则标题", matching};
  4374. }
  4375. }
  4376. if (tag !== null) {
  4377. if (ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPreciseTagArr(), tag)) {
  4378. el?.remove();
  4379. return {state: true, type: "精确话题tag"};
  4380. }
  4381. matching = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getTagArr(), tag);
  4382. if (matching !== null) {
  4383. el?.remove();
  4384. return {state: true, type: "模糊话题tag", matching};
  4385. }
  4386. matching = ruleMatchingUtil.regexMatch(ruleKeyListData$1.getTagCanonicalArr(), tag);
  4387. if (matching !== null) {
  4388. el?.remove();
  4389. return {state: true, type: "正则话题tag", matching};
  4390. }
  4391. }
  4392. return returnTempVal
  4393. };
  4394. const shieldingDynamicDecorated = (dynamicData) => {
  4395. const {state, type, matching} = shieldingDynamic(dynamicData);
  4396. if (state) {
  4397. const infoHtml = output_informationTab.getDynamicContentInfoHtml(type, matching, dynamicData);
  4398. eventEmitter.send('打印信息', infoHtml);
  4399. }
  4400. return state;
  4401. };
  4402. const shieldingComment = (commentsData) => {
  4403. const {content, uid, name, level = -1} = commentsData;
  4404. if (checkWhiteUserUid(uid)) {
  4405. return returnTempVal;
  4406. }
  4407. let returnVal = blockUserUid(uid);
  4408. if (returnVal.state) {
  4409. return returnVal
  4410. }
  4411. if (name) {
  4412. returnVal = blockUserName(name);
  4413. if (returnVal.state) {
  4414. return returnVal
  4415. }
  4416. }
  4417. let matching = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getCommentOnArr(), content);
  4418. if (matching !== null) {
  4419. return {state: true, type: "模糊评论内容", matching};
  4420. }
  4421. matching = ruleMatchingUtil.regexMatch(ruleKeyListData$1.getCommentOnCanonicalArr(), content);
  4422. if (matching !== null) {
  4423. return {state: true, type: "正则评论内容", matching};
  4424. }
  4425. if (level !== -1) {
  4426. return shieldingByLevel(level);
  4427. }
  4428. return returnTempVal;
  4429. };
  4430. const shieldingByLevel = (level) => {
  4431. if (!level) {
  4432. return returnTempVal
  4433. }
  4434. const min = gmUtil.getData('nMinimumLevel', -1);
  4435. if (min > level) {
  4436. return {state: true, type: "最小用户等级过滤", matching: min};
  4437. }
  4438. const max = gmUtil.getData('nMaximumLevel', -1);
  4439. if (max > level) {
  4440. return {state: true, type: "最大用户等级过滤", matching: max};
  4441. }
  4442. return returnTempVal
  4443. };
  4444. const shieldingCommentDecorated = (commentsData) => {
  4445. const {state, type, matching} = shieldingComment(commentsData);
  4446. if (state) {
  4447. commentsData.el?.remove();
  4448. eventEmitter.send('屏蔽评论信息', type, matching, commentsData);
  4449. }
  4450. return state;
  4451. };
  4452. const shieldingLiveRoomContentDecorated = (liveRoomContent) => {
  4453. let {state, type, matching} = shieldingComment(liveRoomContent);
  4454. const {el, fansMedal} = liveRoomContent;
  4455. if (fansMedal !== null) {
  4456. if (ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPreciseFanCardArr(), fansMedal)) {
  4457. el?.remove();
  4458. state = true;
  4459. type = "精确粉丝牌";
  4460. }
  4461. }
  4462. if (state) {
  4463. el?.remove();
  4464. }
  4465. if (type) {
  4466. const infoHtml = output_informationTab.getLiveRoomCommentInfoHtml(type, matching, liveRoomContent);
  4467. eventEmitter.send('打印信息', infoHtml);
  4468. }
  4469. return state;
  4470. };
  4471. const shieldingComments = (commentsDataList) => {
  4472. for (let commentsData of commentsDataList) {
  4473. if (shieldingCommentDecorated(commentsData)) continue;
  4474. eventEmitter.send('评论添加屏蔽按钮', commentsData);
  4475. const {replies = []} = commentsData;
  4476. if (replies.length === 0) continue;
  4477. for (let reply of replies) {
  4478. if (shieldingCommentDecorated(reply)) continue;
  4479. eventEmitter.send('评论添加屏蔽按钮', reply);
  4480. }
  4481. }
  4482. };
  4483. const shieldingLiveRoom = (liveRoomData) => {
  4484. const {name, title, partition, uid = -1} = liveRoomData;
  4485. if (uid !== -1) {
  4486. if (ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPreciseUidWhiteArr(), uid)) {
  4487. return returnTempVal;
  4488. }
  4489. if (ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPreciseUidArr(), uid)) {
  4490. return {state: true, type: "精确用户uid"};
  4491. }
  4492. }
  4493. let matching;
  4494. if (name) {
  4495. if (ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPreciseNameArr(), name)) {
  4496. return {state: true, type: "精确用户名"};
  4497. }
  4498. matching = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getNameArr(), name);
  4499. if (matching) {
  4500. return {state: true, type: "模糊用户名", matching};
  4501. }
  4502. }
  4503. matching = ruleMatchingUtil.exactMatch(ruleKeyListData$1.getTitleArr(), title);
  4504. if (matching) {
  4505. return {state: true, type: "模糊标题", matching};
  4506. }
  4507. matching = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getTitleCanonicalArr(), title);
  4508. if (matching) {
  4509. return {state: true, type: "正则标题", matching};
  4510. }
  4511. if (partition) {
  4512. if (ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPrecisePartitionArr(), partition)) {
  4513. return {state: true, type: "精确直播分区"};
  4514. }
  4515. }
  4516. return returnTempVal;
  4517. };
  4518. const shieldingLiveRoomDecorated = (liveRoomData) => {
  4519. const {state, type, matching = null} = shieldingLiveRoom(liveRoomData);
  4520. if (state) {
  4521. liveRoomData.el?.remove();
  4522. const infoHtml = output_informationTab.getLiveRoomInfoHtml(type, matching, liveRoomData);
  4523. eventEmitter.send('打印信息', infoHtml);
  4524. }
  4525. return state;
  4526. };
  4527. const intervalExecutionStartShieldingVideoInert = (func, name = '') => {
  4528. let i1 = -1;
  4529. const start = () => {
  4530. if (i1 !== -1) {
  4531. return
  4532. }
  4533. console.log('开始执行屏蔽' + name);
  4534. i1 = setInterval(() => {
  4535. func();
  4536. console.log(`执行屏蔽${name}列表-定时器正在执行`);
  4537. }, 800);
  4538. };
  4539. const stop = () => {
  4540. if (i1 === -1) {
  4541. return
  4542. }
  4543. clearInterval(i1);
  4544. console.log(`已停止执行屏蔽${name}列表`);
  4545. i1 = -1;
  4546. };
  4547. return {start, stop}
  4548. };
  4549. var shielding = {
  4550. shieldingVideo,
  4551. shieldingVideoDecorated,
  4552. shieldingDynamicDecorated,
  4553. shieldingCommentDecorated,
  4554. shieldingLiveRoomDecorated,
  4555. shieldingComments,
  4556. shieldingLiveRoomContentDecorated,
  4557. addLiveContentBlockButton,
  4558. addTopicDetailVideoBlockButton,
  4559. addTopicDetailContentsBlockButton,
  4560. intervalExecutionStartShieldingVideoInert,
  4561. addBlockButton: addBlockButton$1
  4562. };
  4563. const toPlayCountOrBulletChat = (str) => {
  4564. if (!str) {
  4565. return -1
  4566. }
  4567. str = str.split(/[\t\r\f\n\s]*/g).join("");
  4568. const replace = str.replace(/[^\d.]/g, '');
  4569. if (str.endsWith('万') || str.endsWith('万次') || str.endsWith('万弹幕')) {
  4570. return parseFloat(replace) * 10000;
  4571. }
  4572. if (str.endsWith('次') || str.endsWith('弹幕')) {
  4573. return parseInt(replace);
  4574. }
  4575. return parseInt(str)
  4576. };
  4577. const timeStringToSeconds = (timeStr) => {
  4578. if (!timeStr) {
  4579. return -1
  4580. }
  4581. const parts = timeStr.split(':');
  4582. switch (parts.length) {
  4583. case 1: // 只有秒
  4584. return Number(parts[0]);
  4585. case 2: // 分钟和秒
  4586. return Number(parts[0]) * 60 + Number(parts[1]);
  4587. case 3: // 小时、分钟和秒
  4588. return Number(parts[0]) * 3600 + Number(parts[1]) * 60 + Number(parts[2]);
  4589. default:
  4590. throw new Error('Invalid time format');
  4591. }
  4592. };
  4593. var sFormatUtil = {
  4594. toPlayCountOrBulletChat,
  4595. timeStringToSeconds
  4596. };
  4597. const isHome = (url, title) => {
  4598. if (title !== "哔哩哔哩 (゜-゜)つロ 干杯~-bilibili") {
  4599. return false
  4600. }
  4601. if (url === 'https://www.bilibili.com/') {
  4602. return true
  4603. }
  4604. return url.includes('https://www.bilibili.com/?spm_id_from=')
  4605. };
  4606. const adaptationBAppCommerce$1 = localMKData.getAdaptationBAppCommerce();
  4607. const deDesktopDownloadTipEl = async () => {
  4608. const el = await elUtil.findElementUntilFound(".desktop-download-tip");
  4609. el?.remove();
  4610. const log = "已删除下载提示";
  4611. console.log(log, el);
  4612. };
  4613. const getChangeTheVideoElList = async () => {
  4614. const elList = await elUtil.findElementsUntilFound(".container.is-version8>.feed-card");
  4615. const list = [];
  4616. for (let el of elList) {
  4617. try {
  4618. const tempData = getVideoData(el);
  4619. const {userUrl} = tempData;
  4620. const videoUrl = el.querySelector(".bili-video-card__info--tit>a")?.href || null;
  4621. if (!userUrl.includes("//space.bilibili.com/")) {
  4622. el?.remove();
  4623. const log = "遍历换一换视频列表中检测到异常内容,已将该元素移除";
  4624. console.log(log, el);
  4625. continue;
  4626. }
  4627. const items = {
  4628. ...tempData, ...{
  4629. videoUrl,
  4630. el,
  4631. insertionPositionEl: el.querySelector(".bili-video-card__info--bottom"),
  4632. explicitSubjectEl: el.querySelector(".bili-video-card__info")
  4633. }
  4634. };
  4635. if (videoUrl?.includes('www.bilibili.com/video')) {
  4636. items.bv = elUtil.getUrlBV(videoUrl);
  4637. }
  4638. list.push(items);
  4639. } catch (e) {
  4640. el.remove();
  4641. console.warn("获取视频信息失败");
  4642. }
  4643. }
  4644. return list
  4645. };
  4646. const getVideoData = (el) => {
  4647. const title = el.querySelector(".bili-video-card__info--tit").title;
  4648. const name = el.querySelector(".bili-video-card__info--author").textContent.trim();
  4649. let nPlayCount = el.querySelector('.bili-video-card__stats--text')?.textContent.trim();
  4650. nPlayCount = sFormatUtil.toPlayCountOrBulletChat(nPlayCount);
  4651. let nBulletChat = el.querySelector('.bili-video-card__stats--text')?.textContent.trim();
  4652. nBulletChat = sFormatUtil.toPlayCountOrBulletChat(nBulletChat);
  4653. let nDuration = el.querySelector('.bili-video-card__stats__duration')?.textContent.trim();
  4654. nDuration = sFormatUtil.timeStringToSeconds(nDuration);
  4655. const userUrl = el.querySelector(".bili-video-card__info--owner").getAttribute("href");
  4656. const uid = elUtil.getUrlUID(userUrl);
  4657. return {
  4658. title,
  4659. name,
  4660. uid,
  4661. nPlayCount,
  4662. nBulletChat,
  4663. nDuration,
  4664. userUrl
  4665. }
  4666. };
  4667. const getHomeVideoELList = async () => {
  4668. const elList = await elUtil.findElementsUntilFound(".container.is-version8>.bili-video-card");
  4669. let list = [];
  4670. for (let el of elList) {
  4671. try {
  4672. const tempData = getVideoData(el);
  4673. const {userUrl} = tempData;
  4674. if (!userUrl.includes("//space.bilibili.com/")) {
  4675. el?.remove();
  4676. const log = "遍历换一换视频列表下面列表时检测到异常内容,已将该元素移除";
  4677. eventEmitter.send('打印信息', log);
  4678. console.log(log, el);
  4679. continue;
  4680. }
  4681. const videoUrl = el.querySelector(".bili-video-card__info--tit>a")?.href;
  4682. const items = {
  4683. ...tempData, ...{
  4684. videoUrl,
  4685. el,
  4686. insertionPositionEl: el.querySelector(".bili-video-card__info--bottom"),
  4687. explicitSubjectEl: el.querySelector(".bili-video-card__info")
  4688. }
  4689. };
  4690. if (videoUrl?.includes('www.bilibili.com/video')) {
  4691. items.bv = elUtil.getUrlBV(videoUrl);
  4692. }
  4693. list.push(items);
  4694. } catch (e) {
  4695. el?.remove();
  4696. console.log("遍历视频列表中检测到异常内容,已将该元素移除;");
  4697. }
  4698. }
  4699. return list;
  4700. };
  4701. const getGateActivatedTab = async () => {
  4702. const el = await elUtil.findElementUntilFound(".ant-radio-group>.ant-radio-button-wrapper-checked .css-1k4kcw8");
  4703. return el?.textContent.trim();
  4704. };
  4705. const getGateDataList = async () => {
  4706. const elList = await elUtil.findElementsUntilFound(".bilibili-gate-video-grid>[data-bvid].bili-video-card");
  4707. const list = [];
  4708. for (let el of elList) {
  4709. const tempData = getVideoData(el);
  4710. const videoUrl = el.querySelector("a.css-feo88y")?.href;
  4711. const bv = elUtil.getUrlBV(videoUrl);
  4712. const insertionPositionEl = el.querySelector(".bili-video-card__info--owner");
  4713. list.push({
  4714. ...tempData, ...{
  4715. videoUrl,
  4716. el,
  4717. bv,
  4718. insertionPositionEl,
  4719. explicitSubjectEl: el
  4720. }
  4721. });
  4722. }
  4723. return list;
  4724. };
  4725. const startShieldingGateVideoList = async () => {
  4726. const list = await getGateDataList();
  4727. for (let videoData of list) {
  4728. if (shielding.shieldingVideoDecorated(videoData, "hide")) {
  4729. continue;
  4730. }
  4731. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingGateVideoList});
  4732. }
  4733. };
  4734. const startIntervalShieldingGateVideoList = () => {
  4735. const throttle = defUtil.throttle(startShieldingGateVideoList, 2000);
  4736. setInterval(async () => {
  4737. await getGateActivatedTab();
  4738. throttle();
  4739. }, 1500);
  4740. };
  4741. const startClearExcessContentList = () => {
  4742. if (adaptationBAppCommerce$1) return;
  4743. setInterval(() => {
  4744. const otherElList = document.querySelectorAll(".floor-single-card");
  4745. const liveList = document.querySelectorAll(".bili-live-card");
  4746. const elList = [...otherElList, ...liveList];
  4747. for (let el of elList) {
  4748. el?.remove();
  4749. }
  4750. }, 1000);
  4751. console.log("已启动每秒清理首页视频列表中多余的内容");
  4752. };
  4753. const startShieldingChangeVideoList = async () => {
  4754. const list = await getChangeTheVideoElList();
  4755. for (let videoData of list) {
  4756. if (shielding.shieldingVideoDecorated(videoData)) {
  4757. continue;
  4758. }
  4759. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingChangeVideoList});
  4760. }
  4761. };
  4762. const startDebounceShieldingChangeVideoList = defUtil.debounce(startShieldingChangeVideoList, 200);
  4763. const startShieldingHomeVideoList = async () => {
  4764. const homeVideoELList = await getHomeVideoELList();
  4765. for (const videoData of homeVideoELList) {
  4766. if (shielding.shieldingVideoDecorated(videoData)) {
  4767. continue;
  4768. }
  4769. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingHomeVideoList});
  4770. }
  4771. };
  4772. const startDebounceShieldingHomeVideoList = defUtil.debounce(startShieldingHomeVideoList, 500);
  4773. const scrollMouseUpAndDown = async () => {
  4774. if (adaptationBAppCommerce$1) return;
  4775. await defUtil.smoothScroll(false, 100);
  4776. return defUtil.smoothScroll(true, 600);
  4777. };
  4778. var bilibiliHome = {
  4779. isHome,
  4780. startClearExcessContentList,
  4781. startDebounceShieldingChangeVideoList,
  4782. startDebounceShieldingHomeVideoList,
  4783. scrollMouseUpAndDown,
  4784. deDesktopDownloadTipEl,
  4785. startIntervalShieldingGateVideoList
  4786. };
  4787. var css = `.to_hide_xl {
  4788. display: block !important;
  4789. }
  4790. `;
  4791. const installStyle = () => {
  4792. const styleElement = document.createElement('style');
  4793. styleElement.textContent = css;
  4794. document.head.appendChild(styleElement);
  4795. };
  4796. const getLiveRoomList = async () => {
  4797. const elList = await elUtil.findElements('.live-room-cards>.video-list-item');
  4798. const list = [];
  4799. for (let el of elList) {
  4800. const titleAEl = el.querySelector('.bili-live-card__info--tit>a');
  4801. const titleEl = el.querySelector('.bili-live-card__info--tit>a>span');
  4802. const userEl = el.querySelector('.bili-live-card__info--uname');
  4803. const liveUrl = titleAEl.href;
  4804. const title = titleEl.textContent.trim();
  4805. const userUrl = userEl.href;
  4806. const uid = elUtil.getUrlUID(userUrl);
  4807. const name = userEl.textContent.trim();
  4808. list.push({
  4809. title,
  4810. liveUrl,
  4811. name,
  4812. userUrl,
  4813. uid,
  4814. el,
  4815. explicitSubjectEl: el.querySelector('.bili-live-card__info'),
  4816. insertionPositionEl: userEl
  4817. });
  4818. }
  4819. return list
  4820. };
  4821. const addBlockButton = (data) => {
  4822. shielding.addBlockButton(data, '', ['right']);
  4823. };
  4824. const startShieldingLiveRoomList = async () => {
  4825. const list = await getLiveRoomList();
  4826. for (let liveData of list) {
  4827. if (shielding.shieldingLiveRoomDecorated(liveData)) {
  4828. continue
  4829. }
  4830. addBlockButton({data: liveData, maskingFunc: startShieldingLiveRoomList});
  4831. }
  4832. };
  4833. const InstallLiveTopTabsListener = async () => {
  4834. const el = await elUtil.findElement('.live-condition');
  4835. if (elEventEmitter.hasEventName(el, 'click')) return
  4836. elEventEmitter.addEvent(el, 'click', async (event) => {
  4837. const target = event.target;
  4838. const label = target.textContent.trim();
  4839. if (label === '主播') {
  4840. return
  4841. }
  4842. await startShieldingLiveRoomList();
  4843. InstallBottomPagingListener();
  4844. installTopRoomOrderListener();
  4845. });
  4846. console.log("直播顶部选项卡安装监听器已安装");
  4847. };
  4848. const InstallBottomPagingListener = async () => {
  4849. const el = await elUtil.findElement('.vui_pagenation--btns');
  4850. if (elEventEmitter.hasEventName(el, 'click')) return
  4851. elEventEmitter.addEvent(el, 'click', async (event) => {
  4852. const target = event.target;
  4853. if (target.tagName !== 'BUTTON') {
  4854. return
  4855. }
  4856. await startShieldingLiveRoomList();
  4857. installTopRoomOrderListener();
  4858. });
  4859. console.log("底部分页安装监听器已安装");
  4860. };
  4861. const installTopRoomOrderListener = async () => {
  4862. const el = await elUtil.findElement('.room-order');
  4863. if (elEventEmitter.hasEventName(el, 'click')) return
  4864. elEventEmitter.addEvent(el, 'click', async (event) => {
  4865. const target = event.target;
  4866. console.log('顶部房间排序监听器触发了', target.textContent.trim(), target);
  4867. await startShieldingLiveRoomList();
  4868. InstallBottomPagingListener();
  4869. installTopRoomOrderListener();
  4870. });
  4871. console.log('顶部房间排序监听器已安装');
  4872. };
  4873. var searchLive = {
  4874. InstallLiveTopTabsListener,
  4875. installStyle,
  4876. startShieldingLiveRoomList,
  4877. InstallBottomPagingListener,
  4878. installTopRoomOrderListener
  4879. };
  4880. const isSearch = (url) => {
  4881. return url.includes("search.bilibili.com")
  4882. };
  4883. const currentlyActivatedOptions = async () => {
  4884. const el = await elUtil.findElement('.vui_tabs--nav-item-active .vui_tabs--nav-text');
  4885. const label = el.textContent.trim();
  4886. if (label === '直播') {
  4887. await searchLive.startShieldingLiveRoomList();
  4888. searchLive.InstallLiveTopTabsListener();
  4889. searchLive.InstallBottomPagingListener();
  4890. elUtil.findElementUntilFound('.live-condition>.vui_button--active').then(activeEl => {
  4891. if (activeEl.textContent.trim() !== '主播') {
  4892. searchLive.installTopRoomOrderListener();
  4893. }
  4894. });
  4895. }
  4896. };
  4897. const searchTopTabsIWrapperInstallListener = async () => {
  4898. const tempTabs = ['番剧', '影视', '用户'];
  4899. const el = await elUtil.findElement('.vui_tabs--navbar>ul');
  4900. el.addEventListener("click", async (event) => {
  4901. const eventTarget = event.target;
  4902. if (eventTarget.className !== 'vui_tabs--nav-text') {
  4903. return
  4904. }
  4905. const tabName = eventTarget.textContent.trim();
  4906. if (tempTabs.includes(tabName)) {
  4907. return
  4908. }
  4909. if (tabName === '直播') {
  4910. searchLive.installTopRoomOrderListener();
  4911. return
  4912. }
  4913. console.log("搜索页顶部选项卡监听器触发了", tabName);
  4914. });
  4915. console.log("搜索页顶部选项卡安装监听器已安装");
  4916. };
  4917. const getVideoList$1 = async (css) => {
  4918. const elList = await elUtil.findElements(css, {interval: 200});
  4919. const list = [];
  4920. for (let el of elList) {
  4921. const title = el.querySelector(".bili-video-card__info--tit").title;
  4922. const userEl = el.querySelector(".bili-video-card__info--owner");
  4923. if (userEl === null) {
  4924. console.log("获取不到该视频卡片的用户地址,", el);
  4925. el?.remove();
  4926. continue
  4927. }
  4928. const userUrl = userEl.getAttribute("href");
  4929. if (!userUrl.includes("//space.bilibili.com/")) {
  4930. el?.remove();
  4931. console.log("移除了非视频内容", userUrl, el);
  4932. continue;
  4933. }
  4934. const videoUrl = el.querySelector(".bili-video-card__info--right>a")?.href;
  4935. if (videoUrl?.includes('live.bilibili.com/')) {
  4936. continue
  4937. }
  4938. const bv = elUtil.getUrlBV(videoUrl);
  4939. const uid = elUtil.getUrlUID(userUrl);
  4940. const name = userEl.querySelector(".bili-video-card__info--author").textContent.trim();
  4941. const bili_video_card__stats_item = el.querySelectorAll('.bili-video-card__stats--item');
  4942. let nPlayCount = bili_video_card__stats_item[0]?.textContent.trim();
  4943. nPlayCount = sFormatUtil.toPlayCountOrBulletChat(nPlayCount);
  4944. let nBulletChat = bili_video_card__stats_item[1]?.textContent.trim();
  4945. nBulletChat = sFormatUtil.toPlayCountOrBulletChat(nBulletChat);
  4946. let nDuration = el.querySelector('.bili-video-card__stats__duration')?.textContent.trim();
  4947. nDuration = sFormatUtil.timeStringToSeconds(nDuration);
  4948. list.push({
  4949. title,
  4950. userUrl,
  4951. name,
  4952. uid,
  4953. bv,
  4954. nPlayCount,
  4955. nBulletChat,
  4956. nDuration,
  4957. el,
  4958. videoUrl,
  4959. insertionPositionEl: el.querySelector(".bili-video-card__info--bottom"),
  4960. explicitSubjectEl: el.querySelector(".bili-video-card__info")
  4961. });
  4962. }
  4963. return list;
  4964. };
  4965. const getTabComprehensiveSortedVideoList = () => {
  4966. return getVideoList$1(".video.i_wrapper.search-all-list>.video-list>div");
  4967. };
  4968. const getOtherVideoList = () => {
  4969. return getVideoList$1(".search-page.search-page-video>.video-list.row>div");
  4970. };
  4971. const startShieldingCSVideoList = async () => {
  4972. const list = await getTabComprehensiveSortedVideoList();
  4973. for (let videoData of list) {
  4974. if (shielding.shieldingVideoDecorated(videoData)) {
  4975. continue;
  4976. }
  4977. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingCSVideoList});
  4978. }
  4979. };
  4980. const startShieldingOtherVideoList = async () => {
  4981. const list = await getOtherVideoList();
  4982. for (let videoData of list) {
  4983. if (shielding.shieldingVideoDecorated(videoData)) {
  4984. continue;
  4985. }
  4986. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingOtherVideoList});
  4987. }
  4988. };
  4989. const getTwTabActiveItem = async () => {
  4990. const twoTabActiveItem = await elUtil.findElement('.vui_button.vui_button--tab.vui_button--active.mr_sm', {interval: 200});
  4991. const twoTabActiveItemLabel = twoTabActiveItem.textContent.trim();
  4992. return {el: twoTabActiveItemLabel, label: twoTabActiveItemLabel}
  4993. };
  4994. const startShieldingVideoList$6 = async () => {
  4995. const topTabActiveItem = await elUtil.findElement('.vui_tabs--nav-item.vui_tabs--nav-item-active', {interval: 200});
  4996. const topTabActiveItemLabel = topTabActiveItem.textContent.trim();
  4997. console.log(topTabActiveItemLabel);
  4998. if (topTabActiveItemLabel !== '综合') {
  4999. await startShieldingOtherVideoList();
  5000. return
  5001. }
  5002. const {label} = await getTwTabActiveItem();
  5003. if (label !== '综合排序') {
  5004. await startShieldingOtherVideoList();
  5005. return
  5006. }
  5007. const parseUrl = defUtil.parseUrl(window.location.href);
  5008. if (parseUrl.queryParams['page']) {
  5009. await startShieldingOtherVideoList();
  5010. } else {
  5011. await startShieldingCSVideoList();
  5012. processingExactSearchVideoCardContent();
  5013. }
  5014. };
  5015. const processingExactSearchVideoCardContent = async () => {
  5016. let res;
  5017. try {
  5018. res = await elUtil.findElement('.user-list.search-all-list', {interval: 50, timeout: 4000});
  5019. } catch (e) {
  5020. return
  5021. }
  5022. let el;
  5023. if (!res.state) {
  5024. return
  5025. }
  5026. el = res.data;
  5027. const infoCardEl = el.querySelector('.info-card');
  5028. const userNameEl = infoCardEl.querySelector('.user-name');
  5029. const name = userNameEl.textContent.trim();
  5030. const userUrl = userNameEl.href;
  5031. const uid = elUtil.getUrlUID(userUrl);
  5032. if (ruleMatchingUtil.exactMatch(ruleKeyListData$1.getPreciseUidArr(), uid)) {
  5033. el.remove();
  5034. eventEmitter.send('打印信息', `根据精确uid匹配到用户${name}-【${uid}】`);
  5035. return
  5036. }
  5037. let fuzzyMatch = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getNameArr(), name);
  5038. if (fuzzyMatch) {
  5039. el.remove();
  5040. eventEmitter.send('打印信息', `根据模糊用户名【${fuzzyMatch}】匹配到用户${name}-【${uid}】`);
  5041. return
  5042. }
  5043. fuzzyMatch = ruleMatchingUtil.regexMatch(ruleKeyListData$1.getNameCanonical(), name);
  5044. if (fuzzyMatch) {
  5045. el.remove();
  5046. eventEmitter.send('打印信息', `根据正则用户名【${fuzzyMatch}】匹配到用户${name}-【${uid}】`);
  5047. return
  5048. }
  5049. const insertionPositionEl = el.querySelector('.info-card.flex_start');
  5050. shielding.addBlockButton({
  5051. data: {
  5052. name,
  5053. uid,
  5054. insertionPositionEl,
  5055. }
  5056. });
  5057. const videoElList = el.querySelectorAll('.video-list>.video-list-item');
  5058. const list = [];
  5059. for (let videoEl of videoElList) {
  5060. const titleEl = videoEl.querySelector('.bili-video-card__info--right>a');
  5061. const videoUrl = titleEl.href;
  5062. const bv = elUtil.getUrlBV(videoUrl);
  5063. const title = titleEl.textContent.trim();
  5064. let nDuration = videoEl.querySelector('.bili-video-card__stats__duration')?.textContent.trim();
  5065. nDuration = sFormatUtil.timeStringToSeconds(nDuration);
  5066. let nPlayCount = videoEl.querySelector('.bili-video-card__stats--item>span')?.textContent.trim();
  5067. nPlayCount = sFormatUtil.toPlayCountOrBulletChat(nPlayCount);
  5068. list.push({
  5069. title,
  5070. userUrl,
  5071. name,
  5072. uid,
  5073. bv,
  5074. nPlayCount,
  5075. nDuration,
  5076. el: videoEl,
  5077. videoUrl
  5078. });
  5079. }
  5080. for (let videoData of list) {
  5081. shielding.shieldingVideoDecorated(videoData);
  5082. }
  5083. };
  5084. const delFooterContent = () => {
  5085. if (!gmUtil.getData('isRemoveSearchBottomContent', false)) {
  5086. return
  5087. }
  5088. elUtil.findElement('#biliMainFooter').then(el => {
  5089. el.remove();
  5090. eventEmitter.send('打印信息', '已删除底部内容');
  5091. });
  5092. };
  5093. var searchModel = {
  5094. isSearch,
  5095. searchTopTabsIWrapperInstallListener,
  5096. startShieldingVideoList: startShieldingVideoList$6,
  5097. currentlyActivatedOptions,
  5098. delFooterContent
  5099. };
  5100. const isVideoPlayPage = (url = window.location.href) => {
  5101. return url.includes("www.bilibili.com/video");
  5102. };
  5103. const selectUserBlocking = async () => {
  5104. const {state} = await elUtil.findElement('.header.can-pointer', {timeout: 1800});
  5105. if (state) {
  5106. const elList = document.querySelectorAll('.container>.membersinfo-upcard-wrap>.membersinfo-upcard');
  5107. const list = [];
  5108. for (const el of elList) {
  5109. const userUrl = el.querySelector('.avatar').href;
  5110. const uid = elUtil.getUrlUID(userUrl);
  5111. const name = el.querySelector('.staff-name').textContent.trim();
  5112. list.push({
  5113. label: `用户-name=${name}-uid=${uid}`,
  5114. uid
  5115. });
  5116. }
  5117. eventEmitter.send('sheet-dialog', {
  5118. title: '选择要屏蔽的用户(uid精确)',
  5119. list,
  5120. optionsClick: (item) => {
  5121. ruleUtil.addRulePreciseUid(item.uid);
  5122. return true
  5123. }
  5124. });
  5125. } else {
  5126. const el = document.querySelector('.up-info-container');
  5127. const nameEl = el.querySelector('.up-info--right a.up-name');
  5128. const name = nameEl.textContent.trim();
  5129. const userUrl = nameEl.href;
  5130. const uid = elUtil.getUrlUID(userUrl);
  5131. console.log('点击了屏蔽按钮', name, userUrl, uid);
  5132. eventEmitter.invoke('el-confirm', `用户uid=${uid}-name=${name}`, 'uid精确屏蔽方式').then(() => {
  5133. if (uid === -1) {
  5134. eventEmitter.send('el-msg', "该页面数据不存在uid字段");
  5135. return;
  5136. }
  5137. ruleUtil.addRulePreciseUid(uid);
  5138. });
  5139. }
  5140. };
  5141. const getGetTheVideoListOnTheRight$1 = async () => {
  5142. await elUtil.findElementUntilFound(".video-page-card-small .b-img img");
  5143. delAd();
  5144. delGameAd();
  5145. const elList = await elUtil.findElements(".rec-list>.video-page-card-small", {interval: 1000});
  5146. const nextPlayEl = document.querySelector('.next-play>.video-page-card-small');
  5147. if (nextPlayEl) {
  5148. elList.push(nextPlayEl);
  5149. }
  5150. const list = [];
  5151. for (let el of elList) {
  5152. try {
  5153. const elInfo = el.querySelector(".info");
  5154. const title = elInfo.querySelector(".title").title;
  5155. const name = elInfo.querySelector(".upname .name").textContent.trim();
  5156. const userUrl = elInfo.querySelector(".upname>a").href;
  5157. const uid = elUtil.getUrlUID(userUrl);
  5158. const playInfo = el.querySelector('.playinfo').innerHTML.trim();
  5159. const videoUrl = el.querySelector(".info>a").href;
  5160. const bv = elUtil.getUrlBV(videoUrl);
  5161. let nPlayCount = playInfo.match(/<\/svg>(.*)<svg/s)?.[1].trim();
  5162. nPlayCount = sFormatUtil.toPlayCountOrBulletChat(nPlayCount);
  5163. let nBulletChat = playInfo.match(/class="dm".+<\/svg>(.+)$/s)?.[1].trim();
  5164. nBulletChat = sFormatUtil.toPlayCountOrBulletChat(nBulletChat);
  5165. let nDuration = el.querySelector('.duration')?.textContent.trim();
  5166. nDuration = sFormatUtil.timeStringToSeconds(nDuration);
  5167. list.push({
  5168. title,
  5169. userUrl,
  5170. name,
  5171. uid,
  5172. bv,
  5173. nPlayCount,
  5174. nBulletChat,
  5175. nDuration,
  5176. el,
  5177. videoUrl,
  5178. insertionPositionEl: el.querySelector(".playinfo"),
  5179. explicitSubjectEl: elInfo
  5180. });
  5181. } catch (e) {
  5182. console.error("获取右侧视频列表失败:", e);
  5183. }
  5184. }
  5185. return list;
  5186. };
  5187. const startShieldingVideoList$5 = () => {
  5188. if (localMKData.isDelPlayerPageRightVideoList()) {
  5189. return
  5190. }
  5191. getGetTheVideoListOnTheRight$1().then((videoList) => {
  5192. for (let videoData of videoList) {
  5193. if (shielding.shieldingVideoDecorated(videoData)) {
  5194. continue;
  5195. }
  5196. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingVideoList$5});
  5197. }
  5198. });
  5199. };
  5200. const findTheExpandButtonForTheListOnTheRightAndBindTheEvent$2 = () => {
  5201. setTimeout(() => {
  5202. elUtil.findElementUntilFound(".rec-footer", {interval: 2000}).then((el) => {
  5203. console.log("找到右侧视频列表的展开按钮", el);
  5204. el.addEventListener("click", () => {
  5205. startShieldingVideoList$5();
  5206. });
  5207. });
  5208. }, 3000);
  5209. };
  5210. const getPlayerVideoList = async () => {
  5211. const elList = await elUtil.findElements('.bpx-player-ending-related>.bpx-player-ending-related-item');
  5212. const data = {list: [], cancelEl: null};
  5213. for (const el of elList) {
  5214. const title = el.querySelector('.bpx-player-ending-related-item-title')?.textContent.trim();
  5215. const cancelEl = el.querySelector('.bpx-player-ending-related-item-cancel');
  5216. if (cancelEl) {
  5217. data.cancelEl = cancelEl;
  5218. }
  5219. data.list.push({
  5220. title,
  5221. el
  5222. });
  5223. }
  5224. return data
  5225. };
  5226. const setVideoPlayerEnded = async () => {
  5227. const videoEl = await elUtil.findElement('#bilibili-player video');
  5228. const funcStart = async () => {
  5229. const res = await getPlayerVideoList();
  5230. for (let {el, title} of res.list) {
  5231. let matching = ruleMatchingUtil.fuzzyMatch(ruleKeyListData$1.getTitleArr(), title);
  5232. if (matching !== null) {
  5233. eventEmitter.send('打印信息', `根据-模糊标题-【${matching}】-屏蔽视频:${title}`);
  5234. el.remove();
  5235. continue
  5236. }
  5237. matching = ruleMatchingUtil.regexMatch(ruleKeyListData$1.getTitleCanonicalArr(), title);
  5238. if (matching !== null) {
  5239. eventEmitter.send('打印信息', `根据-正则标题-【${matching}】-屏蔽视频:${title}`);
  5240. el.remove();
  5241. }
  5242. }
  5243. };
  5244. videoEl.addEventListener('ended', () => {
  5245. console.log('视频播放结束');
  5246. funcStart();
  5247. });
  5248. };
  5249. const delAd = () => {
  5250. if (!gmUtil.getData('isDelPlayerPageAd', false)) {
  5251. return
  5252. }
  5253. elUtil.findElements('[class|=ad],#slide_ad').then(elList => {
  5254. for (const el of elList) {
  5255. el.style.display = 'none';
  5256. }
  5257. eventEmitter.send('打印信息', '隐藏了播放页的页面广告');
  5258. });
  5259. };
  5260. const delRightVideoList = () => {
  5261. if (!localMKData.isDelPlayerPageRightVideoList()) {
  5262. return
  5263. }
  5264. elUtil.findElement('.recommend-list-v1').then(el => {
  5265. el.style.visibility = "hidden";
  5266. eventEmitter.send('打印信息', '屏蔽了播放页的右侧推荐列表');
  5267. });
  5268. };
  5269. const delGameAd = () => {
  5270. if (!gmUtil.getData('isDelPlayerPageRightGameAd', false)) {
  5271. return
  5272. }
  5273. elUtil.findElement('.video-page-game-card-small', {timeout: 10000}).then(({state, data}) => {
  5274. if (!state) {
  5275. eventEmitter.send('打印信息', '没有找到播放页的右侧游戏推荐');
  5276. return
  5277. }
  5278. data?.remove();
  5279. eventEmitter.send('打印信息', '屏蔽了游戏推荐');
  5280. });
  5281. };
  5282. const delBottomCommentApp = () => {
  5283. if (!localMKData.isDelBottomComment()) {
  5284. return
  5285. }
  5286. elUtil.findElement('#commentapp').then(el => {
  5287. el?.remove();
  5288. eventEmitter.send('打印信息', '移除了页面底部的评论区');
  5289. });
  5290. };
  5291. const delElManagement = () => {
  5292. if (localMKData.isDelPlayerPageRightVideoList()) {
  5293. delAd();
  5294. }
  5295. delRightVideoList();
  5296. delBottomCommentApp();
  5297. };
  5298. var videoPlayModel = {
  5299. isVideoPlayPage,
  5300. startShieldingVideoList: startShieldingVideoList$5,
  5301. findTheExpandButtonForTheListOnTheRightAndBindTheEvent: findTheExpandButtonForTheListOnTheRightAndBindTheEvent$2,
  5302. selectUserBlocking,
  5303. setVideoPlayerEnded,
  5304. delElManagement
  5305. };
  5306. const getPlayCountAndBulletChatAndDuration = (el) => {
  5307. const playInfo = el.querySelector('.playinfo').innerHTML.trim();
  5308. let nPlayCount = playInfo.match(/<\/svg>(.*)<svg/s)?.[1].trim();
  5309. nPlayCount = sFormatUtil.toPlayCountOrBulletChat(nPlayCount);
  5310. let nBulletChat = playInfo.match(/class="dm-icon".+<\/svg>(.+)$/s)?.[1].trim();
  5311. nBulletChat = sFormatUtil.toPlayCountOrBulletChat(nBulletChat);
  5312. let nDuration = el.querySelector('.duration')?.textContent.trim();
  5313. nDuration = sFormatUtil.timeStringToSeconds(nDuration);
  5314. return {
  5315. nPlayCount, nBulletChat, nDuration
  5316. }
  5317. };
  5318. const getRightVideoDataList$1=(elList)=>{
  5319. const list = [];
  5320. for (let el of elList) {
  5321. const title = el.querySelector(".title").textContent.trim();
  5322. const userInfoEl = el.querySelector(".upname");
  5323. const name = userInfoEl.querySelector(".name").textContent.trim();
  5324. const userUrl = userInfoEl.href;
  5325. const uid = elUtil.getUrlUID(userUrl);
  5326. const videoUrl = el.querySelector(".info>a").href;
  5327. const bv = elUtil.getUrlBV(videoUrl);
  5328. list.push({
  5329. ...getPlayCountAndBulletChatAndDuration(el), ...{
  5330. title,
  5331. name,
  5332. userUrl,
  5333. videoUrl,
  5334. uid,
  5335. bv,
  5336. el,
  5337. insertionPositionEl: el.querySelector(".playinfo"),
  5338. explicitSubjectEl: el.querySelector(".info")
  5339. }
  5340. });
  5341. }
  5342. return list;
  5343. };
  5344. var generalFuc = {getRightVideoDataList: getRightVideoDataList$1};
  5345. const iscCollectionVideoPlayPage = (url) => {
  5346. return url.includes("www.bilibili.com/list/ml")
  5347. };
  5348. const getGetTheVideoListOnTheRight = async () => {
  5349. const elList = await elUtil.findElementsUntilFound(".recommend-list-container>.video-card");
  5350. return generalFuc.getRightVideoDataList(elList);
  5351. };
  5352. const startShieldingVideoList$4 = () => {
  5353. getGetTheVideoListOnTheRight().then((videoList) => {
  5354. const css = {right: "123px"};
  5355. for (let videoData of videoList) {
  5356. if (shielding.shieldingVideoDecorated(videoData)) continue;
  5357. videoData.css = css;
  5358. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingVideoList$4});
  5359. }
  5360. });
  5361. };
  5362. const findTheExpandButtonForTheListOnTheRightAndBindTheEvent$1 = () => {
  5363. setTimeout(() => {
  5364. elUtil.findElementUntilFound(".rec-footer", {interval: 2000}).then((el) => {
  5365. el.addEventListener("click", () => {
  5366. startShieldingVideoList$4();
  5367. });
  5368. });
  5369. }, 3000);
  5370. };
  5371. var collectionVideoPlayPageModel = {
  5372. iscCollectionVideoPlayPage,
  5373. startShieldingVideoList: startShieldingVideoList$4,
  5374. findTheExpandButtonForTheListOnTheRightAndBindTheEvent: findTheExpandButtonForTheListOnTheRightAndBindTheEvent$1
  5375. };
  5376. const addEventListenerUrlChange = (callback) => {
  5377. let oldUrl = window.location.href;
  5378. setInterval(() => {
  5379. const newUrl = window.location.href;
  5380. if (oldUrl === newUrl) return;
  5381. oldUrl = newUrl;
  5382. const title = document.title;
  5383. callback(newUrl, oldUrl, title);
  5384. }, 1000);
  5385. };
  5386. const addEventListenerNetwork = (callback) => {
  5387. new PerformanceObserver(() => {
  5388. const entries = performance.getEntriesByType('resource');
  5389. const windowUrl = window.location.href;
  5390. const winTitle = document.title;
  5391. for (let entry of entries) {
  5392. const url = entry.name;
  5393. const initiatorType = entry.initiatorType;
  5394. if (initiatorType === "img" || initiatorType === "css" || initiatorType === "link" || initiatorType === "beacon") {
  5395. continue;
  5396. }
  5397. callback(url, windowUrl,winTitle, initiatorType);
  5398. }
  5399. performance.clearResourceTimings();//清除资源时间
  5400. }).observe({entryTypes: ['resource']});
  5401. };
  5402. function watchElementListLengthWithInterval(selector, callback, config={}) {
  5403. const defConfig = {};
  5404. config = {...defConfig, ...config};
  5405. let previousLength = -1;
  5406. const timer = setInterval(() => {
  5407. if (previousLength === -1) {
  5408. previousLength = document.querySelectorAll(selector).length;
  5409. return
  5410. }
  5411. const currentElements = document.querySelectorAll(selector);
  5412. const currentLength = currentElements.length;
  5413. if (currentLength !== previousLength) {
  5414. previousLength = currentLength;
  5415. callback({
  5416. action: currentLength > previousLength ? 'add' : 'del',
  5417. elements: currentElements,
  5418. length: currentLength
  5419. }
  5420. );
  5421. }
  5422. },
  5423. config.interval
  5424. );
  5425. return stop = () => {
  5426. clearInterval(timer);
  5427. };
  5428. }
  5429. var watch = {
  5430. addEventListenerUrlChange,
  5431. addEventListenerNetwork,
  5432. watchElementListLengthWithInterval
  5433. };
  5434. const isLiveRoom = (url) => {
  5435. return url.search('/live.bilibili.com/\\d+') !== -1;
  5436. };
  5437. const getChatItems = async () => {
  5438. const elList = await elUtil.findElementsUntilFound("#chat-items>div");
  5439. if (elList.length >= 200) {
  5440. for (let i = 0; i < 100; i++) {
  5441. elList[i]?.remove();
  5442. }
  5443. console.log("弹幕列表超过200,已删除前100条");
  5444. }
  5445. const list = [];
  5446. for (let el of elList) {
  5447. if (el.className === "chat-item convention-msg border-box") {
  5448. continue;
  5449. }
  5450. if (el.className === "chat-item misc-msg guard-buy") {
  5451. continue;
  5452. }
  5453. const name = el.getAttribute("data-uname");
  5454. if (name === null) {
  5455. continue;
  5456. }
  5457. const uid = el.getAttribute("data-uid");
  5458. const content = el.getAttribute("data-danmaku");
  5459. const timeStamp = el.getAttribute("data-timestamp");
  5460. const fansMedalEl = el.querySelector(".fans-medal-content");
  5461. const fansMedal = fansMedalEl === null ? null : fansMedalEl.textContent.trim();
  5462. list.push({
  5463. name,
  5464. uid,
  5465. content,
  5466. timeStamp,
  5467. fansMedal,
  5468. el,
  5469. insertionPositionEl: el,
  5470. explicitSubjectEl: el
  5471. });
  5472. }
  5473. return list;
  5474. };
  5475. const startShieldingLiveChatContents = async () => {
  5476. const commentsDataList = await getChatItems();
  5477. for (let commentsData of commentsDataList) {
  5478. if (shielding.shieldingLiveRoomContentDecorated(commentsData)) {
  5479. continue;
  5480. }
  5481. shielding.addLiveContentBlockButton({data: commentsData, maskingFunc: startShieldingLiveChatContents});
  5482. }
  5483. };
  5484. const addWatchLiveRoomChatItemsListener = () => {
  5485. const throttle = defUtil.throttle(startShieldingLiveChatContents, 1000);
  5486. watch.watchElementListLengthWithInterval("#chat-items>div", throttle);
  5487. };
  5488. var liveRoomModel = {
  5489. isLiveRoom,
  5490. addWatchLiveRoomChatItemsListener
  5491. };
  5492. const isVideoPlayWatchLaterPage = (url) => {
  5493. return url.startsWith("https://www.bilibili.com/list/watchlater")
  5494. };
  5495. const getRightVideoDataList = async () => {
  5496. const elList = await elUtil.findElementsUntilFound(".recommend-video-card.video-card");
  5497. return generalFuc.getRightVideoDataList(elList);
  5498. };
  5499. const startShieldingVideoList$3 = async () => {
  5500. const videoList = await getRightVideoDataList();
  5501. const css = {right: "123px"};
  5502. for (let videoData of videoList) {
  5503. videoData.css = css;
  5504. if (shielding.shieldingVideoDecorated(videoData)) continue;
  5505. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingVideoList$3});
  5506. }
  5507. };
  5508. const startDebounceShieldingVideoList = defUtil.debounce(startShieldingVideoList$3, 1000);
  5509. const findTheExpandButtonForTheListOnTheRightAndBindTheEvent = () => {
  5510. elUtil.findElementsAndBindEvents(".rec-footer", startDebounceShieldingVideoList);
  5511. };
  5512. var videoPlayWatchLater = {
  5513. isVideoPlayWatchLaterPage,
  5514. startDebounceShieldingVideoList,
  5515. findTheExpandButtonForTheListOnTheRightAndBindTheEvent
  5516. };
  5517. const getBewlyEl = async () => {
  5518. let el = await elUtil.findElementUntilFound('#bewly', {interval: 500});
  5519. return el.shadowRoot;
  5520. };
  5521. const isBEWLYPage = (url) => {
  5522. return url.includes('www.bilibili.com/?page=') ||
  5523. url === 'https://www.bilibili.com/'
  5524. || url.startsWith('https://www.bilibili.com/?spm_id_from=')
  5525. };
  5526. const getVideoList = async () => {
  5527. const beEl = await getBewlyEl();
  5528. const elList = await elUtil.findElementsUntilFound('.video-card.group', {doc: beEl});
  5529. const list = [];
  5530. for (let el of elList) {
  5531. const parentElement = el.parentElement.parentElement;
  5532. const title = el.querySelector('.keep-two-lines>a[title]').textContent.trim();
  5533. const userUrlEl = el.querySelector('.channel-name');
  5534. const userUrl = userUrlEl.href;
  5535. const uid = elUtil.getUrlUID(userUrl);
  5536. const name = userUrlEl.textContent.trim();
  5537. const playInfoEl = el.querySelector('[flex="~ items-center gap-1 wrap"]>div');
  5538. let playCount = playInfoEl.querySelector('span:first-child')?.textContent.trim() || null;
  5539. playCount = sFormatUtil.toPlayCountOrBulletChat(playCount);
  5540. let bulletChat = playInfoEl.querySelector('span:last-of-type')?.textContent.trim() || null;
  5541. if (playInfoEl.querySelectorAll('span').length < 2) {
  5542. bulletChat = -1;
  5543. } else {
  5544. bulletChat = sFormatUtil.toPlayCountOrBulletChat(bulletChat);
  5545. }
  5546. let nDuration = el.querySelector('[class*="group-hover:opacity-0"]')?.textContent.trim() || null;
  5547. nDuration = sFormatUtil.timeStringToSeconds(nDuration);
  5548. const videoUrl = el.querySelector('[href*="https://www.bilibili.com/video"]')?.href;
  5549. const bv=elUtil.getUrlBV(videoUrl);
  5550. const insertionPositionEl = el.querySelector('[class="group/desc"]');
  5551. list.push({
  5552. title,
  5553. name,
  5554. uid,
  5555. bv,
  5556. userUrl,
  5557. videoUrl,
  5558. playCount,
  5559. bulletChat,
  5560. nDuration,
  5561. el: parentElement,
  5562. insertionPositionEl,
  5563. explicitSubjectEl: parentElement
  5564. });
  5565. }
  5566. return list
  5567. };
  5568. const getRightTabs = async () => {
  5569. const beEl = await getBewlyEl();
  5570. const els = await elUtil.findElementsUntilFound(".dock-content-inner>.b-tooltip-wrapper", {doc: beEl});
  5571. const list = [];
  5572. for (let el of els) {
  5573. const label = el.querySelector('.b-tooltip').textContent.trim();
  5574. const active = !!el.querySelector('.dock-item.group.active');
  5575. list.push({label, active, el});
  5576. }
  5577. return list;
  5578. };
  5579. const getHistoryVideoDataList = async () => {
  5580. const beEL = await getBewlyEl();
  5581. const elList = await elUtil.findElementsUntilFound("a.group[flex][cursor-pointer]", {doc: beEL});
  5582. const list = [];
  5583. for (let el of elList) {
  5584. const titleEl = el.querySelector('h3.keep-two-lines');
  5585. const videoUrlEl = titleEl.parentElement;
  5586. const userEl = videoUrlEl.nextElementSibling;
  5587. const videoUrl = videoUrlEl.href;
  5588. const bv=elUtil.getUrlBV(videoUrl);
  5589. const userUrl = userEl.href;
  5590. const uid = elUtil.getUrlUID(userUrl);
  5591. const name = userEl.textContent.trim();
  5592. const title = titleEl?.textContent.trim();
  5593. const tempTime = el.querySelector('div[pos][rounded-8]')?.textContent.trim().split(/[\t\r\f\n\s]*/g).join("");
  5594. const match = tempTime?.match(/\/(.*)/);
  5595. let nDuration = match?.[1];
  5596. nDuration = sFormatUtil.timeStringToSeconds(nDuration);
  5597. list.push({
  5598. title,
  5599. userUrl,
  5600. name,
  5601. uid,
  5602. videoUrl,
  5603. nDuration,
  5604. bv,
  5605. el,
  5606. insertionPositionEl: videoUrlEl.parentElement,
  5607. explicitSubjectEl: el
  5608. });
  5609. }
  5610. return list
  5611. };
  5612. const startShieldingHistoryVideoList = async () => {
  5613. const list = await getHistoryVideoDataList();
  5614. for (let videoData of list) {
  5615. if (shielding.shieldingVideoDecorated(videoData)) {
  5616. continue
  5617. }
  5618. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingHistoryVideoList});
  5619. }
  5620. };
  5621. const startShieldingVideoList$2 = async () => {
  5622. const list = await getVideoList();
  5623. for (let videoData of list) {
  5624. if (shielding.shieldingVideoDecorated(videoData)) {
  5625. continue
  5626. }
  5627. eventEmitter.send('视频添加屏蔽按钮-BewlyBewly', {data: videoData, maskingFunc: startShieldingVideoList$2});
  5628. }
  5629. };
  5630. const intervalExecutionStartShieldingVideo$2 = () => {
  5631. const res = shielding.intervalExecutionStartShieldingVideoInert(startShieldingVideoList$2, '视频');
  5632. return () => {
  5633. return res
  5634. }
  5635. };
  5636. const intervalExecutionStartShieldingHistoryVideo = () => {
  5637. const res = shielding.intervalExecutionStartShieldingVideoInert(startShieldingHistoryVideoList, '历史记录');
  5638. return () => {
  5639. return res
  5640. }
  5641. };
  5642. const startShieldingVideo$1 = intervalExecutionStartShieldingVideo$2();
  5643. const startShieldingHistoryVideo = intervalExecutionStartShieldingHistoryVideo();
  5644. const rightTabsInsertListener = () => {
  5645. getRightTabs().then(list => {
  5646. for (let {el, label, active} of list) {
  5647. el.addEventListener('click', () => {
  5648. console.log('右侧选项卡栏点击了' + label, active);
  5649. if (label === '首页') {
  5650. homeTopTabsInsertListener();
  5651. startShieldingVideo$1().start();
  5652. } else {
  5653. startShieldingVideo$1().stop();
  5654. }
  5655. if (label === '观看历史') {
  5656. startShieldingHistoryVideo().start();
  5657. } else {
  5658. startShieldingHistoryVideo().stop();
  5659. }
  5660. }
  5661. );
  5662. }
  5663. }
  5664. );
  5665. };
  5666. const getHomeTopTabs = async () => {
  5667. const beEl = await getBewlyEl();
  5668. const els = beEl.querySelectorAll('.home-tabs-inside>[data-overlayscrollbars-contents]>button');
  5669. const list = [];
  5670. for (let el of els) {
  5671. const label = el.textContent.trim();
  5672. const active = el.classList.contains('tab-activated');
  5673. list.push({label, active, el});
  5674. }
  5675. if (list.some(tab => tab.active === true)) {
  5676. return list
  5677. }
  5678. return await getHomeTopTabs()
  5679. };
  5680. const excludeTabNames = ['正在关注', '订阅剧集', '直播'];
  5681. const excludeRankingLeftTabNames = ['番剧', '综艺', '电视剧', '纪录片', '中国动画'];
  5682. const homeTopTabsInsertListener = () => {
  5683. getHomeTopTabs().then(list => {
  5684. for (let {el, label} of list) {
  5685. el.addEventListener('click', () => {
  5686. console.log('点击了' + label);
  5687. if (excludeTabNames.includes(label)) {
  5688. startShieldingVideo$1().stop();
  5689. return
  5690. }
  5691. if (label === '排行') {
  5692. rankingLeftTabsInsertListener();
  5693. }
  5694. startShieldingVideo$1().start();
  5695. });
  5696. }
  5697. });
  5698. };
  5699. const getRankingLeftTabs = async () => {
  5700. const beEl = await getBewlyEl();
  5701. const elList = await elUtil.findElementsUntilFound('ul[flex="~ col gap-2"]>li', {doc: beEl});
  5702. const list = [];
  5703. for (let el of elList) {
  5704. const label = el.textContent.trim();
  5705. list.push({label, el});
  5706. }
  5707. return list
  5708. };
  5709. const rankingLeftTabsInsertListener = () => {
  5710. getRankingLeftTabs().then(list => {
  5711. for (let {el, label} of list) {
  5712. el.addEventListener('click', () => {
  5713. console.log('点击了' + label);
  5714. if (excludeRankingLeftTabNames.includes(label)) {
  5715. startShieldingVideo$1().stop();
  5716. return
  5717. }
  5718. startShieldingVideo$1().start();
  5719. });
  5720. }
  5721. });
  5722. };
  5723. const installBEWLStyle = () => {
  5724. getBewlyEl().then(el => {
  5725. gz_ui_css.addStyle(el, el);
  5726. });
  5727. };
  5728. const searchBoxInsertListener = async () => {
  5729. const beEl = await getBewlyEl();
  5730. const input = await elUtil.findElementUntilFound('[placeholder="搜索观看历史"]', {doc: beEl});
  5731. input.addEventListener('keydown', (event) => {
  5732. if (event.key === 'Enter' || event.keyCode === 13) {
  5733. console.log('回车键被按下');
  5734. if (input['value'].length === 0) return
  5735. setTimeout(startShieldingHistoryVideoList, 1500);
  5736. }
  5737. });
  5738. };
  5739. const startRun$1 = async (url) => {
  5740. const parseUrl = defUtil.parseUrl(url);
  5741. const {page} = parseUrl.queryParams;
  5742. installBEWLStyle();
  5743. if (page === 'Home' ||
  5744. url.startsWith('https://www.bilibili.com/?spm_id_from=') ||
  5745. url === 'https://www.bilibili.com/'
  5746. ) {
  5747. startShieldingVideo$1().start();
  5748. homeTopTabsInsertListener();
  5749. }
  5750. if (page === 'History') {
  5751. startShieldingHistoryVideo().start();
  5752. searchBoxInsertListener();
  5753. }
  5754. rightTabsInsertListener();
  5755. };
  5756. var compatibleBewlyBewly = {
  5757. startRun: startRun$1,
  5758. isBEWLYPage,
  5759. };
  5760. const isNewHistoryPage = (url) => {
  5761. return url.includes('://www.bilibili.com/history')
  5762. };
  5763. const getDuration = (str) => {
  5764. if (str === null) {
  5765. return -1
  5766. }
  5767. if (str.includes('已看完') || str === '') {
  5768. return -1
  5769. } else {
  5770. const match = str?.match(/\/(.*)/);
  5771. if (match) {
  5772. return sFormatUtil.timeStringToSeconds(match[1]);
  5773. }
  5774. }
  5775. return -1
  5776. };
  5777. const getVideoDataList$3 = async () => {
  5778. const elList = await elUtil.findElementsUntilFound('.section-cards.grid-mode>div');
  5779. const list = [];
  5780. for (let el of elList) {
  5781. const titleEl = el.querySelector('.bili-video-card__title');
  5782. const title = titleEl.textContent.trim();
  5783. const videoUrl = titleEl.firstElementChild.href||null;
  5784. if (videoUrl?.includes('live.bilibili.com')) {
  5785. continue
  5786. }
  5787. const bv=elUtil.getUrlBV(videoUrl);
  5788. const userEl = el.querySelector('.bili-video-card__author');
  5789. const cardTag = el.querySelector('.bili-cover-card__tag')?.textContent.trim() || null;
  5790. const name = userEl.textContent.trim();
  5791. const userUrl = userEl.href;
  5792. const uid = elUtil.getUrlUID(userUrl);
  5793. let nDuration = -1;
  5794. if (cardTag !== '专栏') {
  5795. nDuration = el.querySelector('.bili-cover-card__stat')?.textContent.trim() || null;
  5796. nDuration = getDuration(nDuration);
  5797. }
  5798. const tempEL = el.querySelector('.bili-video-card__details');
  5799. list.push({
  5800. title,
  5801. videoUrl,
  5802. name,
  5803. userUrl,
  5804. nDuration,
  5805. uid,
  5806. el,
  5807. bv,
  5808. insertionPositionEl: tempEL,
  5809. explicitSubjectEl: tempEL
  5810. });
  5811. }
  5812. return list
  5813. };
  5814. const startShieldingVideoList$1 = async () => {
  5815. const list = await getVideoDataList$3();
  5816. for (let videoData of list) {
  5817. if (shielding.shieldingVideoDecorated(videoData)) {
  5818. continue;
  5819. }
  5820. shielding.addBlockButton({data: videoData, maskingFunc: startShieldingVideoList$1}, "gz_shielding_button");
  5821. }
  5822. };
  5823. const intervalExecutionStartShieldingVideo$1 = () => {
  5824. const res = shielding.intervalExecutionStartShieldingVideoInert(startShieldingVideoList$1, '历史记录项');
  5825. return () => {
  5826. return res
  5827. }
  5828. };
  5829. const executionStartShieldingVideo = intervalExecutionStartShieldingVideo$1();
  5830. const getTopFilterLabel = async () => {
  5831. const el = await elUtil.findElementUntilFound('.radio-filter>.radio-filter__item--active');
  5832. return el.textContent?.trim()
  5833. };
  5834. const topFilterInsertListener = () => {
  5835. elUtil.findElementUntilFound('.radio-filter').then((el => {
  5836. el.addEventListener('click', (e) => {
  5837. const target = e.target;
  5838. const label = target.textContent?.trim();
  5839. console.log(`点击了${label}`);
  5840. if (label === '直播') {
  5841. executionStartShieldingVideo().stop();
  5842. return
  5843. }
  5844. executionStartShieldingVideo().start();
  5845. });
  5846. }));
  5847. };
  5848. const startRun = () => {
  5849. getTopFilterLabel().then(label => {
  5850. if (label === '直播') {
  5851. return
  5852. }
  5853. executionStartShieldingVideo().start();
  5854. });
  5855. topFilterInsertListener();
  5856. };
  5857. var newHistory = {
  5858. isNewHistoryPage,
  5859. intervalExecutionStartShieldingVideo: intervalExecutionStartShieldingVideo$1,
  5860. startRun
  5861. };
  5862. const startShieldingHotList = async () => {
  5863. const elList = await elUtil.findElements(".trendings-col>.trending-item",
  5864. {interval: 2000});
  5865. console.log("检查热搜关键词中...");
  5866. const hotSearchKeyArr = ruleKeyListData$1.getHotSearchKeyArr();
  5867. const hotSearchKeyCanonicalArr = ruleKeyListData$1.getHotSearchKeyCanonicalArr();
  5868. for (let el of elList) {
  5869. const label = el.textContent.trim();
  5870. let match = ruleMatchingUtil.fuzzyMatch(hotSearchKeyArr, label);
  5871. if (match) {
  5872. el.remove();
  5873. eventEmitter.send('打印信息', `根据模糊热搜关键词-【${match}】-屏蔽-${label}`);
  5874. continue;
  5875. }
  5876. match = ruleMatchingUtil.regexMatch(hotSearchKeyCanonicalArr, label);
  5877. if (match) {
  5878. eventEmitter.send('打印信息', `根据正则热搜关键词-【${match}】-屏蔽-${label}`);
  5879. el.remove();
  5880. }
  5881. }
  5882. };
  5883. var hotSearch = {
  5884. startShieldingHotList
  5885. };
  5886. const isMessagePage = (url = window.location.href) => {
  5887. return url.includes("message.bilibili.com");
  5888. };
  5889. const modifyTopItemsZIndex = () => {
  5890. elUtil.findElement('#home_nav').then(el => {
  5891. el.style.zIndex = 1000;
  5892. eventEmitter.send('打印信息', '已修改顶部的z-index值为1');
  5893. });
  5894. };
  5895. var messagePage = {
  5896. isMessagePage,
  5897. modifyTopItemsZIndex,
  5898. };
  5899. const isSpacePage = (url = window.location.href) => {
  5900. return url.startsWith('https://space.bilibili.com/')
  5901. };
  5902. const isPersonalHomepage = async () => {
  5903. const keyStr = 'isPersonalHomepage';
  5904. const cache = valueCache.get(keyStr);
  5905. if (cache) {
  5906. return cache
  5907. }
  5908. const {
  5909. state: newState,
  5910. data: newData
  5911. } = await elUtil.findElements('.nav-tab__item .nav-tab__item-text', {timeout: 2500});
  5912. if (newState) {
  5913. const bool = newData.some(el => el.textContent.trim() === '设置');
  5914. valueCache.set('space_version', 'new');
  5915. return valueCache.set(keyStr, bool);
  5916. }
  5917. let {state} = await elUtil.findElement('.n-tab-links>.n-btn.n-setting>.n-text', {timeout: 1500});
  5918. valueCache.set('space_version', 'old');
  5919. return valueCache.set(keyStr, state);
  5920. };
  5921. const getUserInfo = async () => {
  5922. const spaceUserInfo = valueCache.get('space_userInfo');
  5923. if (spaceUserInfo) {
  5924. return spaceUserInfo
  5925. }
  5926. await isPersonalHomepage();
  5927. const nameData = {};
  5928. nameData.uid = elUtil.getUrlUID(window.location.href);
  5929. if (valueCache.get('space_version', 'new') === 'new') {
  5930. nameData.name = await elUtil.findElement('.nickname').then(el => el.textContent.trim());
  5931. } else {
  5932. nameData.name = await elUtil.findElement('#h-name').then(el => el.textContent.trim());
  5933. }
  5934. if (!nameData.name) {
  5935. const title = document.title;
  5936. nameData.name = title.match(/(.+)的个人空间/)[1];
  5937. }
  5938. valueCache.set('space_userInfo', nameData);
  5939. return nameData
  5940. };
  5941. var space = {
  5942. isPersonalHomepage,
  5943. isSpacePage,
  5944. getUserInfo
  5945. };
  5946. const bOnlyTheHomepageIsBlocked$2 = localMKData.getBOnlyTheHomepageIsBlocked();
  5947. const staticRoute = (title, url) => {
  5948. console.log("静态路由", title, url);
  5949. topInput.processTopInputContent();
  5950. if (bOnlyTheHomepageIsBlocked$2) return;
  5951. hotSearch.startShieldingHotList();
  5952. eventEmitter.send('通知屏蔽');
  5953. if (compatibleBewlyBewly.isBEWLYPage(url)) {
  5954. if (localMKData.isCompatible_BEWLY_BEWLY()) {
  5955. compatibleBewlyBewly.startRun(url);
  5956. return;
  5957. }
  5958. }
  5959. if (bilibiliHome.isHome(url, title)) {
  5960. if (localMKData.isCompatible_BEWLY_BEWLY()) {
  5961. return;
  5962. }
  5963. bilibiliHome.scrollMouseUpAndDown().then(() => bilibiliHome.startDebounceShieldingChangeVideoList());
  5964. bilibiliHome.startClearExcessContentList();
  5965. bilibiliHome.deDesktopDownloadTipEl();
  5966. }
  5967. if (searchModel.isSearch(url)) {
  5968. searchModel.searchTopTabsIWrapperInstallListener();
  5969. searchModel.startShieldingVideoList();
  5970. searchModel.currentlyActivatedOptions();
  5971. searchLive.installStyle();
  5972. searchModel.delFooterContent();
  5973. }
  5974. if (videoPlayModel.isVideoPlayPage(url)) {
  5975. elUtil.findElement('.v-modal').then(() => {
  5976. const styleEl = document.createElement('style');
  5977. styleEl.innerHTML = `.v-modal {
  5978. z-index: auto !important;
  5979. }`;
  5980. document.head.appendChild(styleEl);
  5981. });
  5982. videoPlayModel.findTheExpandButtonForTheListOnTheRightAndBindTheEvent();
  5983. videoPlayModel.setVideoPlayerEnded();
  5984. videoPlayModel.delElManagement();
  5985. }
  5986. if (collectionVideoPlayPageModel.iscCollectionVideoPlayPage(url)) {
  5987. collectionVideoPlayPageModel.findTheExpandButtonForTheListOnTheRightAndBindTheEvent();
  5988. }
  5989. if (liveRoomModel.isLiveRoom(url)) {
  5990. liveRoomModel.addWatchLiveRoomChatItemsListener();
  5991. }
  5992. if (videoPlayWatchLater.isVideoPlayWatchLaterPage(url)) {
  5993. videoPlayWatchLater.findTheExpandButtonForTheListOnTheRightAndBindTheEvent();
  5994. }
  5995. if (newHistory.isNewHistoryPage(url)) {
  5996. newHistory.startRun();
  5997. }
  5998. if (messagePage.isMessagePage(url)) {
  5999. messagePage.modifyTopItemsZIndex();
  6000. }
  6001. if (space.isSpacePage()) {
  6002. space.getUserInfo().then(userInfo => {
  6003. console.info('userInfo', userInfo);
  6004. });
  6005. }
  6006. };
  6007. const dynamicRouting = (title, url) => {
  6008. console.log("动态路由", title, url);
  6009. if (bOnlyTheHomepageIsBlocked$2) return;
  6010. eventEmitter.send('通知屏蔽');
  6011. };
  6012. var router = {
  6013. staticRoute,
  6014. dynamicRouting
  6015. };
  6016. const isTopicDetailPage = (url) => {
  6017. return url.includes("//www.bilibili.com/v/topic/detail/")
  6018. };
  6019. const getDataList$1 = async () => {
  6020. const elList = await elUtil.findElementsUntilFound(".list__topic-card");
  6021. const list = [];
  6022. for (let el of elList) {
  6023. const name = el.querySelector(".bili-dyn-title").textContent.trim();
  6024. const uidEl = el.querySelector(".bili-dyn-item__following");
  6025. const uid = parseInt(uidEl.getAttribute("data-mid"));
  6026. const judgmentEl = el.querySelector(".bili-dyn-card-video__title");
  6027. const data = {name, uid, el, judgmentVideo: judgmentEl !== null};
  6028. if (judgmentEl !== null) {
  6029. data.title = judgmentEl.textContent.trim();
  6030. const videoUrl = el.querySelector(".bili-dyn-card-video").href;
  6031. data.videoUrl = videoUrl;
  6032. data.bv = elUtil.getUrlBV(videoUrl);
  6033. data.insertionPositionEl = el.querySelector(".bili-dyn-content__orig");
  6034. data.explicitSubjectEl = data.insertionPositionEl;
  6035. } else {
  6036. const dynTitle = el.querySelector(".dyn-card-opus__title");
  6037. const contentTitle = dynTitle === null ? "" : dynTitle.textContent.trim();
  6038. const contentBody = el.querySelector(".bili-rich-text>div").textContent.trim();
  6039. data.insertionPositionEl = el.querySelector(".dyn-card-opus");
  6040. data.explicitSubjectEl = data.insertionPositionEl;
  6041. data.content = contentTitle + contentBody;
  6042. }
  6043. list.push(data);
  6044. }
  6045. return list;
  6046. };
  6047. const __shieldingVideo = (videoData) => {
  6048. if (shielding.shieldingVideoDecorated(videoData)) {
  6049. return;
  6050. }
  6051. shielding.addTopicDetailVideoBlockButton({data: videoData, maskingFunc: startShielding});
  6052. };
  6053. const __shieldingDynamic = (dynamicData) => {
  6054. if (shielding.shieldingCommentDecorated(dynamicData)) {
  6055. return;
  6056. }
  6057. shielding.addTopicDetailContentsBlockButton({data: dynamicData, maskingFunc: startShielding});
  6058. };
  6059. const startShielding = async () => {
  6060. const list = await getDataList$1();
  6061. const css = {width: "100%"};
  6062. for (let data of list) {
  6063. data.css = css;
  6064. if (data.judgmentVideo) {
  6065. __shieldingVideo(data);
  6066. } else {
  6067. __shieldingDynamic(data);
  6068. }
  6069. }
  6070. };
  6071. var topicDetail = {
  6072. isTopicDetailPage,
  6073. startShielding
  6074. };
  6075. eventEmitter.on('评论添加屏蔽按钮', (commentsData) => {
  6076. shielding.addBlockButton({
  6077. data: commentsData,
  6078. maskingFunc: startShieldingComments
  6079. }, "gz_shielding_comment_button");
  6080. });
  6081. const getUrlUserLevel = (src) => {
  6082. const levelMath = src?.match(/level_(.+)\.svg/) || null;
  6083. let level = -1;
  6084. if (levelMath !== null) {
  6085. const levelRow = levelMath[1];
  6086. if (levelRow === 'h') {
  6087. level = 7;
  6088. } else {
  6089. level = parseInt(levelRow);
  6090. }
  6091. }
  6092. return level;
  6093. };
  6094. const getOldUserLevel = (iEl) => {
  6095. let level = -1;
  6096. const levelCLassName = iEl.classList[1];
  6097. if (levelCLassName === 'level-hardcore') {
  6098. level = 7;
  6099. } else {
  6100. const levelMatch = levelCLassName.match(/level-(.+)/)?.[1] || '';
  6101. level = parseInt(levelMatch);
  6102. }
  6103. return level
  6104. };
  6105. const getCommentSectionList = async () => {
  6106. const commentApp = await elUtil.findElementUntilFound("bili-comments",
  6107. {interval: 500});
  6108. const comments = await elUtil.findElementsUntilFound("#feed>bili-comment-thread-renderer",
  6109. {doc: commentApp.shadowRoot, interval: 500});
  6110. const commentsData = [];
  6111. let isLoaded = false;
  6112. for (let el of comments) {
  6113. const theOPEl = el.shadowRoot.getElementById("comment").shadowRoot;
  6114. const theOPUserInfo = theOPEl.querySelector("bili-comment-user-info")
  6115. .shadowRoot.getElementById("info");
  6116. const userNameEl = theOPUserInfo.querySelector("#user-name>a");
  6117. const userLevelSrc = theOPUserInfo.querySelector('#user-level>img')?.src || null;
  6118. const level = getUrlUserLevel(userLevelSrc);
  6119. isLoaded = theOPEl.querySelector("#content>bili-rich-text")
  6120. .shadowRoot.querySelector("#contents>*") !== null;
  6121. if (!isLoaded) {
  6122. break;
  6123. }
  6124. const theOPContentEl = theOPEl.querySelector("#content>bili-rich-text")
  6125. .shadowRoot.querySelector("#contents");
  6126. const theOPContent = theOPContentEl.textContent.trim();
  6127. const userName = userNameEl.textContent.trim();
  6128. const userUrl = userNameEl.href;
  6129. const uid = elUtil.getUrlUID(userUrl);
  6130. const replies = [];
  6131. commentsData.push({
  6132. name: userName,
  6133. userUrl,
  6134. uid,
  6135. level,
  6136. content: theOPContent,
  6137. replies,
  6138. el,
  6139. insertionPositionEl: theOPUserInfo,
  6140. explicitSubjectEl: theOPEl.querySelector("#body")
  6141. });
  6142. const inTheBuildingEls = el.shadowRoot.querySelector("bili-comment-replies-renderer")
  6143. .shadowRoot.querySelectorAll("bili-comment-reply-renderer");
  6144. for (let inTheBuildingEl of inTheBuildingEls) {
  6145. const inTheContentEl = inTheBuildingEl.shadowRoot;
  6146. const biliCommentUserInfo = inTheContentEl.querySelector("bili-comment-user-info");
  6147. biliCommentUserInfo.style.display = 'block';
  6148. const inTheBuildingUserInfo = biliCommentUserInfo.shadowRoot.getElementById("info");
  6149. const inTheBuildingUserNameEl = inTheBuildingUserInfo.querySelector("#user-name>a");
  6150. const inTheBuildingUserName = inTheBuildingUserNameEl.textContent.trim();
  6151. const inTheBuildingUserUrl = inTheBuildingUserNameEl.href;
  6152. const inTheBuildingUid = elUtil.getUrlUID(inTheBuildingUserUrl);
  6153. const biliRichTextEL = inTheContentEl.querySelector("bili-rich-text");
  6154. const inTheBuildingContent = biliRichTextEL.shadowRoot.getElementById("contents").textContent.trim();
  6155. const userLevelSrc = inTheBuildingUserInfo.querySelector('#user-level>img')?.src || null;
  6156. const level = getUrlUserLevel(userLevelSrc);
  6157. replies.push({
  6158. name: inTheBuildingUserName,
  6159. userUrl: inTheBuildingUserUrl,
  6160. uid: inTheBuildingUid,
  6161. level,
  6162. content: inTheBuildingContent,
  6163. el: inTheBuildingEl,
  6164. insertionPositionEl: inTheBuildingUserInfo,
  6165. explicitSubjectEl: inTheBuildingEl
  6166. });
  6167. }
  6168. }
  6169. if (!isLoaded) {
  6170. await defUtil.wait(500);
  6171. return getCommentSectionList()
  6172. }
  6173. return commentsData;
  6174. };
  6175. const getOldCommentSectionList = async () => {
  6176. let results;
  6177. try {
  6178. results = await elUtil.findElementsUntilFound(".reply-list>.reply-item", {timeout: 5000});
  6179. } catch (e) {
  6180. return []
  6181. }
  6182. const commentsData = [];
  6183. for (let el of results) {
  6184. const theOPEl = el.querySelector(".root-reply-container");
  6185. const theOPUserInfoEl = theOPEl.querySelector(".user-name");
  6186. const userName = theOPUserInfoEl.textContent.trim();
  6187. const uid = parseInt(theOPUserInfoEl.getAttribute("data-user-id"));
  6188. const userUrl = `https://space.bilibili.com/${uid}`;
  6189. const theOPContent = theOPEl.querySelector(".reply-content").textContent.trim();
  6190. const userInfoEl = el.querySelector(".user-info");
  6191. const iEl = userInfoEl.querySelector('i');
  6192. const level = getOldUserLevel(iEl);
  6193. const replies = [];
  6194. commentsData.push({
  6195. name: userName,
  6196. userUrl,
  6197. uid,
  6198. content: theOPContent,
  6199. level,
  6200. replies,
  6201. el,
  6202. insertionPositionEl: userInfoEl,
  6203. explicitSubjectEl: el.querySelector(".content-warp")
  6204. });
  6205. const inTheBuildingEls = el.querySelectorAll(".sub-reply-container>.sub-reply-list>.sub-reply-item");
  6206. for (let inTheBuildingEl of inTheBuildingEls) {
  6207. const subUserNameEl = inTheBuildingEl.querySelector(".sub-user-name");
  6208. const uid = parseInt(subUserNameEl.getAttribute("data-user-id"));
  6209. const userName = subUserNameEl.textContent.trim();
  6210. const userUrl = `https://space.bilibili.com/${uid}`;
  6211. const subContent = inTheBuildingEl.querySelector(".reply-content").textContent.trim();
  6212. const subUserInfoEl = inTheBuildingEl.querySelector(".sub-user-info");
  6213. const iEl = subUserInfoEl.querySelector('i');
  6214. const level = getOldUserLevel(iEl);
  6215. const replyContentContainerEl = inTheBuildingEl.querySelector('span.reply-content-container');
  6216. replyContentContainerEl.style.display = 'block';
  6217. replies.push({
  6218. name: userName,
  6219. userUrl,
  6220. uid,
  6221. level,
  6222. content: subContent,
  6223. el: inTheBuildingEl,
  6224. insertionPositionEl: subUserInfoEl,
  6225. explicitSubjectEl: inTheBuildingEl
  6226. });
  6227. }
  6228. }
  6229. return commentsData;
  6230. };
  6231. const startShieldingComments = async () => {
  6232. if (videoPlayModel.isVideoPlayPage() && localMKData.isDelBottomComment()) {
  6233. return
  6234. }
  6235. let list;
  6236. const href = window.location.href;
  6237. if (localMKData.isDiscardOldCommentAreas()) {
  6238. list = await getCommentSectionList();
  6239. } else if (href.includes("https://space.bilibili.com/") || topicDetail.isTopicDetailPage(href)) {
  6240. list = await getOldCommentSectionList();
  6241. } else {
  6242. list = await getCommentSectionList();
  6243. }
  6244. shielding.shieldingComments(list);
  6245. };
  6246. var commentSectionModel = {
  6247. startShieldingComments
  6248. };
  6249. const getVideDataList = async (isWeekly = false) => {
  6250. const css = isWeekly ? ".video-list>.video-card" : ".card-list>.video-card";
  6251. const elList = await elUtil.findElementsUntilFound(css);
  6252. const list = [];
  6253. for (let el of elList) {
  6254. const videoCardInfoEl = el.querySelector(".video-card__info");
  6255. const title = videoCardInfoEl.querySelector(".video-name").title.trim();
  6256. const name = videoCardInfoEl.querySelector(".up-name__text").title;
  6257. const videoUrl = el.querySelector('.video-card__content>a')?.href || null;
  6258. const bv = elUtil.getUrlBV(videoUrl);
  6259. let nPlayCount = el.querySelector('.play-text').textContent.trim();
  6260. nPlayCount = sFormatUtil.toPlayCountOrBulletChat(nPlayCount);
  6261. let nBulletChat = el.querySelector('.like-text').textContent.trim();
  6262. nBulletChat = sFormatUtil.toPlayCountOrBulletChat(nBulletChat);
  6263. list.push({
  6264. el,
  6265. title,
  6266. name,
  6267. uid: -1,
  6268. videoUrl,
  6269. bv,
  6270. nPlayCount,
  6271. nBulletChat,
  6272. nDuration: -1,
  6273. insertionPositionEl: videoCardInfoEl.querySelector("div"),
  6274. explicitSubjectEl: videoCardInfoEl
  6275. });
  6276. }
  6277. return list;
  6278. };
  6279. const startShieldingVideoList = async (isWeekly = false) => {
  6280. const list = await getVideDataList(isWeekly);
  6281. for (let videoData of list) {
  6282. if (shielding.shieldingVideoDecorated(videoData)) {
  6283. continue;
  6284. }
  6285. eventEmitter.send('添加热门视频屏蔽按钮', {data: videoData, maskingFunc: startShieldingVideoList});
  6286. }
  6287. };
  6288. var popularAll = {
  6289. startShieldingVideoList
  6290. };
  6291. const isDynamicPage = (url) => {
  6292. return url.search("space.bilibili.com/\\d+/dynamic") !== -1;
  6293. };
  6294. const getDataList = async () => {
  6295. const elList = await elUtil.findElementsUntilFound(".bili-dyn-list__items>.bili-dyn-list__item");
  6296. const list = [];
  6297. for (let el of elList) {
  6298. const videoCardEl = el.querySelector(".bili-dyn-card-video__title");
  6299. const name = el.querySelector(".bili-dyn-title").textContent.trim();
  6300. const tagEl = el.querySelector(".bili-dyn-topic__text");
  6301. const data = {el, name};
  6302. if (tagEl !== null) {
  6303. data.tag = tagEl.textContent.trim();
  6304. }
  6305. data.judgmentVideo = videoCardEl !== null;
  6306. if (data.judgmentVideo) {
  6307. data.title = videoCardEl.textContent.trim();
  6308. } else {
  6309. const contentTitleEL = el.querySelector(".dyn-card-opus>.dyn-card-opus__title");
  6310. const contentTitle = contentTitleEL === null ? "" : contentTitleEL.textContent.trim();
  6311. const contentElBody = el.querySelector(".bili-rich-text").textContent.trim();
  6312. data.content = contentTitle + contentElBody;
  6313. }
  6314. list.push(data);
  6315. }
  6316. return list;
  6317. };
  6318. const startShieldingDynamicContent = async () => {
  6319. const personalHomepage = space.isPersonalHomepage();
  6320. if (personalHomepage) return;
  6321. const list = await getDataList();
  6322. for (let dynamicContent of list) {
  6323. shielding.shieldingDynamicDecorated(dynamicContent);
  6324. }
  6325. };
  6326. const startThrottleShieldingDynamicContent = defUtil.throttle(startShieldingDynamicContent, 2000);
  6327. var dynamic = {
  6328. isDynamicPage,
  6329. startThrottleShieldingDynamicContent
  6330. };
  6331. const isLiveSection = (url) => {
  6332. return url.includes("live.bilibili.com/p/eden/area-tags")
  6333. };
  6334. const getRoomCardDataList = async () => {
  6335. const elList = await elUtil.findElementsUntilFound("#room-card-list>div");
  6336. const list = [];
  6337. for (let el of elList) {
  6338. const liveUrl = el.querySelector("#card").href;
  6339. const name = el.querySelector(".Item_nickName_KO2QE").textContent.trim();
  6340. const title = el.querySelector(".Item_roomTitle_ax3eD").textContent.trim();
  6341. const partition = el.querySelector(".Item_area-name_PXDG4")?.textContent.trim() || null;
  6342. const popularity = el.querySelector(".Item_onlineCount_FmOW6").textContent.trim();
  6343. list.push({liveUrl, name, title, partition, popularity, el});
  6344. }
  6345. return list;
  6346. };
  6347. const startShieldingLiveRoom$1 = async () => {
  6348. const liveList = await getRoomCardDataList();
  6349. for (let liveData of liveList) {
  6350. shielding.shieldingLiveRoomDecorated(liveData);
  6351. }
  6352. };
  6353. var liveSectionModel = {
  6354. isLiveSection,
  6355. startShieldingLiveRoom: startShieldingLiveRoom$1
  6356. };
  6357. const isLiveHomePage = (url) => {
  6358. return url.includes("https://live.bilibili.com/?spm_id_from=333.1007.0.0") ||
  6359. url === "https://live.bilibili.com/"
  6360. };
  6361. const getTopLiveRoomDataList = async () => {
  6362. const verification = await elUtil.findElementUntilFound(".v-top>.aside-item .t-left.aside-item-tips.p-absolute.w-100.border-box");
  6363. if (verification.textContent.trim() === "--") {
  6364. return await getTopLiveRoomDataList();
  6365. }
  6366. const elList = await elUtil.findElementsUntilFound(".v-top>.aside-item", {interval: 2000});
  6367. const list = [];
  6368. for (let el of elList) {
  6369. const classList = el.classList;
  6370. const active = classList.contains("active");
  6371. const title = el.getAttribute("title");
  6372. const {up_id: uid, room_id} = JSON.parse(el.getAttribute("data-report"));
  6373. const liveUrl = `https://live.bilibili.com/${room_id}`;
  6374. list.push({title, uid, active, liveUrl, el});
  6375. }
  6376. return list;
  6377. };
  6378. const getLiveRoomDataList = async () => {
  6379. const elList = await elUtil.findElementsUntilFound(".room-card-wrapper.p-relative.dp-i-block");
  6380. const list = [];
  6381. for (let el of elList) {
  6382. const cardEl = el.querySelector(".room-card-ctnr.p-relative.w-100");
  6383. const cardData = JSON.parse(cardEl.getAttribute("data-bl-report-click") || "");
  6384. const {up_id: uid, room_id} = cardData.msg;
  6385. const liveUrl = `https://live.bilibili.com/${room_id}`;
  6386. const name = el.querySelector(".room-anchor>span").textContent.trim();
  6387. const title = el.querySelector(".room-title.card-text").textContent.trim();
  6388. const partition = el.querySelector(".area-name").textContent.trim();
  6389. const popularity = el.querySelector(".room-anchor .v-middle").textContent.trim();
  6390. list.push({name, title, partition, popularity, liveUrl, uid, el});
  6391. }
  6392. return list;
  6393. };
  6394. const startShieldingLiveRoom = async () => {
  6395. const list = await getLiveRoomDataList();
  6396. for (let liveData of list) {
  6397. shielding.shieldingLiveRoomDecorated(liveData);
  6398. }
  6399. };
  6400. const startShieldingTopLiveRoom = async () => {
  6401. const list = await getTopLiveRoomDataList();
  6402. for (let liveData of list) {
  6403. shielding.shieldingLiveRoomDecorated(liveData);
  6404. }
  6405. };
  6406. var liveHome = {
  6407. isLiveHomePage,
  6408. startShieldingLiveRoom,
  6409. startShieldingTopLiveRoom
  6410. };
  6411. const isPartition = (url) => {
  6412. return url.includes('www.bilibili.com/v/');
  6413. };
  6414. const getHotVideoDayList = async () => {
  6415. const elList = await elUtil.findElementsUntilFound('.bili-rank-list-video__item');
  6416. const list = [];
  6417. for (let el of elList) {
  6418. let videoUrlEl = el.querySelector('a.rank-video-card');
  6419. const titleEl = el.querySelector('.rank-video-card__info--tit');
  6420. const videoUrl = videoUrlEl.href;
  6421. const title = titleEl.textContent.trim();
  6422. const bv = elUtil.getUrlBV(videoUrl);
  6423. list.push({
  6424. title, videoUrl, bv, el
  6425. });
  6426. }
  6427. return list
  6428. };
  6429. const getVideoDataList$2 = async () => {
  6430. const elList = await elUtil.findElementsUntilFound('.bili-video-card');
  6431. const list = [];
  6432. const oneTitleEl = elList[0].querySelector('.bili-video-card__info--tit>a');
  6433. if (oneTitleEl === null) {
  6434. await defUtil.wait();
  6435. return await getVideoDataList$2()
  6436. }
  6437. for (let el of elList) {
  6438. const titleEl = el.querySelector('.bili-video-card__info--tit>a');
  6439. if (titleEl === null) {
  6440. continue
  6441. }
  6442. const userEl = el.querySelector('a.bili-video-card__info--owner');
  6443. const playAndDmu = el.querySelectorAll('.bili-video-card__stats--item>span');
  6444. let nDuration = el.querySelector('.bili-video-card__stats__duration')?.textContent.trim();
  6445. let nPlayCount = playAndDmu[0]?.textContent.trim();
  6446. nPlayCount = sFormatUtil.toPlayCountOrBulletChat(nPlayCount);
  6447. let nBulletChat = playAndDmu[1]?.textContent.trim();
  6448. nBulletChat = sFormatUtil.toPlayCountOrBulletChat(nBulletChat);
  6449. nDuration = sFormatUtil.toPlayCountOrBulletChat(nDuration);
  6450. const title = titleEl.textContent.trim();
  6451. const videoUrl = titleEl.href;
  6452. const userUrl = userEl.href;
  6453. const name = userEl
  6454. .querySelector('.bili-video-card__info--author')
  6455. ?.textContent.trim() || null;
  6456. const uid = elUtil.getUrlUID(userUrl);
  6457. const bv = elUtil.getUrlBV(videoUrl);
  6458. list.push({
  6459. name, title, uid, bv, userUrl, videoUrl, el,
  6460. nPlayCount, nBulletChat, nDuration,
  6461. explicitSubjectEl: el.querySelector('.bili-video-card__info'),
  6462. insertionPositionEl: el.querySelector('.bili-video-card__info--bottom')
  6463. });
  6464. }
  6465. return list
  6466. };
  6467. const shieldingVideoList = async () => {
  6468. const list = await getVideoDataList$2();
  6469. for (let videoData of list) {
  6470. if (shielding.shieldingVideoDecorated(videoData)) {
  6471. continue
  6472. }
  6473. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: shieldingVideoList});
  6474. }
  6475. };
  6476. const startShieldingHotVideoDayList = async () => {
  6477. const list = await getHotVideoDayList();
  6478. for (let videoData of list) {
  6479. shielding.shieldingVideoDecorated(videoData);
  6480. }
  6481. };
  6482. const startIntervalShieldingVideoList = () => {
  6483. setInterval(async () => {
  6484. await shieldingVideoList();
  6485. }, 1500);
  6486. };
  6487. var partition = {
  6488. isPartition,
  6489. startIntervalShieldingVideoList,
  6490. startShieldingHotVideoDayList
  6491. };
  6492. const bOnlyTheHomepageIsBlocked$1 = localMKData.getBOnlyTheHomepageIsBlocked();
  6493. const compatible_BEWLY_BEWLY = localMKData.isCompatible_BEWLY_BEWLY();
  6494. const observeNetwork = (url, windowUrl, winTitle, initiatorType) => {
  6495. if (!url.includes('api')) {
  6496. return;
  6497. }
  6498. if (bOnlyTheHomepageIsBlocked$1) {
  6499. if (!bilibiliHome.isHome(windowUrl, winTitle)) {
  6500. return;
  6501. }
  6502. }
  6503. if (url.startsWith("https://api.bilibili.com/x/web-interface/wbi/index/top/feed/rcmd?web_location=")) {
  6504. if (compatible_BEWLY_BEWLY) {
  6505. return;
  6506. }
  6507. bilibiliHome.startDebounceShieldingChangeVideoList();
  6508. bilibiliHome.startDebounceShieldingHomeVideoList();
  6509. console.log("检测到首页加载了换一换视频列表和其下面的视频列表");
  6510. return;
  6511. }
  6512. if (url.startsWith("https://api.bilibili.com/x/v2/reply/wbi/main?oid=")) {
  6513. console.log("检测到评论区楼主评论加载了");
  6514. commentSectionModel.startShieldingComments();
  6515. return;
  6516. }
  6517. if (url.startsWith("https://api.bilibili.com/x/v2/reply/reply?oid=")) {
  6518. console.log("检测到评论区楼主层中的子层评论列表加载了");
  6519. commentSectionModel.startShieldingComments();
  6520. }
  6521. if (url.startsWith("https://api.bilibili.com/x/web-interface/popular?ps=")) {
  6522. popularAll.startShieldingVideoList();
  6523. }
  6524. if (url.startsWith("https://api.bilibili.com/x/web-interface/popular/series/one?number=")) {
  6525. popularAll.startShieldingVideoList(true);
  6526. }
  6527. if (url.startsWith("https://api.bilibili.com/x/polymer/web-dynamic/v1/feed/space?offset=")) {
  6528. console.log("检测到用户动态加载了");
  6529. dynamic.startThrottleShieldingDynamicContent();
  6530. }
  6531. if (url.startsWith("https://api.live.bilibili.com/xlive/web-interface/v1/second/getList?platform=web&parent_area_id=")) {
  6532. console.log("检测到直播间加载了分区下的房间列表");
  6533. liveSectionModel.startShieldingLiveRoom();
  6534. }
  6535. if (url.startsWith("https://api.live.bilibili.com/xlive/web-interface/v1/index/getList?platform=web")) {
  6536. console.log("检测到直播间加载了推荐房间列表");
  6537. liveHome.startShieldingLiveRoom();
  6538. }
  6539. if (url.startsWith('https://api.bilibili.com/x/web-interface/ranking/region?day=')) {
  6540. console.log("检测到专区热门排行榜加载了");
  6541. partition.startShieldingHotVideoDayList();
  6542. }
  6543. };
  6544. var observeNetwork$1 = {
  6545. observeNetwork
  6546. };
  6547. const shielding_user_vue = {
  6548. template: `
  6549. <div>
  6550. <el-dropdown v-if="shieldingModelShow"
  6551. @command="dropdownEvent">
  6552. <el-button round>
  6553. 屏蔽操作<i class="el-icon-arrow-down el-icon--right"></i>
  6554. </el-button>
  6555. <el-dropdown-menu v-slot="dropdown">
  6556. <el-dropdown-item command="屏蔽uid"
  6557. v-if="shieldingUseUIDrButShow">屏蔽(uid)
  6558. </el-dropdown-item>
  6559. <el-dropdown-item command="移除屏蔽uid"
  6560. v-if="removedShieldingUIDrButShow">移除屏蔽(uid)
  6561. </el-dropdown-item>
  6562. <el-dropdown-item command="选择用户屏蔽" v-if="selectUserBlockingButShow">选择用户屏蔽</el-dropdown-item>
  6563. </el-dropdown-menu>
  6564. </el-dropdown>
  6565. </div>`,
  6566. data() {
  6567. return {
  6568. shieldingModelShow: true,
  6569. shieldingUseUIDrButShow: false,
  6570. removedShieldingUIDrButShow: false,
  6571. selectUserBlockingButShow: false,
  6572. uid: -1
  6573. }
  6574. },
  6575. methods: {
  6576. async dropdownEvent(item) {
  6577. if (item === '屏蔽uid') {
  6578. const {name, uid} = await space.getUserInfo();
  6579. this.$confirm(`是否屏蔽当前用户【${name}】uid=【${uid}】`, '提示', {
  6580. confirmButtonText: '确定',
  6581. cancelButtonText: '取消',
  6582. type: 'warning'
  6583. }).then(() => {
  6584. const {status, res} = ruleUtil.addRulePreciseUid(uid, false);
  6585. this.$alert(res);
  6586. if (status) {
  6587. this.shieldingUseUIDrButShow = false;
  6588. this.removedShieldingUIDrButShow = true;
  6589. }
  6590. });
  6591. return
  6592. }
  6593. if (item === '移除屏蔽uid') {
  6594. const {uid} = await space.getUserInfo();
  6595. ruleUtil.delRUlePreciseUid(uid);
  6596. return
  6597. }
  6598. if (item === '选择用户屏蔽') {
  6599. await videoPlayModel.selectUserBlocking();
  6600. return
  6601. }
  6602. this.$message('未知选项');
  6603. }
  6604. },
  6605. async created() {
  6606. if (videoPlayModel.isVideoPlayPage()) {
  6607. this.selectUserBlockingButShow = true;
  6608. }
  6609. if (space.isSpacePage()) {
  6610. this.urlUID = elUtil.getUrlUID(window.location.href);
  6611. if (ruleKeyListData$1.getPreciseUidArr().includes(this.urlUID)) {
  6612. this.shieldingModelShow = true;
  6613. this.removedShieldingUIDrButShow = true;
  6614. await this.$alert('当前用户为已标记uid黑名单', '提示');
  6615. return;
  6616. }
  6617. if (await space.isPersonalHomepage()) {
  6618. this.shieldingModelShow = false;
  6619. return;
  6620. }
  6621. this.shieldingModelShow = true;
  6622. this.shieldingUseUIDrButShow = true;
  6623. }
  6624. }
  6625. };
  6626. const addLayout = () => {
  6627. const div = document.createElement('div');
  6628. const divStyle = div.style;
  6629. divStyle.position = 'fixed';
  6630. divStyle.zIndex = '9000';
  6631. divStyle.right = "0";
  6632. divStyle.top = '13%';
  6633. divStyle.transition = 'transform 0.5s';
  6634. if (!localMKData.isFirstFullDisplay()) {
  6635. divStyle.transform = 'translateX(80%)';
  6636. } else {
  6637. if (localMKData.isHalfHiddenIntervalAfterInitialDisplay()) {
  6638. setTimeout(() => {
  6639. divStyle.transform = 'translateX(80%)';
  6640. eventEmitter.send('el-msg', '自动隐藏外部主面板显隐按钮');
  6641. }, 8000);
  6642. }
  6643. }
  6644. const vueDiv = document.createElement('div');
  6645. div.appendChild(vueDiv);
  6646. document.body.appendChild(div);
  6647. const config = {
  6648. components: {
  6649. shielding_user_vue,
  6650. },
  6651. el: vueDiv,
  6652. template: `
  6653. <div v-show="panelShow" @mouseenter="handleMouseEnter" @mouseleave="handleMouseLeave">
  6654. <div>
  6655. <el-button round @click="showBut">主面板</el-button>
  6656. </div>
  6657. <shielding_user_vue/>
  6658. </div>`,
  6659. data() {
  6660. return {
  6661. panelShow: localMKData.isShowRightTopMainButSwitch(),
  6662. }
  6663. },
  6664. methods: {
  6665. showBut() {
  6666. eventEmitter.send('主面板开关');
  6667. },
  6668. handleMouseEnter() {
  6669. divStyle.transform = "translateX(0)";
  6670. },
  6671. handleMouseLeave() {
  6672. divStyle.transform = 'translateX(80%)';
  6673. }
  6674. },
  6675. created() {
  6676. eventEmitter.on('显隐主面板开关', (bool) => {
  6677. this.panelShow = bool;
  6678. });
  6679. }
  6680. };
  6681. new Vue(config);
  6682. };
  6683. var rightFloatingLayoutVue = {
  6684. addLayout
  6685. };
  6686. const generalUrl=[
  6687. "popular/rank/all",
  6688. "popular/rank/douga",
  6689. "popular/rank/music",
  6690. "popular/rank/dance",
  6691. "popular/rank/game",
  6692. "popular/rank/knowledge",
  6693. "popular/rank/tech",
  6694. "popular/rank/sports",
  6695. "popular/rank/car",
  6696. "popular/rank/life",
  6697. "popular/rank/food",
  6698. "popular/rank/animal",
  6699. "popular/rank/kichiku",
  6700. "popular/rank/fashion",
  6701. "popular/rank/ent",
  6702. "popular/rank/cinephile",
  6703. "popular/rank/origin",
  6704. "popular/rank/rookie"
  6705. ];
  6706. const isPopularHistory = (url) => {
  6707. return url.includes("popular/history")
  6708. };
  6709. const isPopularAllPage = (url) => {
  6710. return url.includes("www.bilibili.com/v/popular/all");
  6711. };
  6712. const isPopularWeeklyPage = (url) => {
  6713. return url.includes("www.bilibili.com/v/popular/weekly");
  6714. };
  6715. const isGeneralPopularRank=(url)=>{
  6716. return generalUrl.some(itemUrl => url.includes(itemUrl));
  6717. };
  6718. const getVideoDataList$1 = async () => {
  6719. const elList = await elUtil.findElementsUntilFound(".rank-list>li");
  6720. const list = [];
  6721. for (let el of elList) {
  6722. const title = el.querySelector(".title").textContent.trim();
  6723. const userUrl = el.querySelector(".detail>a").href;
  6724. const uid = elUtil.getUrlUID(userUrl);
  6725. const name = el.querySelector(".up-name").textContent.trim();
  6726. const detailStateEls = el.querySelectorAll('.detail-state>.data-box');
  6727. let nPlayCount = detailStateEls[0].textContent.trim();
  6728. nPlayCount = sFormatUtil.toPlayCountOrBulletChat(nPlayCount);
  6729. let nBulletChat = detailStateEls[1].textContent.trim();
  6730. nBulletChat = sFormatUtil.toPlayCountOrBulletChat(nBulletChat);
  6731. const videoUrl = el.querySelector('.img>a')?.href || null;
  6732. const bv = elUtil.getUrlBV(videoUrl);
  6733. list.push({
  6734. title,
  6735. userUrl,
  6736. uid,
  6737. name,
  6738. videoUrl,
  6739. bv,
  6740. nPlayCount,
  6741. nBulletChat,
  6742. nDuration: -1,
  6743. el,
  6744. insertionPositionEl: el.querySelector(".detail-state"),
  6745. explicitSubjectEl: el.querySelector(".info")
  6746. });
  6747. }
  6748. return list;
  6749. };
  6750. const startShieldingRankVideoList = async () => {
  6751. const list = await getVideoDataList$1();
  6752. for (let videoData of list) {
  6753. if (shielding.shieldingVideoDecorated(videoData)) {
  6754. continue;
  6755. }
  6756. eventEmitter.send('添加热门视频屏蔽按钮', {data: videoData, maskingFunc: startShieldingRankVideoList});
  6757. }
  6758. };
  6759. var popular = {
  6760. isPopularHistory,
  6761. isPopularAllPage,
  6762. isGeneralPopularRank,
  6763. isPopularWeeklyPage,
  6764. startShieldingRankVideoList,
  6765. };
  6766. const isOldHistory = (url) => {
  6767. return url.includes('https://www.bilibili.com/account/history')
  6768. };
  6769. const getVideoDataList = async () => {
  6770. const elList = await elUtil.findElementsUntilFound('#history_list>.history-record');
  6771. const list = [];
  6772. for (let el of elList) {
  6773. const labelEL = el.querySelector('.cover-contain>.label');
  6774. if (labelEL !== null) {
  6775. const label = labelEL.textContent.trim();
  6776. console.log(`排除${label}`);
  6777. continue
  6778. }
  6779. const titleEl = el.querySelector('.title');
  6780. const userEl = el.querySelector('.w-info>span>a');
  6781. const title = titleEl.textContent.trim();
  6782. const videoUrl = titleEl.href;
  6783. const bv = elUtil.getUrlBV(videoUrl);
  6784. const name = userEl.textContent.trim();
  6785. const userUrl = userEl.href;
  6786. const uid = elUtil.getUrlUID(userUrl);
  6787. list.push({
  6788. title,
  6789. videoUrl,
  6790. name,
  6791. userUrl,
  6792. uid,
  6793. el,
  6794. bv,
  6795. explicitSubjectEl: el.querySelector('.r-txt'),
  6796. insertionPositionEl: el.querySelector('.subtitle')
  6797. });
  6798. }
  6799. return list
  6800. };
  6801. const startShieldingVideo = async () => {
  6802. console.log('开始屏蔽旧版历史记录视频列表');
  6803. const list = await getVideoDataList();
  6804. const css = {right: "45px"};
  6805. for (let videoData of list) {
  6806. if (shielding.shieldingVideoDecorated(videoData)) {
  6807. continue;
  6808. }
  6809. videoData.css = css;
  6810. eventEmitter.send('视频添加屏蔽按钮', {data: videoData, maskingFunc: startShieldingVideo});
  6811. }
  6812. console.log('屏蔽旧版历史记录视频列表完成');
  6813. };
  6814. const intervalExecutionStartShieldingVideo = () => {
  6815. setInterval(startShieldingVideo, 2000);
  6816. };
  6817. var oldHistory = {
  6818. isOldHistory,
  6819. intervalExecutionStartShieldingVideo
  6820. };
  6821. const bOnlyTheHomepageIsBlocked = localMKData.getBOnlyTheHomepageIsBlocked();
  6822. const compatibleBEWLYBEWLY = localMKData.isCompatible_BEWLY_BEWLY();
  6823. const adaptationBAppCommerce = localMKData.getAdaptationBAppCommerce();
  6824. eventEmitter.on('通知屏蔽', () => {
  6825. const url = window.location.href;
  6826. const title = document.title;
  6827. if (bOnlyTheHomepageIsBlocked) return;
  6828. if (searchModel.isSearch(url)) {
  6829. searchModel.startShieldingVideoList();
  6830. }
  6831. if (bilibiliHome.isHome(url, title)) {
  6832. if (compatibleBEWLYBEWLY) {
  6833. return;
  6834. }
  6835. if (adaptationBAppCommerce) {
  6836. bilibiliHome.startIntervalShieldingGateVideoList();
  6837. }
  6838. bilibiliHome.startDebounceShieldingHomeVideoList();
  6839. }
  6840. if (videoPlayModel.isVideoPlayPage(url)) {
  6841. videoPlayModel.startShieldingVideoList();
  6842. }
  6843. if (collectionVideoPlayPageModel.iscCollectionVideoPlayPage(url)) {
  6844. collectionVideoPlayPageModel.startShieldingVideoList();
  6845. }
  6846. if (popular.isPopularAllPage(url) || popular.isPopularHistory(url)) {
  6847. popularAll.startShieldingVideoList();
  6848. }
  6849. if (popular.isPopularWeeklyPage(url)) {
  6850. popularAll.startShieldingVideoList(true);
  6851. }
  6852. if (popular.isGeneralPopularRank(url)) {
  6853. popular.startShieldingRankVideoList();
  6854. }
  6855. if (topicDetail.isTopicDetailPage(url)) {
  6856. topicDetail.startShielding();
  6857. }
  6858. if (dynamic.isDynamicPage(url)) {
  6859. dynamic.startThrottleShieldingDynamicContent();
  6860. }
  6861. if (videoPlayWatchLater.isVideoPlayWatchLaterPage(url)) {
  6862. videoPlayWatchLater.startDebounceShieldingVideoList();
  6863. }
  6864. if (liveSectionModel.isLiveSection(url)) {
  6865. liveSectionModel.startShieldingLiveRoom();
  6866. }
  6867. if (liveHome.isLiveHomePage(url)) {
  6868. liveHome.startShieldingLiveRoom();
  6869. liveHome.startShieldingTopLiveRoom();
  6870. }
  6871. if (oldHistory.isOldHistory(url)) {
  6872. oldHistory.intervalExecutionStartShieldingVideo();
  6873. }
  6874. if (partition.isPartition(url)) {
  6875. partition.startIntervalShieldingVideoList();
  6876. }
  6877. });
  6878. window.addEventListener('load', () => {
  6879. console.log('页面加载完成');
  6880. rightFloatingLayoutVue.addLayout();
  6881. router.staticRoute(document.title, window.location.href);
  6882. watch.addEventListenerUrlChange((newUrl, oldUrl, title) => {
  6883. router.dynamicRouting(title, newUrl);
  6884. });
  6885. });
  6886. watch.addEventListenerNetwork((url, windowUrl, winTitle, initiatorType) => {
  6887. observeNetwork$1.observeNetwork(url, windowUrl, winTitle, initiatorType);
  6888. });
  6889. document.addEventListener('keydown', function (event) {
  6890. if (event.key === "`") {
  6891. eventEmitter.send('主面板开关');
  6892. }
  6893. });
  6894. })(Vue, Dexie);

QingJ © 2025

镜像随时可能失效,请加Q群300939539或关注我们的公众号极客氢云获取最新地址