SillyTavern/public/scripts/extensions/tts/index.js

1014 lines
36 KiB
JavaScript
Raw Normal View History

2023-12-02 20:11:06 +01:00
import { callPopup, cancelTtsPlay, eventSource, event_types, name2, saveSettingsDebounced } from '../../../script.js';
import { ModuleWorkerWrapper, doExtrasFetch, extension_settings, getApiUrl, getContext, modules } from '../../extensions.js';
import { delay, escapeRegex, getStringHash } from '../../utils.js';
2023-12-02 20:11:06 +01:00
import { EdgeTtsProvider } from './edge.js';
import { ElevenLabsTtsProvider } from './elevenlabs.js';
import { SileroTtsProvider } from './silerotts.js';
import { CoquiTtsProvider } from './coqui.js';
import { SystemTtsProvider } from './system.js';
import { NovelTtsProvider } from './novel.js';
import { power_user } from '../../power-user.js';
import { registerSlashCommand } from '../../slash-commands.js';
import { OpenAITtsProvider } from './openai.js';
2023-12-04 18:32:41 +01:00
import { XTTSTtsProvider } from './xtts.js';
2023-08-11 07:43:53 +02:00
export { talkingAnimation };
2023-07-20 19:32:15 +02:00
2023-12-02 20:11:06 +01:00
const UPDATE_INTERVAL = 1000;
2023-07-20 19:32:15 +02:00
2023-12-02 20:11:06 +01:00
let voiceMapEntries = [];
let voiceMap = {}; // {charName:voiceid, charName2:voiceid2}
2023-07-31 11:21:32 +02:00
let storedvalue = false;
2023-12-02 20:11:06 +01:00
let lastChatId = null;
let lastMessageHash = null;
2023-07-20 19:32:15 +02:00
2023-09-01 16:58:33 +02:00
const DEFAULT_VOICE_MARKER = '[Default Voice]';
2023-09-04 13:21:22 +02:00
const DISABLED_VOICE_MARKER = 'disabled';
2023-09-01 16:58:33 +02:00
2023-07-20 19:32:15 +02:00
export function getPreviewString(lang) {
const previewStrings = {
'en-US': 'The quick brown fox jumps over the lazy dog',
'en-GB': 'Sphinx of black quartz, judge my vow',
'fr-FR': 'Portez ce vieux whisky au juge blond qui fume',
'de-DE': 'Victor jagt zwölf Boxkämpfer quer über den großen Sylter Deich',
2023-12-02 19:04:51 +01:00
'it-IT': 'Pranzo d\'acqua fa volti sghembi',
2023-07-20 19:32:15 +02:00
'es-ES': 'Quiere la boca exhausta vid, kiwi, piña y fugaz jamón',
'es-MX': 'Fabio me exige, sin tapujos, que añada cerveza al whisky',
'ru-RU': 'В чащах юга жил бы цитрус? Да, но фальшивый экземпляр!',
'pt-BR': 'Vejo xá gritando que fez show sem playback.',
'pt-PR': 'Todo pajé vulgar faz boquinha sexy com kiwi.',
2023-12-02 19:04:51 +01:00
'uk-UA': 'Фабрикуймо гідність, лящім їжею, ґав хапаймо, з\'єднавці чаш!',
2023-07-20 19:32:15 +02:00
'pl-PL': 'Pchnąć w tę łódź jeża lub ośm skrzyń fig',
'cs-CZ': 'Příliš žluťoučký kůň úpěl ďábelské ódy',
'sk-SK': 'Vyhŕňme si rukávy a vyprážajme čínske ryžové cestoviny',
'hu-HU': 'Árvíztűrő tükörfúrógép',
'tr-TR': 'Pijamalı hasta yağız şoföre çabucak güvendi',
'nl-NL': 'De waard heeft een kalfje en een pinkje opgegeten',
'sv-SE': 'Yxskaftbud, ge vårbygd, zinkqvarn',
'da-DK': 'Quizdeltagerne spiste jordbær med fløde, mens cirkusklovnen Walther spillede på xylofon',
'ja-JP': 'いろはにほへと ちりぬるを わかよたれそ つねならむ うゐのおくやま けふこえて あさきゆめみし ゑひもせす',
'ko-KR': '가나다라마바사아자차카타파하',
'zh-CN': '我能吞下玻璃而不伤身体',
'ro-RO': 'Muzicologă în bej vând whisky și tequila, preț fix',
'bg-BG': 'Щъркелите се разпръснаха по цялото небе',
'el-GR': 'Ταχίστη αλώπηξ βαφής ψημένη γη, δρασκελίζει υπέρ νωθρού κυνός',
'fi-FI': 'Voi veljet, miksi juuri teille myin nämä vehkeet?',
'he-IL': 'הקצינים צעקו: "כל הכבוד לצבא הצבאות!"',
'id-ID': 'Jangkrik itu memang enak, apalagi kalau digoreng',
'ms-MY': 'Muzik penyanyi wanita itu menggambarkan kehidupan yang penuh dengan duka nestapa',
'th-TH': 'เป็นไงบ้างครับ ผมชอบกินข้าวผัดกระเพราหมูกรอบ',
'vi-VN': 'Cô bé quàng khăn đỏ đang ngồi trên bãi cỏ xanh',
'ar-SA': 'أَبْجَدِيَّة عَرَبِيَّة',
'hi-IN': 'श्वेता ने श्वेता के श्वेते हाथों में श्वेता का श्वेता चावल पकड़ा',
2023-12-02 20:11:06 +01:00
};
const fallbackPreview = 'Neque porro quisquam est qui dolorem ipsum quia dolor sit amet';
2023-07-20 19:32:15 +02:00
return previewStrings[lang] ?? fallbackPreview;
}
let ttsProviders = {
ElevenLabs: ElevenLabsTtsProvider,
Silero: SileroTtsProvider,
2023-11-21 11:16:56 +01:00
XTTSv2: XTTSTtsProvider,
2023-07-20 19:32:15 +02:00
System: SystemTtsProvider,
2023-07-25 02:59:08 +02:00
Coqui: CoquiTtsProvider,
2023-07-20 19:32:15 +02:00
Edge: EdgeTtsProvider,
Novel: NovelTtsProvider,
2023-11-12 01:28:03 +01:00
OpenAI: OpenAITtsProvider,
2023-12-02 20:11:06 +01:00
};
let ttsProvider;
let ttsProviderName;
2023-07-20 19:32:15 +02:00
let ttsLastMessage = null;
2023-07-20 19:32:15 +02:00
async function onNarrateOneMessage() {
audioElement.src = '/sounds/silence.mp3';
const context = getContext();
const id = $(this).closest('.mes').attr('mesid');
const message = context.chat[id];
if (!message) {
return;
}
2023-12-02 20:11:06 +01:00
resetTtsPlayback();
2023-07-20 19:32:15 +02:00
ttsJobQueue.push(message);
moduleWorker();
}
2023-11-09 01:57:40 +01:00
async function onNarrateText(args, text) {
if (!text) {
return;
}
audioElement.src = '/sounds/silence.mp3';
// To load all characters in the voice map, set unrestricted to true
await initVoiceMap(true);
const baseName = args?.voice || name2;
const name = (baseName === 'SillyTavern System' ? DEFAULT_VOICE_MARKER : baseName) || DEFAULT_VOICE_MARKER;
const voiceMapEntry = voiceMap[name] === DEFAULT_VOICE_MARKER
? voiceMap[DEFAULT_VOICE_MARKER]
: voiceMap[name];
if (!voiceMapEntry || voiceMapEntry === DISABLED_VOICE_MARKER) {
toastr.info(`Specified voice for ${name} was not found. Check the TTS extension settings.`);
return;
}
2023-12-02 20:11:06 +01:00
resetTtsPlayback();
2023-11-09 01:57:40 +01:00
ttsJobQueue.push({ mes: text, name: name });
await moduleWorker();
// Return back to the chat voices
await initVoiceMap(false);
}
2023-07-20 19:32:15 +02:00
async function moduleWorker() {
// Primarily determining when to add new chat to the TTS queue
2023-12-02 20:11:06 +01:00
const enabled = $('#tts_enabled').is(':checked');
2023-07-20 19:32:15 +02:00
$('body').toggleClass('tts', enabled);
if (!enabled) {
2023-12-02 20:11:06 +01:00
return;
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
const context = getContext();
const chat = context.chat;
2023-07-20 19:32:15 +02:00
2023-12-02 20:11:06 +01:00
processTtsQueue();
processAudioJobQueue();
updateUiAudioPlayState();
2023-07-20 19:32:15 +02:00
// Auto generation is disabled
if (extension_settings.tts.auto_generation == false) {
2023-12-02 20:11:06 +01:00
return;
2023-07-20 19:32:15 +02:00
}
// no characters or group selected
if (!context.groupId && context.characterId === undefined) {
2023-12-02 20:11:06 +01:00
return;
2023-07-20 19:32:15 +02:00
}
// Chat changed
if (
context.chatId !== lastChatId
) {
2023-12-02 20:11:06 +01:00
currentMessageNumber = context.chat.length ? context.chat.length : 0;
saveLastValues();
// Force to speak on the first message in the new chat
if (context.chat.length === 1) {
lastMessageHash = -1;
}
2023-12-02 20:11:06 +01:00
return;
2023-07-20 19:32:15 +02:00
}
// take the count of messages
2023-11-19 15:56:12 +01:00
let lastMessageNumber = context.chat.length ? context.chat.length : 0;
2023-07-20 19:32:15 +02:00
// There's no new messages
2023-11-19 15:56:12 +01:00
let diff = lastMessageNumber - currentMessageNumber;
let hashNew = getStringHash((chat.length && chat[chat.length - 1].mes) ?? '');
2023-07-20 19:32:15 +02:00
// if messages got deleted, diff will be < 0
if (diff < 0) {
// necessary actions will be taken by the onChatDeleted() handler
2023-11-19 15:56:12 +01:00
return;
}
2023-11-19 15:56:12 +01:00
// if no new messages, or same message, or same message hash, do nothing
2023-07-20 19:32:15 +02:00
if (diff == 0 && hashNew === lastMessageHash) {
2023-11-19 15:56:12 +01:00
return;
}
// If streaming, wait for streaming to finish before processing new messages
if (context.streamingProcessor && !context.streamingProcessor.isFinished) {
return;
2023-07-20 19:32:15 +02:00
}
// clone message object, as things go haywire if message object is altered below (it's passed by reference)
2023-11-19 15:56:12 +01:00
const message = structuredClone(chat[chat.length - 1]);
// if last message within current message, message got extended. only send diff to TTS.
if (ttsLastMessage !== null && message.mes.indexOf(ttsLastMessage) !== -1) {
2023-11-19 15:56:12 +01:00
let tmp = message.mes;
message.mes = message.mes.replace(ttsLastMessage, '');
ttsLastMessage = tmp;
} else {
2023-11-19 15:56:12 +01:00
ttsLastMessage = message.mes;
}
2023-07-20 19:32:15 +02:00
2023-11-19 15:56:12 +01:00
// We're currently swiping. Don't generate voice
if (!message || message.mes === '...' || message.mes === '') {
return;
2023-07-20 19:32:15 +02:00
}
// Don't generate if message doesn't have a display text
if (extension_settings.tts.narrate_translated_only && !(message?.extra?.display_text)) {
return;
}
// Don't generate if message is a user message and user message narration is disabled
if (message.is_user && !extension_settings.tts.narrate_user) {
return;
}
2023-07-20 19:32:15 +02:00
// New messages, add new chat to history
2023-12-02 20:11:06 +01:00
lastMessageHash = hashNew;
currentMessageNumber = lastMessageNumber;
2023-07-20 19:32:15 +02:00
console.debug(
2023-12-02 21:06:57 +01:00
`Adding message from ${message.name} for TTS processing: "${message.mes}"`,
2023-12-02 20:11:06 +01:00
);
ttsJobQueue.push(message);
2023-07-20 19:32:15 +02:00
}
2023-07-31 11:21:32 +02:00
function talkingAnimation(switchValue) {
2023-08-13 17:43:17 +02:00
if (!modules.includes('talkinghead')) {
2023-12-02 19:04:51 +01:00
console.debug('Talking Animation module not loaded');
2023-08-13 17:43:17 +02:00
return;
}
2023-07-31 19:56:05 +02:00
const apiUrl = getApiUrl();
2023-12-02 19:04:51 +01:00
const animationType = switchValue ? 'start' : 'stop';
2023-07-31 19:56:05 +02:00
if (switchValue !== storedvalue) {
try {
2023-12-02 19:04:51 +01:00
console.log(animationType + ' Talking Animation');
2023-08-10 23:52:14 +02:00
doExtrasFetch(`${apiUrl}/api/talkinghead/${animationType}_talking`);
2023-07-31 19:56:05 +02:00
storedvalue = switchValue; // Update the storedvalue to the current switchValue
} catch (error) {
// Handle the error here or simply ignore it to prevent logging
}
}
2023-12-02 20:11:06 +01:00
updateUiAudioPlayState();
2023-07-31 11:21:32 +02:00
}
2023-07-20 19:32:15 +02:00
function resetTtsPlayback() {
// Stop system TTS utterance
cancelTtsPlay();
// Clear currently processing jobs
currentTtsJob = null;
currentAudioJob = null;
// Reset audio element
audioElement.currentTime = 0;
audioElement.src = '';
// Clear any queue items
ttsJobQueue.splice(0, ttsJobQueue.length);
audioJobQueue.splice(0, audioJobQueue.length);
// Set audio ready to process again
audioQueueProcessorReady = true;
}
function isTtsProcessing() {
2023-12-02 20:11:06 +01:00
let processing = false;
2023-07-20 19:32:15 +02:00
// Check job queues
if (ttsJobQueue.length > 0 || audioJobQueue.length > 0) {
2023-12-02 20:11:06 +01:00
processing = true;
2023-07-20 19:32:15 +02:00
}
// Check current jobs
if (currentTtsJob != null || currentAudioJob != null) {
2023-12-02 20:11:06 +01:00
processing = true;
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
return processing;
2023-07-20 19:32:15 +02:00
}
function debugTtsPlayback() {
console.log(JSON.stringify(
{
2023-12-02 19:04:51 +01:00
'ttsProviderName': ttsProviderName,
'voiceMap': voiceMap,
'currentMessageNumber': currentMessageNumber,
'audioPaused': audioPaused,
'audioJobQueue': audioJobQueue,
'currentAudioJob': currentAudioJob,
'audioQueueProcessorReady': audioQueueProcessorReady,
'ttsJobQueue': ttsJobQueue,
'currentTtsJob': currentTtsJob,
2023-12-02 21:06:57 +01:00
'ttsConfig': extension_settings.tts,
},
2023-12-02 20:11:06 +01:00
));
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
window.debugTtsPlayback = debugTtsPlayback;
2023-07-20 19:32:15 +02:00
//##################//
// Audio Control //
//##################//
2023-12-02 20:11:06 +01:00
let audioElement = new Audio();
audioElement.id = 'tts_audio';
audioElement.autoplay = true;
2023-07-20 19:32:15 +02:00
2023-12-02 20:11:06 +01:00
let audioJobQueue = [];
let currentAudioJob;
let audioPaused = false;
let audioQueueProcessorReady = true;
2023-07-20 19:32:15 +02:00
async function playAudioData(audioBlob) {
// Since current audio job can be cancelled, don't playback if it is null
if (currentAudioJob == null) {
2023-12-02 20:11:06 +01:00
console.log('Cancelled TTS playback because currentAudioJob was null');
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
const reader = new FileReader();
2023-07-20 19:32:15 +02:00
reader.onload = function (e) {
2023-12-02 20:11:06 +01:00
const srcUrl = e.target.result;
audioElement.src = srcUrl;
};
reader.readAsDataURL(audioBlob);
audioElement.addEventListener('ended', completeCurrentAudioJob);
2023-07-20 19:32:15 +02:00
audioElement.addEventListener('canplay', () => {
2023-12-02 20:11:06 +01:00
console.debug('Starting TTS playback');
audioElement.play();
});
2023-07-20 19:32:15 +02:00
}
window['tts_preview'] = function (id) {
2023-12-02 20:11:06 +01:00
const audio = document.getElementById(id);
2023-07-20 19:32:15 +02:00
if (audio && !$(audio).data('disabled')) {
2023-12-02 20:11:06 +01:00
audio.play();
2023-07-20 19:32:15 +02:00
}
else {
2023-12-02 20:11:06 +01:00
ttsProvider.previewTtsVoice(id);
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
};
2023-07-20 19:32:15 +02:00
async function onTtsVoicesClick() {
2023-12-02 20:11:06 +01:00
let popupText = '';
2023-07-20 19:32:15 +02:00
try {
2023-12-02 20:11:06 +01:00
const voiceIds = await ttsProvider.fetchTtsVoiceObjects();
2023-07-20 19:32:15 +02:00
for (const voice of voiceIds) {
popupText += `
<div class="voice_preview">
<span class="voice_lang">${voice.lang || ''}</span>
<b class="voice_name">${voice.name}</b>
<i onclick="tts_preview('${voice.voice_id}')" class="fa-solid fa-play"></i>
2023-12-02 20:11:06 +01:00
</div>`;
2023-07-20 19:32:15 +02:00
if (voice.preview_url) {
2023-12-02 20:11:06 +01:00
popupText += `<audio id="${voice.voice_id}" src="${voice.preview_url}" data-disabled="${voice.preview_url == false}"></audio>`;
2023-07-20 19:32:15 +02:00
}
}
} catch {
2023-12-02 20:11:06 +01:00
popupText = 'Could not load voices list. Check your API key.';
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
callPopup(popupText, 'text');
2023-07-20 19:32:15 +02:00
}
function updateUiAudioPlayState() {
if (extension_settings.tts.enabled == true) {
$('#ttsExtensionMenuItem').show();
2023-12-02 20:11:06 +01:00
let img;
2023-07-20 19:32:15 +02:00
// Give user feedback that TTS is active by setting the stop icon if processing or playing
if (!audioElement.paused || isTtsProcessing()) {
2023-12-02 20:11:06 +01:00
img = 'fa-solid fa-stop-circle extensionsMenuExtensionButton';
2023-07-20 19:32:15 +02:00
} else {
2023-12-02 20:11:06 +01:00
img = 'fa-solid fa-circle-play extensionsMenuExtensionButton';
2023-07-20 19:32:15 +02:00
}
$('#tts_media_control').attr('class', img);
} else {
$('#ttsExtensionMenuItem').hide();
}
}
function onAudioControlClicked() {
audioElement.src = '/sounds/silence.mp3';
2023-12-02 20:11:06 +01:00
let context = getContext();
2023-07-20 19:32:15 +02:00
// Not pausing, doing a full stop to anything TTS is doing. Better UX as pause is not as useful
if (!audioElement.paused || isTtsProcessing()) {
2023-12-02 20:11:06 +01:00
resetTtsPlayback();
talkingAnimation(false);
2023-07-20 19:32:15 +02:00
} else {
// Default play behavior if not processing or playing is to play the last message.
2023-12-02 20:11:06 +01:00
ttsJobQueue.push(context.chat[context.chat.length - 1]);
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
updateUiAudioPlayState();
2023-07-20 19:32:15 +02:00
}
function addAudioControl() {
$('#extensionsMenu').prepend(`
<div id="ttsExtensionMenuItem" class="list-group-item flex-container flexGap5">
<div id="tts_media_control" class="extensionsMenuExtensionButton "/></div>
TTS Playback
2023-12-02 20:11:06 +01:00
</div>`);
$('#ttsExtensionMenuItem').attr('title', 'TTS play/pause').on('click', onAudioControlClicked);
updateUiAudioPlayState();
2023-07-20 19:32:15 +02:00
}
function completeCurrentAudioJob() {
2023-12-02 20:11:06 +01:00
audioQueueProcessorReady = true;
currentAudioJob = null;
talkingAnimation(false); //stop lip animation
2023-07-20 19:32:15 +02:00
// updateUiPlayState();
}
/**
* Accepts an HTTP response containing audio/mpeg data, and puts the data as a Blob() on the queue for playback
2023-12-02 17:41:54 +01:00
* @param {Response} response
2023-07-20 19:32:15 +02:00
*/
async function addAudioJob(response) {
2023-12-02 20:11:06 +01:00
const audioData = await response.blob();
2023-12-02 17:41:54 +01:00
if (!audioData.type.startsWith('audio/')) {
2023-12-02 20:11:06 +01:00
throw `TTS received HTTP response with invalid data format. Expecting audio/*, got ${audioData.type}`;
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
audioJobQueue.push(audioData);
console.debug('Pushed audio job to queue.');
2023-07-20 19:32:15 +02:00
}
async function processAudioJobQueue() {
// Nothing to do, audio not completed, or audio paused - stop processing.
if (audioJobQueue.length == 0 || !audioQueueProcessorReady || audioPaused) {
2023-12-02 20:11:06 +01:00
return;
2023-07-20 19:32:15 +02:00
}
try {
2023-12-02 20:11:06 +01:00
audioQueueProcessorReady = false;
currentAudioJob = audioJobQueue.pop();
playAudioData(currentAudioJob);
talkingAnimation(true);
2023-07-20 19:32:15 +02:00
} catch (error) {
2023-12-02 20:11:06 +01:00
console.error(error);
audioQueueProcessorReady = true;
2023-07-20 19:32:15 +02:00
}
}
//################//
// TTS Control //
//################//
2023-12-02 20:11:06 +01:00
let ttsJobQueue = [];
let currentTtsJob; // Null if nothing is currently being processed
let currentMessageNumber = 0;
2023-07-20 19:32:15 +02:00
function completeTtsJob() {
2023-12-02 20:11:06 +01:00
console.info(`Current TTS job for ${currentTtsJob?.name} completed.`);
currentTtsJob = null;
2023-07-20 19:32:15 +02:00
}
function saveLastValues() {
2023-12-02 20:11:06 +01:00
const context = getContext();
lastChatId = context.chatId;
2023-07-20 19:32:15 +02:00
lastMessageHash = getStringHash(
2023-12-02 21:06:57 +01:00
(context.chat.length && context.chat[context.chat.length - 1].mes) ?? '',
2023-12-02 20:11:06 +01:00
);
2023-07-20 19:32:15 +02:00
}
async function tts(text, voiceId, char) {
2023-12-02 20:11:06 +01:00
let response = await ttsProvider.generateTts(text, voiceId);
// RVC injection
2023-10-15 16:27:11 +02:00
if (extension_settings.rvc.enabled && typeof window['rvcVoiceConversion'] === 'function')
2023-12-02 20:11:06 +01:00
response = await window['rvcVoiceConversion'](response, char, text);
2023-12-02 20:11:06 +01:00
addAudioJob(response);
completeTtsJob();
2023-07-20 19:32:15 +02:00
}
async function processTtsQueue() {
// Called each moduleWorker iteration to pull chat messages from queue
if (currentTtsJob || ttsJobQueue.length <= 0 || audioPaused) {
2023-12-02 20:11:06 +01:00
return;
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
console.debug('New message found, running TTS');
currentTtsJob = ttsJobQueue.shift();
let text = extension_settings.tts.narrate_translated_only ? (currentTtsJob?.extra?.display_text || currentTtsJob.mes) : currentTtsJob.mes;
2023-12-10 17:32:10 +01:00
if (extension_settings.tts.skip_codeblocks) {
text = text.replace(/^\s{4}.*$/gm, '').trim();
text = text.replace(/```.*?```/gs, '').trim();
}
2023-07-20 19:32:15 +02:00
text = extension_settings.tts.narrate_dialogues_only
2023-12-02 16:17:31 +01:00
? text.replace(/\*[^*]*?(\*|$)/g, '').trim() // remove asterisks content
2023-12-02 20:11:06 +01:00
: text.replaceAll('*', '').trim(); // remove just the asterisks
2023-07-20 19:32:15 +02:00
if (extension_settings.tts.narrate_quoted_only) {
const special_quotes = /[“”]/g; // Extend this regex to include other special quotes
text = text.replace(special_quotes, '"');
const matches = text.match(/".*?"/g); // Matches text inside double quotes, non-greedily
const partJoiner = (ttsProvider?.separator || ' ... ');
text = matches ? matches.join(partJoiner) : text;
}
2023-11-22 16:47:58 +01:00
if (typeof ttsProvider?.processText === 'function') {
text = await ttsProvider.processText(text);
}
2023-11-22 16:47:58 +01:00
// Collapse newlines and spaces into single space
2023-11-28 15:56:50 +01:00
text = text.replace(/\s+/g, ' ').trim();
2023-11-22 16:47:58 +01:00
2023-12-02 20:11:06 +01:00
console.log(`TTS: ${text}`);
const char = currentTtsJob.name;
2023-07-20 19:32:15 +02:00
// Remove character name from start of the line if power user setting is disabled
if (char && !power_user.allow_name2_display) {
const escapedChar = escapeRegex(char);
text = text.replace(new RegExp(`^${escapedChar}:`, 'gm'), '');
}
try {
if (!text) {
console.warn('Got empty text in TTS queue job.');
2023-12-02 20:11:06 +01:00
completeTtsJob();
2023-07-20 19:32:15 +02:00
return;
}
2023-12-02 20:11:06 +01:00
const voiceMapEntry = voiceMap[char] === DEFAULT_VOICE_MARKER ? voiceMap[DEFAULT_VOICE_MARKER] : voiceMap[char];
2023-09-01 16:58:33 +02:00
2023-09-04 13:21:22 +02:00
if (!voiceMapEntry || voiceMapEntry === DISABLED_VOICE_MARKER) {
2023-12-02 20:11:06 +01:00
throw `${char} not in voicemap. Configure character in extension settings voice map`;
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
const voice = await ttsProvider.getVoice(voiceMapEntry);
const voiceId = voice.voice_id;
2023-07-20 19:32:15 +02:00
if (voiceId == null) {
2023-12-02 20:11:06 +01:00
toastr.error(`Specified voice for ${char} was not found. Check the TTS extension settings.`);
throw `Unable to attain voiceId for ${char}`;
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
tts(text, voiceId, char);
2023-07-20 19:32:15 +02:00
} catch (error) {
2023-12-02 20:11:06 +01:00
console.error(error);
currentTtsJob = null;
2023-07-20 19:32:15 +02:00
}
}
// Secret function for now
async function playFullConversation() {
2023-12-02 20:11:06 +01:00
const context = getContext();
const chat = context.chat;
ttsJobQueue = chat;
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
window.playFullConversation = playFullConversation;
2023-07-20 19:32:15 +02:00
//#############################//
// Extension UI and Settings //
//#############################//
function loadSettings() {
if (Object.keys(extension_settings.tts).length === 0) {
2023-12-02 20:11:06 +01:00
Object.assign(extension_settings.tts, defaultSettings);
2023-07-20 19:32:15 +02:00
}
2023-08-28 20:46:41 +02:00
for (const key in defaultSettings) {
if (!(key in extension_settings.tts)) {
2023-12-02 20:11:06 +01:00
extension_settings.tts[key] = defaultSettings[key];
2023-08-28 20:46:41 +02:00
}
}
2023-12-02 20:11:06 +01:00
$('#tts_provider').val(extension_settings.tts.currentProvider);
2023-07-20 19:32:15 +02:00
$('#tts_enabled').prop(
'checked',
2023-12-02 21:06:57 +01:00
extension_settings.tts.enabled,
2023-12-02 20:11:06 +01:00
);
$('#tts_narrate_dialogues').prop('checked', extension_settings.tts.narrate_dialogues_only);
$('#tts_narrate_quoted').prop('checked', extension_settings.tts.narrate_quoted_only);
$('#tts_auto_generation').prop('checked', extension_settings.tts.auto_generation);
2023-07-20 19:32:15 +02:00
$('#tts_narrate_translated_only').prop('checked', extension_settings.tts.narrate_translated_only);
$('#tts_narrate_user').prop('checked', extension_settings.tts.narrate_user);
2023-07-20 19:32:15 +02:00
$('body').toggleClass('tts', extension_settings.tts.enabled);
}
const defaultSettings = {
voiceMap: '',
ttsEnabled: false,
2023-12-02 19:04:51 +01:00
currentProvider: 'ElevenLabs',
auto_generation: true,
narrate_user: false,
2023-12-02 20:11:06 +01:00
};
2023-07-20 19:32:15 +02:00
function setTtsStatus(status, success) {
2023-12-02 20:11:06 +01:00
$('#tts_status').text(status);
2023-07-20 19:32:15 +02:00
if (success) {
2023-12-02 20:11:06 +01:00
$('#tts_status').removeAttr('style');
2023-07-20 19:32:15 +02:00
} else {
2023-12-02 20:11:06 +01:00
$('#tts_status').css('color', 'red');
2023-07-20 19:32:15 +02:00
}
}
function onRefreshClick() {
2023-07-20 19:32:15 +02:00
Promise.all([
ttsProvider.onRefreshClick(),
// updateVoiceMap()
2023-07-20 19:32:15 +02:00
]).then(() => {
2023-12-02 20:11:06 +01:00
extension_settings.tts[ttsProviderName] = ttsProvider.settings;
saveSettingsDebounced();
setTtsStatus('Successfully applied settings', true);
console.info(`Saved settings ${ttsProviderName} ${JSON.stringify(ttsProvider.settings)}`);
initVoiceMap();
updateVoiceMap();
2023-07-20 19:32:15 +02:00
}).catch(error => {
2023-12-02 20:11:06 +01:00
console.error(error);
setTtsStatus(error, false);
});
2023-07-20 19:32:15 +02:00
}
function onEnableClick() {
extension_settings.tts.enabled = $('#tts_enabled').is(
2023-12-02 21:06:57 +01:00
':checked',
2023-12-02 20:11:06 +01:00
);
updateUiAudioPlayState();
saveSettingsDebounced();
2023-07-20 19:32:15 +02:00
}
2023-07-20 19:32:15 +02:00
function onAutoGenerationClick() {
extension_settings.tts.auto_generation = !!$('#tts_auto_generation').prop('checked');
2023-12-02 20:11:06 +01:00
saveSettingsDebounced();
2023-07-20 19:32:15 +02:00
}
function onNarrateDialoguesClick() {
extension_settings.tts.narrate_dialogues_only = !!$('#tts_narrate_dialogues').prop('checked');
2023-12-02 20:11:06 +01:00
saveSettingsDebounced();
2023-07-20 19:32:15 +02:00
}
function onNarrateUserClick() {
extension_settings.tts.narrate_user = !!$('#tts_narrate_user').prop('checked');
saveSettingsDebounced();
}
2023-07-20 19:32:15 +02:00
function onNarrateQuotedClick() {
extension_settings.tts.narrate_quoted_only = !!$('#tts_narrate_quoted').prop('checked');
2023-12-02 20:11:06 +01:00
saveSettingsDebounced();
2023-07-20 19:32:15 +02:00
}
function onNarrateTranslatedOnlyClick() {
extension_settings.tts.narrate_translated_only = !!$('#tts_narrate_translated_only').prop('checked');
2023-07-20 19:32:15 +02:00
saveSettingsDebounced();
}
2023-12-10 17:32:10 +01:00
function onSkipCodeblocksClick() {
extension_settings.tts.skip_codeblocks = !!$('#tts_skip_codeblocks').prop('checked');
saveSettingsDebounced();
}
2023-07-20 19:32:15 +02:00
//##############//
// TTS Provider //
//##############//
async function loadTtsProvider(provider) {
2023-07-20 19:32:15 +02:00
//Clear the current config and add new config
2023-12-02 20:11:06 +01:00
$('#tts_provider_settings').html('');
2023-07-20 19:32:15 +02:00
if (!provider) {
2023-12-02 20:11:06 +01:00
return;
2023-07-20 19:32:15 +02:00
}
2023-08-28 20:46:41 +02:00
2023-07-20 19:32:15 +02:00
// Init provider references
2023-12-02 20:11:06 +01:00
extension_settings.tts.currentProvider = provider;
ttsProviderName = provider;
ttsProvider = new ttsProviders[provider];
2023-07-20 19:32:15 +02:00
// Init provider settings
2023-12-02 20:11:06 +01:00
$('#tts_provider_settings').append(ttsProvider.settingsHtml);
2023-07-20 19:32:15 +02:00
if (!(ttsProviderName in extension_settings.tts)) {
2023-12-02 20:11:06 +01:00
console.warn(`Provider ${ttsProviderName} not in Extension Settings, initiatilizing provider in settings`);
extension_settings.tts[ttsProviderName] = {};
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
await ttsProvider.loadSettings(extension_settings.tts[ttsProviderName]);
await initVoiceMap();
2023-07-20 19:32:15 +02:00
}
function onTtsProviderChange() {
2023-12-02 20:11:06 +01:00
const ttsProviderSelection = $('#tts_provider').val();
extension_settings.tts.currentProvider = ttsProviderSelection;
loadTtsProvider(ttsProviderSelection);
2023-07-20 19:32:15 +02:00
}
// Ensure that TTS provider settings are saved to extension settings.
export function saveTtsProviderSettings() {
2023-12-02 20:11:06 +01:00
extension_settings.tts[ttsProviderName] = ttsProvider.settings;
updateVoiceMap();
saveSettingsDebounced();
console.info(`Saved settings ${ttsProviderName} ${JSON.stringify(ttsProvider.settings)}`);
2023-07-20 19:32:15 +02:00
}
//###################//
// voiceMap Handling //
//###################//
async function onChatChanged() {
2023-12-02 20:11:06 +01:00
await resetTtsPlayback();
const voiceMapInit = initVoiceMap();
2023-12-10 20:51:16 +01:00
await Promise.race([voiceMapInit, delay(1000)]);
2023-12-02 20:11:06 +01:00
ttsLastMessage = null;
}
async function onChatDeleted() {
2023-12-02 20:11:06 +01:00
const context = getContext();
// update internal references to new last message
2023-12-02 20:11:06 +01:00
lastChatId = context.chatId;
currentMessageNumber = context.chat.length ? context.chat.length : 0;
// compare against lastMessageHash. If it's the same, we did not delete the last chat item, so no need to reset tts queue
2023-12-02 20:11:06 +01:00
let messageHash = getStringHash((context.chat.length && context.chat[context.chat.length - 1].mes) ?? '');
if (messageHash === lastMessageHash) {
2023-12-02 20:11:06 +01:00
return;
}
2023-12-02 20:11:06 +01:00
lastMessageHash = messageHash;
ttsLastMessage = (context.chat.length && context.chat[context.chat.length - 1].mes) ?? '';
// stop any tts playback since message might not exist anymore
2023-12-02 20:11:06 +01:00
await resetTtsPlayback();
}
2023-11-09 01:57:40 +01:00
/**
* Get characters in current chat
* @param {boolean} unrestricted - If true, will include all characters in voiceMapEntries, even if they are not in the current chat.
* @returns {string[]} - Array of character names
*/
function getCharacters(unrestricted) {
2023-12-02 20:11:06 +01:00
const context = getContext();
2023-11-09 01:57:40 +01:00
if (unrestricted) {
const names = context.characters.map(char => char.name);
names.unshift(DEFAULT_VOICE_MARKER);
return names;
}
2023-12-02 20:11:06 +01:00
let characters = [];
2023-11-09 01:57:40 +01:00
if (context.groupId === null) {
// Single char chat
2023-12-02 20:11:06 +01:00
characters.push(DEFAULT_VOICE_MARKER);
characters.push(context.name1);
characters.push(context.name2);
} else {
// Group chat
2023-12-02 20:11:06 +01:00
characters.push(DEFAULT_VOICE_MARKER);
characters.push(context.name1);
const group = context.groups.find(group => context.groupId == group.id);
for (let member of group.members) {
// Remove suffix
2023-11-09 01:57:40 +01:00
if (member.endsWith('.png')) {
2023-12-02 20:11:06 +01:00
member = member.slice(0, -4);
}
2023-12-02 20:11:06 +01:00
characters.push(member);
}
}
2023-12-02 20:11:06 +01:00
return characters;
}
function sanitizeId(input) {
2023-11-09 01:57:40 +01:00
// Remove any non-alphanumeric characters except underscore (_) and hyphen (-)
let sanitized = input.replace(/[^a-zA-Z0-9-_]/g, '');
2023-11-09 01:57:40 +01:00
// Ensure first character is always a letter
if (!/^[a-zA-Z]/.test(sanitized)) {
sanitized = 'element_' + sanitized;
}
2023-11-09 01:57:40 +01:00
return sanitized;
}
function parseVoiceMap(voiceMapString) {
2023-12-02 20:11:06 +01:00
let parsedVoiceMap = {};
for (const [charName, voiceId] of voiceMapString
.split(',')
.map(s => s.split(':'))) {
if (charName && voiceId) {
2023-12-02 20:11:06 +01:00
parsedVoiceMap[charName.trim()] = voiceId.trim();
}
}
2023-12-02 20:11:06 +01:00
return parsedVoiceMap;
}
/**
* Apply voiceMap based on current voiceMapEntries
*/
function updateVoiceMap() {
2023-12-02 20:11:06 +01:00
const tempVoiceMap = {};
2023-11-09 01:57:40 +01:00
for (const voice of voiceMapEntries) {
if (voice.voiceId === null) {
2023-12-02 20:11:06 +01:00
continue;
}
2023-12-02 20:11:06 +01:00
tempVoiceMap[voice.name] = voice.voiceId;
}
2023-11-09 01:57:40 +01:00
if (Object.keys(tempVoiceMap).length !== 0) {
2023-12-02 20:11:06 +01:00
voiceMap = tempVoiceMap;
console.log(`Voicemap updated to ${JSON.stringify(voiceMap)}`);
}
2023-10-22 13:46:54 +02:00
if (!extension_settings.tts[ttsProviderName].voiceMap) {
2023-12-02 20:11:06 +01:00
extension_settings.tts[ttsProviderName].voiceMap = {};
2023-10-22 13:46:54 +02:00
}
2023-12-02 20:11:06 +01:00
Object.assign(extension_settings.tts[ttsProviderName].voiceMap, voiceMap);
saveSettingsDebounced();
}
class VoiceMapEntry {
2023-12-02 20:11:06 +01:00
name;
voiceId;
selectElement;
2023-11-09 01:57:40 +01:00
constructor(name, voiceId = DEFAULT_VOICE_MARKER) {
2023-12-02 20:11:06 +01:00
this.name = name;
this.voiceId = voiceId;
this.selectElement = null;
}
2023-11-09 01:57:40 +01:00
addUI(voiceIds) {
2023-12-02 20:11:06 +01:00
let sanitizedName = sanitizeId(this.name);
let defaultOption = this.name === DEFAULT_VOICE_MARKER ?
2023-09-04 13:21:22 +02:00
`<option>${DISABLED_VOICE_MARKER}</option>` :
2023-12-02 20:11:06 +01:00
`<option>${DEFAULT_VOICE_MARKER}</option><option>${DISABLED_VOICE_MARKER}</option>`;
let template = `
<div class='tts_voicemap_block_char flex-container flexGap5'>
<span id='tts_voicemap_char_${sanitizedName}'>${this.name}</span>
<select id='tts_voicemap_char_${sanitizedName}_voice'>
${defaultOption}
</select>
</div>
2023-12-02 20:11:06 +01:00
`;
$('#tts_voicemap_block').append(template);
// Populate voice ID select list
2023-11-09 01:57:40 +01:00
for (const voiceId of voiceIds) {
const option = document.createElement('option');
option.innerText = voiceId.name;
option.value = voiceId.name;
2023-12-02 20:11:06 +01:00
$(`#tts_voicemap_char_${sanitizedName}_voice`).append(option);
}
2023-12-02 20:11:06 +01:00
this.selectElement = $(`#tts_voicemap_char_${sanitizedName}_voice`);
this.selectElement.on('change', args => this.onSelectChange(args));
this.selectElement.val(this.voiceId);
}
onSelectChange(args) {
2023-12-02 20:11:06 +01:00
this.voiceId = this.selectElement.find(':selected').val();
updateVoiceMap();
}
}
/**
* Init voiceMapEntries for character select list.
2023-11-09 01:57:40 +01:00
* @param {boolean} unrestricted - If true, will include all characters in voiceMapEntries, even if they are not in the current chat.
*/
2023-11-09 01:57:40 +01:00
export async function initVoiceMap(unrestricted = false) {
// Gate initialization if not enabled or TTS Provider not ready. Prevents error popups.
2023-12-02 20:11:06 +01:00
const enabled = $('#tts_enabled').is(':checked');
2023-11-09 01:57:40 +01:00
if (!enabled) {
2023-12-02 20:11:06 +01:00
return;
}
// Keep errors inside extension UI rather than toastr. Toastr errors for TTS are annoying.
try {
2023-12-02 20:11:06 +01:00
await ttsProvider.checkReady();
} catch (error) {
2023-12-02 20:11:06 +01:00
const message = `TTS Provider not ready. ${error}`;
setTtsStatus(message, false);
return;
}
2023-12-02 20:11:06 +01:00
setTtsStatus('TTS Provider Loaded', true);
// Clear existing voiceMap state
2023-12-02 20:11:06 +01:00
$('#tts_voicemap_block').empty();
voiceMapEntries = [];
// Get characters in current chat
2023-11-09 01:57:40 +01:00
const characters = getCharacters(unrestricted);
2023-08-28 20:46:41 +02:00
// Get saved voicemap from provider settings, handling new and old representations
2023-12-02 20:11:06 +01:00
let voiceMapFromSettings = {};
2023-12-02 19:04:51 +01:00
if ('voiceMap' in extension_settings.tts[ttsProviderName]) {
// Handle previous representation
2023-12-02 19:04:51 +01:00
if (typeof extension_settings.tts[ttsProviderName].voiceMap === 'string') {
2023-12-02 20:11:06 +01:00
voiceMapFromSettings = parseVoiceMap(extension_settings.tts[ttsProviderName].voiceMap);
2023-11-09 01:57:40 +01:00
// Handle new representation
2023-12-02 19:04:51 +01:00
} else if (typeof extension_settings.tts[ttsProviderName].voiceMap === 'object') {
2023-12-02 20:11:06 +01:00
voiceMapFromSettings = extension_settings.tts[ttsProviderName].voiceMap;
}
}
// Get voiceIds from provider
2023-12-02 20:11:06 +01:00
let voiceIdsFromProvider;
try {
2023-12-02 20:11:06 +01:00
voiceIdsFromProvider = await ttsProvider.fetchTtsVoiceObjects();
}
catch {
2023-12-02 20:11:06 +01:00
toastr.error('TTS Provider failed to return voice ids.');
}
// Build UI using VoiceMapEntry objects
2023-11-09 01:57:40 +01:00
for (const character of characters) {
2023-12-02 19:04:51 +01:00
if (character === 'SillyTavern System') {
2023-12-02 20:11:06 +01:00
continue;
}
// Check provider settings for voiceIds
2023-12-02 20:11:06 +01:00
let voiceId;
2023-11-09 01:57:40 +01:00
if (character in voiceMapFromSettings) {
2023-12-02 20:11:06 +01:00
voiceId = voiceMapFromSettings[character];
} else if (character === DEFAULT_VOICE_MARKER) {
2023-12-02 20:11:06 +01:00
voiceId = DISABLED_VOICE_MARKER;
} else {
2023-12-02 20:11:06 +01:00
voiceId = DEFAULT_VOICE_MARKER;
}
2023-12-02 20:11:06 +01:00
const voiceMapEntry = new VoiceMapEntry(character, voiceId);
voiceMapEntry.addUI(voiceIdsFromProvider);
voiceMapEntries.push(voiceMapEntry);
}
2023-12-02 20:11:06 +01:00
updateVoiceMap();
}
2023-07-20 19:32:15 +02:00
$(document).ready(function () {
function addExtensionControls() {
const settingsHtml = `
<div id="tts_settings">
<div class="inline-drawer">
<div class="inline-drawer-toggle inline-drawer-header">
<b>TTS</b>
<div class="inline-drawer-icon fa-solid fa-circle-chevron-down down"></div>
</div>
<div class="inline-drawer-content">
<div id="tts_status">
</div>
<span>Select TTS Provider</span> </br>
<div class="tts_block">
<select id="tts_provider" class="flex1">
2023-07-20 19:32:15 +02:00
</select>
<input id="tts_refresh" class="menu_button" type="submit" value="Reload" />
2023-07-20 19:32:15 +02:00
</div>
<div>
<label class="checkbox_label" for="tts_enabled">
<input type="checkbox" id="tts_enabled" name="tts_enabled">
<small>Enabled</small>
</label>
<label class="checkbox_label" for="tts_narrate_user">
<input type="checkbox" id="tts_narrate_user">
<small>Narrate user messages</small>
</label>
2023-07-20 19:32:15 +02:00
<label class="checkbox_label" for="tts_auto_generation">
<input type="checkbox" id="tts_auto_generation">
<small>Auto Generation</small>
</label>
<label class="checkbox_label" for="tts_narrate_quoted">
<input type="checkbox" id="tts_narrate_quoted">
<small>Only narrate "quotes"</small>
</label>
<label class="checkbox_label" for="tts_narrate_dialogues">
<input type="checkbox" id="tts_narrate_dialogues">
<small>Ignore *text, even "quotes", inside asterisks*</small>
</label>
<label class="checkbox_label" for="tts_narrate_translated_only">
<input type="checkbox" id="tts_narrate_translated_only">
<small>Narrate only the translated text</small>
</label>
2023-12-10 17:32:10 +01:00
<label class="checkbox_label" for="tts_skip_codeblocks">
<input type="checkbox" id="tts_skip_codeblocks">
<small>Skip codeblocks</small>
</label>
2023-07-20 19:32:15 +02:00
</div>
<div id="tts_voicemap_block">
2023-07-20 19:32:15 +02:00
</div>
<hr>
2023-07-20 19:32:15 +02:00
<form id="tts_provider_settings" class="inline-drawer-content">
</form>
<div class="tts_buttons">
<input id="tts_voices" class="menu_button" type="submit" value="Available voices" />
</div>
</div>
</div>
</div>
</div>
2023-12-02 20:11:06 +01:00
`;
$('#extensions_settings').append(settingsHtml);
$('#tts_refresh').on('click', onRefreshClick);
$('#tts_enabled').on('click', onEnableClick);
2023-07-20 19:32:15 +02:00
$('#tts_narrate_dialogues').on('click', onNarrateDialoguesClick);
$('#tts_narrate_quoted').on('click', onNarrateQuotedClick);
$('#tts_narrate_translated_only').on('click', onNarrateTranslatedOnlyClick);
2023-12-10 17:32:10 +01:00
$('#tts_skip_codeblocks').on('click', onSkipCodeblocksClick);
2023-07-20 19:32:15 +02:00
$('#tts_auto_generation').on('click', onAutoGenerationClick);
$('#tts_narrate_user').on('click', onNarrateUserClick);
2023-12-02 20:11:06 +01:00
$('#tts_voices').on('click', onTtsVoicesClick);
2023-07-20 19:32:15 +02:00
for (const provider in ttsProviders) {
2023-12-02 20:11:06 +01:00
$('#tts_provider').append($('<option />').val(provider).text(provider));
2023-07-20 19:32:15 +02:00
}
2023-12-02 20:11:06 +01:00
$('#tts_provider').on('change', onTtsProviderChange);
2023-07-20 19:32:15 +02:00
$(document).on('click', '.mes_narrate', onNarrateOneMessage);
}
2023-12-02 20:11:06 +01:00
addExtensionControls(); // No init dependencies
loadSettings(); // Depends on Extension Controls and loadTtsProvider
loadTtsProvider(extension_settings.tts.currentProvider); // No dependencies
addAudioControl(); // Depends on Extension Controls
2023-07-20 19:32:15 +02:00
const wrapper = new ModuleWorkerWrapper(moduleWorker);
2023-12-02 20:11:06 +01:00
setInterval(wrapper.update.bind(wrapper), UPDATE_INTERVAL); // Init depends on all the things
2023-07-20 19:32:15 +02:00
eventSource.on(event_types.MESSAGE_SWIPED, resetTtsPlayback);
2023-12-02 20:11:06 +01:00
eventSource.on(event_types.CHAT_CHANGED, onChatChanged);
eventSource.on(event_types.MESSAGE_DELETED, onChatDeleted);
2023-12-02 20:11:06 +01:00
eventSource.on(event_types.GROUP_UPDATED, onChatChanged);
2023-12-02 19:04:51 +01:00
registerSlashCommand('speak', onNarrateText, ['narrate', 'tts'], '<span class="monospace">(text)</span> narrate any text using currently selected character\'s voice. Use voice="Character Name" argument to set other voice from the voice map, example: <tt>/speak voice="Donald Duck" Quack!</tt>', true, true);
document.body.appendChild(audioElement);
2023-12-02 20:11:06 +01:00
});