您需要先安装一个扩展,例如 篡改猴、Greasemonkey 或 暴力猴,之后才能安装此脚本。
您需要先安装一个扩展,例如 篡改猴 或 暴力猴,之后才能安装此脚本。
您需要先安装一个扩展,例如 篡改猴 或 暴力猴,之后才能安装此脚本。
您需要先安装一个扩展,例如 篡改猴 或 Userscripts ,之后才能安装此脚本。
您需要先安装一款用户脚本管理器扩展,例如 Tampermonkey,才能安装此脚本。
您需要先安装用户脚本管理器扩展后才能安装此脚本。
Lets find music release on Bandcamp and imports text description, artist credits, image and tags into existing release group.
当前为
- // ==UserScript==
- // @name [RED] Import music release details from Bandcamp
- // @namespace https://greasyfork.org/users/321857-anakunda
- // @version 0.22.1
- // @match https://redacted.ch/upload.php
- // @match https://redacted.ch/requests.php?action=new
- // @match https://redacted.ch/requests.php?action=new&groupid=*
- // @match https://redacted.ch/torrents.php?id=*
- // @match https://redacted.ch/torrents.php?page=*&id=*
- // @match https://orpheus.network/upload.php
- // @match https://orpheus.network/requests.php?action=new
- // @match https://orpheus.network/requests.php?action=new&groupid=*
- // @match https://orpheus.network/torrents.php?id=*
- // @match https://orpheus.network/torrents.php?page=*&id=*
- // @run-at document-end
- // @iconURL https://s4.bcbits.com/img/favicon/favicon-32x32.png
- // @author Anakunda
- // @description Lets find music release on Bandcamp and imports text description, artist credits, image and tags into existing release group.
- // @copyright 2022, Anakunda (https://greasyfork.org/users/321857-anakunda)
- // @license GPL-3.0-or-later
- // @connect *
- // @grant GM_xmlhttpRequest
- // @grant GM_getValue
- // @grant GM_setValue
- // @require https://openuserjs.org/src/libs/Anakunda/xhrLib.min.js
- // @require https://openuserjs.org/src/libs/Anakunda/libLocks.min.js
- // @require https://openuserjs.org/src/libs/Anakunda/gazelleApiLib.min.js
- // @require https://openuserjs.org/src/libs/Anakunda/QobuzLib.min.js
- // @require https://openuserjs.org/src/libs/Anakunda/GazelleTagManager.min.js
- // ==/UserScript==
- 'use strict';
- const imageHostHelper = (function() {
- const input = document.head.querySelector('meta[name="ImageHostHelper"]');
- return (input != null ? Promise.resolve(input) : new Promise(function(resolve, reject) {
- const mo = new MutationObserver(function(mutationsList, mo) {
- for (let mutation of mutationsList) for (let node of mutation.addedNodes) {
- if (node.nodeName != 'META' || node.name != 'ImageHostHelper') continue;
- clearTimeout(timer); mo.disconnect();
- return resolve(node);
- }
- }), timer = setTimeout(function(mo) {
- mo.disconnect();
- reject('Timeout reached');
- }, 15000, mo);
- mo.observe(document.head, { childList: true });
- })).then(function(node) {
- console.assert(node instanceof HTMLElement);
- const propName = node.getAttribute('propertyname');
- console.assert(propName);
- return unsafeWindow[propName] || Promise.reject(`Assertion failed: '${propName}' not in unsafeWindow`);
- });
- })();
- function fetchBandcampDetails(artists, album, isSingle = false) {
- function tryQuery(terms) {
- if (!Array.isArray(terms)) throw 'Invalid qrgument';
- if (terms.length <= 0) return Promise.reject('Nothing found');
- const url = new URL('https://bandcamp.com/search');
- url.searchParams.set('q', terms.map(term => '"' + term + '"').join(' '));
- const searchType = itemType => (function getPage(page = 1) {
- url.searchParams.set('item_type', itemType);
- url.searchParams.set('page', page);
- return globalXHR(url).then(function({document}) {
- const results = Array.from(document.body.querySelectorAll('div.search ul.result-items > li.searchresult'));
- const nextLink = document.body.querySelector('div.pager > a.next');
- return nextLink != null ? getPage(page + 1, itemType).then(_results => results.concat(_results)) : results;
- });
- })().then(results => results.length > 0 ? results : Promise.reject('Nothing found'));
- return searchType('a').catch(reason => isSingle && reason == 'Nothing found' ? searchType('t') : Promise.reject(reason));
- }
- if (album) album = [
- /\s+(?:EP|E\.\s?P\.|-\s+(?:EP|E\.\s?P\.))$/i,
- /\s+\((?:EP|E\.\s?P\.|Live)\)$/i, /\s+\[(?:EP|E\.\s?P\.|Live)\]$/i,
- /\s+\((?:feat\.|ft\.|featuring\s).+\)$/i, /\s+\[(?:feat\.|ft\.|featuring\s).+\]$/i,
- ].reduce((title, rx) => title.replace(rx, ''), album.trim()); else throw 'Invalid argument';
- const nothingFound = 'Nothing found', bracketStripper = /(?:\s+(?:\([^\(\)]+\)|\[[^\[\]]+\]|\{[^\{\}]+\}))+$/g;
- return (
- Array.isArray(artists) && artists.length > 0 ? tryQuery(artists.concat(album)) : Promise.reject(nothingFound)
- ).catch(function(reason) {
- if (reason != nothingFound) return Promise.reject(reason);
- if (!Array.isArray(artists) || artists.length <= 0) return Promise.reject(nothingFound);
- if (!artists.some(artist => bracketStripper.test(artist)) && !bracketStripper.test(album)) return Promise.reject(nothingFound);
- return tryQuery(artists.map(artist => artist.replace(bracketStripper, '')).concat(album.replace(bracketStripper, '')));
- }).catch(function(reason) {
- return reason == nothingFound ? tryQuery([album]) : Promise.reject(reason);
- }).catch(function(reason) {
- if (reason != nothingFound) return Promise.reject(reason);
- return bracketStripper.test(album) ? tryQuery([album.replace(bracketStripper, '')]) : Promise.reject(nothingFound);
- }).then(searchResults => new Promise(function(resolve, reject) {
- console.assert(searchResults.length > 0);
- let selectedRow = null, dialog = document.createElement('DIALOG');
- dialog.innerHTML = `
- <form method="dialog">
- <div style="margin-bottom: 10pt; padding: 4px; background-color: #111; box-shadow: 1pt 1pt 5px #bbb inset;">
- <ul id="bandcamp-search-results" style="list-style-type: none; width: 645px; max-height: 70vw; overflow-y: auto; overscroll-behavior-y: none; scrollbar-gutter: stable; scroll-behavior: auto; scrollbar-color: #444 #222;" />
- </div>
- <input value="Import details" type="button" disabled><input value="Cancel" type="button" style="margin-left: 5pt;">
- </form>`;
- dialog.style = 'position: fixed; top: 5%; left: 0; right: 0; padding: 10pt; margin-left: auto; margin-right: auto; background-color: gray; box-shadow: 5px 5px 10px; z-index: 9999;';
- dialog.oncancel = evt => { reject('Cancelled') };
- dialog.onclose = function(evt) {
- if (!evt.currentTarget.returnValue) reject('Cancelled');
- document.body.removeChild(evt.currentTarget);
- };
- const ul = dialog.querySelector('ul#bandcamp-search-results'), buttons = dialog.querySelectorAll('input[type="button"]');
- for (let li of searchResults) {
- for (let a of li.getElementsByTagName('A')) {
- a.onclick = evt => { if (!evt.ctrlKey && !evt.shiftKey) return false };
- a.search = '';
- }
- for (let styleSheet of [
- ['.searchresult .art img', 'max-height: 145px; max-width: 145px;'],
- ['.result-info', 'display: inline-block; color: white; padding: 5pt 10pt; box-sizing: border-box; vertical-align: top; width: 475px; line-height: 1.4em;'],
- ['.itemtype', 'font-size: 10px; color: #999; margin-bottom: 0.5em; padding: 0;'],
- ['.heading', 'font-size: 16px; margin-bottom: 0.1em; padding: 0;'],
- ['.subhead', 'font-size: 13px; margin-bottom: 0.3em; padding: 0;'],
- ['.released', 'font-size: 11px; padding: 0;'],
- ['.itemurl', 'font-size: 11px; padding: 0;'],
- ['.itemurl a', 'color: #84c67d;'],
- ['.tags', 'color: #aaa; font-size: 11px; padding: 0;'],
- ]) for (let elem of li.querySelectorAll(styleSheet[0])) elem.style = styleSheet[1];
- li.style = 'cursor: pointer; margin: 0; padding: 4px;';
- for (let child of li.children) child.style.display = 'inline-block';
- li.children[1].removeChild(li.children[1].children[0]);
- li.onclick = function(evt) {
- if (selectedRow != null) selectedRow.style.backgroundColor = null;
- (selectedRow = evt.currentTarget).style.backgroundColor = '#066';
- buttons[0].disabled = false;
- };
- ul.append(li);
- }
- buttons[0].onclick = function(evt) {
- evt.currentTarget.disabled = true;
- console.assert(selectedRow instanceof HTMLLIElement);
- const a = selectedRow.querySelector('div.result-info > div.heading > a');
- if (a != null) globalXHR(a.href).then(function({document}) {
- function safeParse(serialized) {
- if (serialized) try { return JSON.parse(serialized) } catch (e) { console.warn('BC meta invalid: %s', e, serialized) }
- return null;
- }
- const details = { }, stripText = text => text ? [
- [/\r\n/gm, '\n'], [/[^\S\n]+$/gm, ''], [/\n{3,}/gm, '\n\n'],
- ].reduce((text, subst) => text.replace(...subst), text.trim()) : '';
- let elem = document.head.querySelector(':scope > script[type="application/ld+json"]');
- const releaseMeta = elem && safeParse(elem.text);
- const tralbum = (elem = document.head.querySelector('script[data-tralbum]')) && safeParse(elem.dataset.tralbum);
- if (tralbum != null && Array.isArray(tralbum.packages) && tralbum.packages.length > 0) for (let key in tralbum.packages[0])
- if (!tralbum.current[key] && tralbum.packages.every(pkg => pkg[key] == tralbum.packages[0][key]))
- tralbum.current[key] = tralbum.packages[0][key];
- if (releaseMeta != null && releaseMeta.byArtist) details.artist = releaseMeta.byArtist.name;
- if (releaseMeta != null && releaseMeta.name) details.title = releaseMeta.name;
- if (releaseMeta != null && releaseMeta.numTracks) details.numTracks = releaseMeta.numTracks;
- if (releaseMeta != null && releaseMeta.datePublished) details.releaseDate = new Date(releaseMeta.datePublished);
- if (releaseMeta != null && releaseMeta.publisher) details.publisher = releaseMeta.publisher.name;
- if (releaseMeta != null && releaseMeta.image) details.image = releaseMeta.image;
- else if ((elem = document.head.querySelector('meta[property="og:image"][content]')) != null) details.image = elem.content;
- else if ((elem = document.querySelector('div#tralbumArt > a.popupImage')) != null) details.image = elem.href;
- if (details.image) details.image = details.image.replace(/_\d+(?=\.\w+$)/, '_10');
- details.tags = releaseMeta != null && Array.isArray(releaseMeta.keywords) ? new TagManager(...releaseMeta.keywords)
- : new TagManager(...Array.from(document.querySelectorAll('div.tralbum-tags > a.tag'), a => a.textContent.trim()));
- if (details.tags.length < 0) delete details.tags;
- if (tralbum != null && tralbum.current.minimum_price <= 0) details.tags.add('freely.available');
- if (releaseMeta != null && releaseMeta.description) details.description = releaseMeta.description;
- else if (tralbum != null && tralbum.current.about) details.description = tralbum.current.about;
- if (details.description) details.description = stripText(details.description)
- .replace(/^24[^\S\n]*bits?[^\S\n]*\/[^\S\n]*\d+(?:\.\d+)?[^\S\n]*k(?:Hz)?$\n+/m, '');
- if (releaseMeta != null && releaseMeta.creditText) details.credits = tralbum.current.credits;
- else if (tralbum != null && tralbum.current.credits) details.credits = tralbum.current.credits;
- if (details.credits) details.credits = stripText(details.credits);
- if (releaseMeta != null && releaseMeta.mainEntityOfPage) details.url = releaseMeta.mainEntityOfPage;
- else if (tralbum != null && tralbum.url) details.url = tralbum.url;
- resolve(details);
- }, reject); else reject('Assertion failed: BC release link not found');
- dialog.close(a != null ? a.href : '');
- };
- buttons[1].onclick = evt => { dialog.close() };
- document.body.append(dialog);
- dialog.showModal();
- }));
- }
- const siteTagsCache = 'siteTagsCache' in localStorage ? (function(serialized) {
- try { return JSON.parse(serialized) } catch(e) { return { } }
- })(localStorage.getItem('siteTagsCache')) : { };
- function getVerifiedTags(tags, confidencyThreshold = GM_getValue('tags_confidency_threshold', 1)) {
- if (!Array.isArray(tags)) throw 'Invalid argument';
- return Promise.all(tags.map(function(tag) {
- if (!(confidencyThreshold > 0) || tmWhitelist.includes(tag) || siteTagsCache[tag] >= confidencyThreshold)
- return Promise.resolve(tag);
- return queryAjaxAPICached('browse', { taglist: tag }).then(function(response) {
- const usage = response.pages > 1 ? (response.pages - 1) * 50 + 1 : response.results.length;
- if (usage < confidencyThreshold) return false;
- siteTagsCache[tag] = usage;
- Promise.resolve(siteTagsCache).then(cache => { localStorage.setItem('siteTagsCache', JSON.stringify(cache)) });
- return tag;
- }, reason => false);
- })).then(results => results.filter(Boolean));
- }
- switch (document.location.pathname) {
- case '/torrents.php': {
- if (document.querySelector('div.sidebar > div.box_artists') == null) break; // Nothing to do here - not music torrent
- //if (!ajaxApiKey) throw 'AJAX API key not configured';
- const urlParams = new URLSearchParams(document.location.search), groupId = parseInt(urlParams.get('id'));
- if (!(groupId > 0)) throw 'Invalid group id';
- const linkBox = document.body.querySelector('div.header > div.linkbox');
- if (linkBox == null) throw 'LinkBox not found';
- const a = document.createElement('A');
- a.textContent = 'Bandcamp import';
- a.href = '#';
- a.title = 'Import album textual description, tags and cover image from Bandcamp release page';
- a.className = 'brackets';
- a.onclick = function(evt) {
- if (!this.disabled) this.disabled = true; else return false;
- this.style.color = 'orange';
- queryAjaxAPI('torrentgroup', { id: groupId }).then(torrentGroup =>
- fetchBandcampDetails(torrentGroup.group.releaseType != 6 ?
- torrentGroup.group.musicInfo.artists.map(artist => artist.name).slice(0, 3) : null,
- torrentGroup.group.name, torrentGroup.group.releaseType == 9).then(function(details) {
- const rehostWorker = details.image ? imageHostHelper.then(ihh => ihh.rehostImageLinks([details.image])
- .then(ihh.singleImageGetter)).catch(reason => details.image) : Promise.resolve(null);
- const updateWorkers = [ ];
- updateWorkers.push(localXHR('/torrents.php?' + new URLSearchParams({ action: 'editgroup', groupid: torrentGroup.group.id })).then(function(document) {
- const editForm = document.querySelector('form.edit_form');
- if (editForm == null) throw 'Edit form not found';
- let image = editForm.elements.namedItem('image').value, body = editForm.elements.namedItem('body').value.trim();
- if (details.description && !body.includes(details.description)) {
- if (body.length <= 0) body = '[quote]' + details.description + '[/quote]';
- else if (/^\[pad=\d+\|\d+\]/i.test(body))
- body = RegExp.leftContext + RegExp.lastMatch + '[quote]' + details.description + '[/quote]\n' + RegExp.rightContext;
- else body += '\n\n[quote]' + details.description + '[/quote]';
- }
- if (details.credits && !body.includes(details.credits)) {
- const credits = '[hide=Credits]' + details.credits + '[/hide]';
- if (body.length <= 0) body = credits;
- else if (/\[\/size\]\[\/pad\]$/i.test(body))
- body = RegExp.leftContext + '\n\n' + credits + RegExp.lastMatch + RegExp.rightContext;
- else body += '\n\n' + credits;
- }
- if (details.url && !body.includes(details.url)) {
- const url = '[url=' + details.url + ']Bandcamp[/url]';
- if (body.length <= 0) body = url;
- else if (/\[\/size\]\[\/pad\]$/i.test(body))
- body = RegExp.leftContext + '\n\n' + url + RegExp.lastMatch + RegExp.rightContext;
- else body += '\n\n' + url;
- }
- return rehostWorker.then(function(rehostedImageUrl) {
- if (rehostedImageUrl != null && rehostedImageUrl != image || body != editForm.elements.namedItem('body').value.trim()) {
- const formData = new FormData;
- formData.set('action', 'takegroupedit');
- formData.set('groupid', editForm.elements.namedItem('groupid').value);
- formData.set('image', rehostedImageUrl || image);
- formData.set('body', body.replace(/(\[\/quote\])\n{2,}/i, '$1\n'));
- formData.set('groupeditnotes', editForm.elements.namedItem('groupeditnotes').value);
- formData.set('releasetype', editForm.elements.namedItem('releasetype').value);
- formData.set('summary', 'Cover/additional description import from Bandcamp');
- formData.set('auth', editForm.elements.namedItem('auth').value);
- return localXHR('/torrents.php', { responseType: null }, formData);
- } else return false;
- });
- }));
- if (details.tags instanceof TagManager) {
- let bcTags = [ ];
- if (torrentGroup.group.musicInfo) for (let importance of Object.keys(torrentGroup.group.musicInfo))
- if (Array.isArray(torrentGroup.group.musicInfo[importance]))
- Array.prototype.push.apply(bcTags, torrentGroup.group.musicInfo[importance].map(artist => artist.name));
- if (Array.isArray(torrentGroup.torrents)) for (let torrent of torrentGroup.torrents) {
- if (!torrent.remasterRecordLabel) continue;
- const labels = torrent.remasterRecordLabel.split('/').map(label => label.trim());
- if (labels.length > 0) {
- Array.prototype.push.apply(bcTags, labels);
- Array.prototype.push.apply(bcTags, labels.map(function(label) {
- const bareLabel = label.replace(/(?:\s+(?:under license.+|Records|Recordings|(?:Ltd|Inc)\.?))+$/, '');
- if (bareLabel != label) return bareLabel;
- }).filter(Boolean));
- }
- }
- bcTags = new TagManager(...bcTags);
- bcTags = Array.from(details.tags).filter(tag => !bcTags.includes(tag));
- if (bcTags.length > 0) updateWorkers.push(getVerifiedTags(bcTags, 3).then(function(verifiedBcTags) {
- if (verifiedBcTags.length <= 0) return false;
- let userAuth = document.body.querySelector('input[name="auth"][value]');
- if (userAuth != null) userAuth = userAuth.value; else throw 'Failed to capture user auth';
- const updateWorkers = [ ];
- const releaseTags = Array.from(document.body.querySelectorAll('div.box_tags ul > li'), function(li) {
- const tag = { name: li.querySelector(':scope > a'), id: li.querySelector('span.remove_tag > a') };
- if (tag.name != null) tag.name = tag.name.textContent.trim();
- if (tag.id != null) tag.id = parseInt(new URLSearchParams(tag.id.search).get('tagid'));
- return tag.name && tag.id ? tag : null;
- }).filter(Boolean);
- const addTags = verifiedBcTags.filter(tag => !releaseTags.map(tag => tag.name).includes(tag));
- if (addTags.length > 0) Array.prototype.push.apply(updateWorkers, addTags.map(tag => localXHR('/torrents.php', { responseType: null }, new URLSearchParams({
- action: 'add_tag',
- groupid: torrentGroup.group.id,
- tagname: tag,
- auth: userAuth,
- }))));
- const deleteTags = releaseTags.filter(tag => !verifiedBcTags.includes(tag.name)).map(tag => tag.id);
- if (deleteTags.length > 0) Array.prototype.push.apply(updateWorkers, deleteTags.map(tagId => localXHR('/torrents.php?' + new URLSearchParams({
- action: 'delete_tag',
- groupid: torrentGroup.group.id,
- tagid: tagId,
- auth: userAuth,
- }), { responseType: null })));
- return updateWorkers.length > 0 ? Promise.all(updateWorkers.map(updateWorker =>
- updateWorker.then(response => true, reason => reason))).then(function(results) {
- if (!results.some(result => result === true))
- return Promise.reject(`All of ${results.length} tags update workers failed (see browser console for more details)`);
- return results;
- }) : false;
- }));
- }
- // Update by API is broken
- // if (details.image) updateWorkers.push(imageHostHelper.then(ihh => ihh.rehostImageLinks([details.image])
- // .then(ihh.singleImageGetter)).catch(reason => details.image).then(function(imageUrl) {
- // if (imageUrl == torrentGroup.group.wikiImage) return false;
- // return queryAjaxAPI('groupedit', { id: torrentGroup.group.id }, {
- // image: imageUrl,
- // summary: 'Cover update from Bandcamp',
- // });
- // }));
- // const ta = document.createElement('TEXTAREA');
- // ta.innerHTML = torrentGroup.group.bbBody;
- // let body = ta.textContent.trim();
- // if (details.description && !body.includes(details.description)) {
- // if (body.length <= 0) body = '[quote]' + details.description + '[/quote]';
- // else if (/^\[pad=\d+\|\d+\]/i.test(body))
- // body = RegExp.leftContext + RegExp.lastMatch + '[quote]' + details.description + '[/quote]\n' + RegExp.rightContext;
- // else body += '\n\n[quote]' + details.description + '[/quote]';
- // }
- // if (details.credits && !body.includes(details.credits)) {
- // const credits = '[hide=Credits]' + details.credits + '[/hide]';
- // if (body.length <= 0) body = credits;
- // else if (/\[\/size\]\[\/pad\]$/i.test(body))
- // body = RegExp.leftContext + '\n\n' + credits + RegExp.lastMatch + RegExp.rightContext;
- // else body += '\n\n' + credits;
- // }
- // if (details.url && !body.includes(details.url)) {
- // const url = '[url=' + details.url + ']Bandcamp[/url]';
- // if (body.length <= 0) body = url;
- // else if (/\[\/size\]\[\/pad\]$/i.test(body))
- // body = RegExp.leftContext + '\n\n' + url + RegExp.lastMatch + RegExp.rightContext;
- // else body += '\n\n' + url;
- // }
- // if (body != ta.textContent) {
- // const formData = new FormData;
- // formData.set('body', body.replace(/(\[\/quote\])\n{2,}/i, '$1\n'));
- // formData.set('summary', 'Description update from Bandcamp');
- // updateWorkers.push(queryAjaxAPI('groupedit', { id: groupId }, formData);
- // }
- if (updateWorkers.length > 0) return Promise.all(updateWorkers.map(updateWorker =>
- updateWorker.then(response => Boolean(response), reason => reason))).then(function(results) {
- if (results.every(result => !result)) return;
- if (!results.some(result => result === true))
- return Promise.reject(`All of ${results.length} update workers failed (see browser console for more details)`);
- document.location.reload();
- });
- })).catch(reason => { if (!['Cancelled'].includes(reason)) alert(reason) }).then(() => {
- this.style.color = null;
- this.disabled = false;
- });
- return false;
- };
- linkBox.append(' ', a);
- break;
- }
- case '/upload.php':
- case '/requests.php': {
- function hasStyleSheet(name) {
- if (name) name = name.toLowerCase(); else throw 'Invalid argument';
- const hrefRx = new RegExp('\\/' + name + '\\b', 'i');
- if (document.styleSheets) for (let styleSheet of document.styleSheets)
- if (styleSheet.title && styleSheet.title.toLowerCase() == name) return true;
- else if (styleSheet.href && hrefRx.test(styleSheet.href)) return true;
- return false;
- }
- function checkFields() {
- const visible = ['0', 'Music'].includes(categories.value) && title.textLength > 0;
- if (container.hidden != !visible) container.hidden = !visible;
- }
- const categories = document.getElementById('categories');
- if (categories == null) throw 'Categories select not found';
- const form = document.getElementById('upload_table') || document.getElementById('request_form');
- if (form == null) throw 'Main form not found';
- let title = form.elements.namedItem('title');
- if (title != null) title.addEventListener('input', checkFields); else throw 'Title select not found';
- const dynaForm = document.getElementById('dynamic_form');
- if (dynaForm != null) new MutationObserver(function(ml, mo) {
- for (let mutation of ml) if (mutation.addedNodes.length > 0) {
- if (title != null) title.removeEventListener('input', checkFields);
- if ((title = document.getElementById('title')) != null) title.addEventListener('input', checkFields);
- else throw 'Assertion failed: title input not found!';
- container.hidden = true;
- }
- }).observe(dynaForm, { childList: true });
- const isLightTheme = ['postmod', 'shiro', 'layer_cake', 'proton', 'red_light', '2iUn3'].some(hasStyleSheet);
- if (isLightTheme) console.log('Light Gazelle theme detected');
- const isDarkTheme = ['kuro', 'minimal', 'red_dark', 'Vinyl'].some(hasStyleSheet);
- if (isDarkTheme) console.log('Dark Gazelle theme detected');
- const container = document.createElement('DIV');
- container.style = 'position: fixed; top: 64pt; right: 10pt; padding: 5pt; border-radius: 50%; z-index: 999;';
- container.style.backgroundColor = `#${isDarkTheme ? '2f4f4f' : 'b8860b'}80`;
- const bcButton = document.createElement('BUTTON'), img = document.createElement('IMG');
- bcButton.id = 'import-from-bandcamp';
- bcButton.style = `
- padding: 10px; color: white; background-color: white; cursor: pointer;
- border: none; border-radius: 50%; transition: background-color 200ms;
- `;
- bcButton.dataset.backgroundColor = bcButton.style.backgroundColor;
- bcButton.setDisabled = function(disabled = true) {
- this.disabled = disabled;
- this.style.opacity = disabled ? 0.5 : 1;
- this.style.cursor = disabled ? 'not-allowed' : 'pointer';
- };
- bcButton.onclick = function(evt) {
- this.setDisabled(true);
- this.style.backgroundColor = 'red';
- const artists = Array.from(form.querySelectorAll('input[name="artists[]"]'), function(input) {
- const artist = input.value.trim();
- return input.nextElementSibling.value == 1 && artist;
- }).filter(Boolean);
- const releaseType = form.elements.namedItem('releasetype');
- fetchBandcampDetails(releaseType == null || releaseType.value != 7 ? artists.slice(0, 3) : null,
- title.value.trim(), releaseType != null && releaseType.value == 9).then(function(details) {
- const tags = form.elements.namedItem('tags'), image = form.elements.namedItem('image'),
- description = form.elements.namedItem('album_desc') || form.elements.namedItem('description');
- if (tags != null && details.tags instanceof TagManager) {
- let bcTags = Array.from(form.querySelectorAll('input[name="artists[]"]'), input => input.value.trim()).filter(Boolean);
- let labels = form.elements.namedItem('remaster_record_label') || form.elements.namedItem('record_label');
- if (labels != null && (labels = labels.value.trim().split('/').map(label => label.trim())).length > 0) {
- Array.prototype.push.apply(bcTags, labels);
- Array.prototype.push.apply(bcTags, labels.map(function(label) {
- const bareLabel = label.replace(/(?:\s+(?:under license.+|Records|Recordings|(?:Ltd|Inc)\.?))+$/, '');
- if (bareLabel != label) return bareLabel;
- }).filter(Boolean));
- }
- bcTags = new TagManager(...bcTags);
- bcTags = Array.from(details.tags).filter(tag => !bcTags.includes(tag));
- getVerifiedTags(bcTags).then(bcVerifiedTags => { if (bcVerifiedTags.length > 0) tags.value = bcVerifiedTags.join(', ') });
- }
- if (image != null && details.image) {
- image.value = details.image;
- imageHostHelper.then(function(ihh) {
- ihh.rehostImageLinks([details.image]).then(ihh.singleImageGetter).then(rehostedUrl => { image.value = rehostedUrl });
- });
- }
- if (description != null) {
- let body = description.value.trim();
- if (details.description && !body.includes(details.description)) {
- if (body.length <= 0) body = '[quote]' + details.description + '[/quote]';
- else if (/^Releas(?:ing|ed) .+\d{4}$\n{2,}/im.test(body) || /^\[pad=\d+\|\d+\]/i.test(body))
- body = RegExp.leftContext + RegExp.lastMatch + '[quote]' + details.description + '[/quote]\n' + RegExp.rightContext;
- else body += '\n\n[quote]' + details.description + '[/quote]';
- }
- if (details.credits && document.location.pathname == '/upload.php' && !body.includes(details.credits)) {
- const credits = '[hide=Credits]' + details.credits + '[/hide]';
- if (body.length <= 0) body = credits;
- else if (/\[\/size\]\[\/pad\]$/i.test(body))
- body = RegExp.leftContext + '\n\n' + credits + RegExp.lastMatch + RegExp.rightContext;
- else body += '\n\n' + credits;
- }
- if (details.url && !body.includes(details.url)) {
- const url = '[url=' + details.url + ']Bandcamp[/url]';
- if (body.length <= 0) body = url;
- else if (/\[\/size\]\[\/pad\]$/i.test(body))
- body = RegExp.leftContext + '\n\n' + url + RegExp.lastMatch + RegExp.rightContext;
- else body += '\n\n' + url;
- }
- description.value = body.replace(/(\[\/quote\])\n{2,}/i, '$1\n');
- }
- }, reason => { if (!['Cancelled'].includes(reason)) alert(reason) }).then(() => {
- this.style.backgroundColor = this.dataset.backgroundColor;
- this.setDisabled(false);
- });
- };
- bcButton.onmouseenter = bcButton.onmouseleave = function(evt) {
- if (evt.relatedTarget == evt.currentTarget || evt.currentTarget.disabled) return false;
- evt.currentTarget.style.backgroundColor = evt.type == 'mouseenter' ? 'orange'
- : evt.currentTarget.dataset.backgroundColor || null;
- };
- bcButton.title = 'Import description, cover image and tags from Bandcamp';
- img.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAIAAAACACAMAAAD04JH5AAAAbFBMVEX////3///v///v9//m9//m9/fe9/fe7/fW7/fO7/fF7/fF5ve95u+15u+13u+t3u+l3u+l3uac1uaU1uaM1uaMzuaEzt57zt57xd5zxd5rxd5jvdZavdZSvdZStdZKtdZKtc5Ctc5Crc4ZpcWSSeq2AAAAAXRSTlMAQObYZgAAAAlwSFlzAAALEgAACxIB0t1+/AAAAoBJREFUeJzt2mtvgjAUBuCC93sUdR/2/3/bsqlbNqfzVpgGExXa02N5ZVly+gVBpU+a0retVtUfl6oABCAAAQhAAAIQgAAEIAABCEAAArjjs60oUSpI0pNCx/jFBxA8Ve7QkmV9eXkHYAKrX7/5ACptVP3xSvsAprAGSGZXJ2xAo4GqX39dn7EBY1gDqHcfQKuGql5/3JxyAZPw/CIJCh7Vpw+gG56/r4oe4/ntnZkAXA+Iv30AA1T1Si8yF3iAIawBDisfwAhVvdLz7BUWoA9rgN3GBzBBVa/0LHeJAQg6pwYo/Pyfjpu9DyCdBiDGAf2av7sbUGu6jbyiV4kPADcPUfkewAA066jqb2OYDXhUDHMBndDxAXbJxDAXEMHmAZkYZgK6IeT5P5ZDNoV4gEsPKDoOJJkY5gFwMbw3PYJuAC6G9Y8P4JExzALgYni79QFMA+LNu8r1YpAPqLRhg9BaW98iAGkKIcYBwzyEATjHMGAeEC8NMewGAFfDlkGQBjRxQ4A5BFyAMS6FzDHoAHRg22faOA1wAiLcYtA4EXIB+rh5CN0ANsCogpoHaEsM04AhZh2gqBQiAQNYD9jbYpgERKjqyUGYAPRwMbzzAZQSwwQAF8MxEcMEAJhC7gYwAOrpnixgHNBLBjIPOK+GEeMAFcNWAHBPloxhKwCXQnQM2wDdsmLYBhiVFcMWAC6G95wemAcAGyC7J8sCDEH7gcRqmAYcYxg1D7AuBilAVGYKmQA9WBc07MkyAMAY5vaAG0C5MWwAlBvDecCjfhplA57THgAYB0JeCmQBC9iutGspYAGw0htf/tV/SAQgAAEIQAACEIAABCAAAQhAAAJ4SPkFdtLUKHgfCmoAAAAASUVORK5CYII=' // https://s4.bcbits.com/img/favicon/apple-touch-icon.png
- img.width = 32;
- bcButton.append(img);
- container.append(bcButton);
- checkFields();
- document.body.append(container);
- break;
- }
- }