From fd6c3b943c7b98b9619d1cb0c2a673d98367c35a Mon Sep 17 00:00:00 2001 From: Sameer Pashikanti Date: Thu, 11 Dec 2025 11:30:53 +0000 Subject: [PATCH 1/3] server side changes to support italian --- echo/server/dembrane/api/project.py | 4 +- echo/server/dembrane/seed.py | 7 ++ echo/server/dembrane/service/project.py | 7 +- echo/server/dembrane/transcribe.py | 11 +-- .../context_conversations.it.jinja | 33 +++++++ .../default_whisper_prompt.it.jinja | 1 + .../generate_conversation_summary.it.jinja | 87 +++++++++++++++++++ .../get_reply_brainstorm.it.jinja | 17 ++++ .../get_reply_summarize.it.jinja | 12 +++ .../get_reply_system.it.jinja | 30 +++++++ echo/server/prompt_templates/summary.it.jinja | 13 +++ .../prompt_templates/system_chat.it.jinja | 84 ++++++++++++++++++ .../prompt_templates/system_report.it.jinja | 54 ++++++++++++ .../translate_transcription.it.jinja | 5 ++ 14 files changed, 353 insertions(+), 12 deletions(-) create mode 100644 echo/server/prompt_templates/context_conversations.it.jinja create mode 100644 echo/server/prompt_templates/default_whisper_prompt.it.jinja create mode 100644 echo/server/prompt_templates/generate_conversation_summary.it.jinja create mode 100644 echo/server/prompt_templates/get_reply_brainstorm.it.jinja create mode 100644 echo/server/prompt_templates/get_reply_summarize.it.jinja create mode 100644 echo/server/prompt_templates/get_reply_system.it.jinja create mode 100644 echo/server/prompt_templates/summary.it.jinja create mode 100644 echo/server/prompt_templates/system_chat.it.jinja create mode 100644 echo/server/prompt_templates/system_report.it.jinja create mode 100644 echo/server/prompt_templates/translate_transcription.it.jinja diff --git a/echo/server/dembrane/api/project.py b/echo/server/dembrane/api/project.py index 9863686e..d57e2a62 100644 --- a/echo/server/dembrane/api/project.py +++ b/echo/server/dembrane/api/project.py @@ -23,6 +23,7 @@ ProjectService, ProjectServiceException, ProjectNotFoundException, + get_allowed_languages, ) from dembrane.api.dependency_auth import DependencyDirectusSession, require_directus_client @@ -32,7 +33,6 @@ tags=["project"], dependencies=[Depends(require_directus_client)], ) -PROJECT_ALLOWED_LANGUAGES = ["en", "nl", "de", "fr", "es"] settings = get_settings() BASE_DIR = settings.base_dir @@ -52,7 +52,7 @@ async def create_project( body: CreateProjectRequestSchema, auth: DependencyDirectusSession, ) -> dict: - if body.language is not None and body.language not in PROJECT_ALLOWED_LANGUAGES: + if body.language is not None and body.language not in get_allowed_languages(): raise ProjectLanguageNotSupportedException name = body.name or "New Project" context = body.context or None diff --git a/echo/server/dembrane/seed.py b/echo/server/dembrane/seed.py index 5922f682..a98c558e 100644 --- a/echo/server/dembrane/seed.py +++ b/echo/server/dembrane/seed.py @@ -269,6 +269,7 @@ async def _ensure_verification_topic_translations( {"code": "de-DE", "name": "German (Germany)", "direction": "ltr"}, {"code": "es-ES", "name": "Spanish (Spain)", "direction": "ltr"}, {"code": "fr-FR", "name": "French (France)", "direction": "ltr"}, + {"code": "it-IT", "name": "Italian (Italy)", "direction": "ltr"}, ] @@ -341,6 +342,7 @@ async def seed_default_languages() -> None: "de-DE": {"label": "Worauf wir uns wirklich geeinigt haben"}, "es-ES": {"label": "En qué estuvimos de acuerdo"}, "fr-FR": {"label": "Ce qu'on a décidé ensemble"}, + "it-IT": {"label": "Su cosa ci siamo accordati"}, }, }, { @@ -362,6 +364,7 @@ async def seed_default_languages() -> None: "de-DE": {"label": "Verborgene Schätze"}, "es-ES": {"label": "Joyas ocultas"}, "fr-FR": {"label": "Pépites cachées"}, + "it-IT": {"label": "Perle nascoste"}, }, }, { @@ -383,6 +386,7 @@ async def seed_default_languages() -> None: "de-DE": {"label": "Unbequeme Wahrheiten"}, "es-ES": {"label": "Verdades incómodas"}, "fr-FR": {"label": "Vérités difficiles"}, + "it-IT": {"label": "Verità scomode"}, }, }, { @@ -403,6 +407,7 @@ async def seed_default_languages() -> None: "de-DE": {"label": "Durchbrüche"}, "es-ES": {"label": "Momentos decisivos"}, "fr-FR": {"label": "Moments décisifs"}, + "it-IT": {"label": "Momenti di svolta"}, }, }, { @@ -423,6 +428,7 @@ async def seed_default_languages() -> None: "de-DE": {"label": "Was wir denken, das passieren sollte"}, "es-ES": {"label": "Lo que creemos que debe pasar"}, "fr-FR": {"label": "Ce qu'on pense qu'il faut faire"}, + "it-IT": {"label": "Cosa pensiamo debba succedere"}, }, }, { @@ -443,6 +449,7 @@ async def seed_default_languages() -> None: "de-DE": {"label": "Worüber wir uns nicht einig wurden"}, "es-ES": {"label": "Donde no coincidimos"}, "fr-FR": {"label": "Là où on n'était pas d'accord"}, + "it-IT": {"label": "Dove non eravamo d'accordo"}, }, }, ] diff --git a/echo/server/dembrane/service/project.py b/echo/server/dembrane/service/project.py index 6383908e..54cb3a9f 100644 --- a/echo/server/dembrane/service/project.py +++ b/echo/server/dembrane/service/project.py @@ -4,7 +4,12 @@ from dembrane.directus import DirectusClient, DirectusBadRequest, directus, directus_client_context -PROJECT_ALLOWED_LANGUAGES = ["en", "nl", "de", "fr", "es"] +ALLOWED_LANGUAGES = ["en", "nl", "de", "fr", "es", "it"] + + +def get_allowed_languages() -> List[str]: + """Return the list of supported language codes for projects.""" + return ALLOWED_LANGUAGES class ProjectServiceException(Exception): diff --git a/echo/server/dembrane/transcribe.py b/echo/server/dembrane/transcribe.py index 4bb8a514..47f607db 100644 --- a/echo/server/dembrane/transcribe.py +++ b/echo/server/dembrane/transcribe.py @@ -25,6 +25,7 @@ from dembrane.service import file_service, conversation_service from dembrane.directus import directus from dembrane.settings import get_settings +from dembrane.service.project import get_allowed_languages logger = logging.getLogger("transcribe") @@ -105,15 +106,7 @@ def transcribe_audio_assemblyai( "speech_model": "universal", "language_detection": True, "language_detection_options": { - "expected_languages": [ - "nl", - "fr", - "es", - "de", - "it", - "pt", - "en", - ], + "expected_languages": list(set(get_allowed_languages()) | {"pt"}), }, } diff --git a/echo/server/prompt_templates/context_conversations.it.jinja b/echo/server/prompt_templates/context_conversations.it.jinja new file mode 100644 index 00000000..30c75aac --- /dev/null +++ b/echo/server/prompt_templates/context_conversations.it.jinja @@ -0,0 +1,33 @@ +{% if is_overview_mode %}RIASSUNTI DELLE CONVERSAZIONI:{% else %}TRASCRIZIONI DELLE CONVERSAZIONI:{% endif %} +{% if conversations|length == 0 %} +Nessuna conversazione aggiunta dall'utente ancora. Invitalo gentilmente ad aggiungerne alcune selezionando le conversazioni dalla barra laterale. +{% else %} + {% for conversation in conversations %} + + {{ conversation.name }} + {{ conversation.tags }} + {{ conversation.created_at }} + {{ conversation.duration }} + {% if conversation.summary %} + + {{ conversation.summary }} + + {% else %} + + {{ conversation.transcript }} + + {% endif %} + {% if conversation.artifacts %} + + {% for artifact in conversation.artifacts %} + + {{ artifact.key }} + {{ artifact.content }} + + {% endfor %} + + {% endif %} + + {% endfor %} +{% endif %} + diff --git a/echo/server/prompt_templates/default_whisper_prompt.it.jinja b/echo/server/prompt_templates/default_whisper_prompt.it.jinja new file mode 100644 index 00000000..eecae56e --- /dev/null +++ b/echo/server/prompt_templates/default_whisper_prompt.it.jinja @@ -0,0 +1 @@ +Ciao, iniziamo. Prima faremo un giro di presentazioni e poi potremo entrare nell'argomento di oggi. diff --git a/echo/server/prompt_templates/generate_conversation_summary.it.jinja b/echo/server/prompt_templates/generate_conversation_summary.it.jinja new file mode 100644 index 00000000..8e7e96d4 --- /dev/null +++ b/echo/server/prompt_templates/generate_conversation_summary.it.jinja @@ -0,0 +1,87 @@ +Ti viene fornita una serie di citazioni da una trascrizione di conversazione in ordine cronologico. + + +{{ quote_text_joined }} + + +{% if project_context %} + +L'organizzatore ha fornito il seguente contesto e termini chiave per questa conversazione: +{{ project_context }} + +{% endif %} + +{% if verified_artifacts %} + +Durante questa conversazione, i partecipanti hanno creato e verificato collaborativamente i seguenti risultati concreti: +{% for artifact in verified_artifacts %} + +--- +{{ artifact }} +--- +{% endfor %} + +{% endif %} + +Crea un riassunto che catturi l'essenza e il significato di ciò che è accaduto, ottimizzato per una lettura rapida. + +## Principi Fondamentali + +1. **Essenza prima dell'esaustività**: Cattura il "e quindi?" - il risultato significativo, la decisione o l'intuizione - non un resoconto dettagliato + +2. **Concisione radicale**: La maggior parte delle conversazioni dovrebbe essere riassunta in 2-4 frasi. Discussioni complesse potrebbero giustificare 1-2 brevi paragrafi. Il riassunto dovrebbe essere sempre drasticamente più breve dell'originale. + +3. **Compressione significativa**: Chiediti "cosa dovrebbe sapere qualcuno se ha perso questo?" non "cosa è stato discusso?" + +4. **Linguaggio naturale**: Scrivi in prosa scorrevole, non punti elenco o sezioni strutturate. Evita intestazioni, liste e formattazione a meno che il contenuto non sia genuinamente complesso e sfaccettato. + +5. **Integrazione del contesto**: + - Integra naturalmente il contesto del progetto quando aggiunge significato + - Nota gli artefatti verificati come risultati concreti senza dettagli di processo + - Non forzare contesto irrilevante + +6. **Punteggio di lettura rapida**: Prima di scrivere, valuta internamente quanto sarà scorrevole questo riassunto su una scala da 1 a 10: + - 10 = Comprensione istantanea (semplice, un singolo punto chiaro) + - 7-9 = Scansione molto rapida (2-3 conclusioni chiare) + - 4-6 = Richiede lettura concentrata (più punti o complessità moderata) + - 1-3 = Richiede lettura attenta (denso, complesso o sfumato) + + Punta a 7+ quando possibile. Se la tua bozza ottiene meno di 7, semplifica ulteriormente. + +## Cosa Catturare + +Concentrati su ciò che conta di più. Includi questi elementi quando sono centrali nella conversazione: + +- Decisioni prese e la loro motivazione +- Problemi identificati e soluzioni concordate +- Intuizioni o realizzazioni chiave +- Passi successivi concreti o risultati +- Dinamiche fondamentali quando hanno plasmato il risultato: argomenti o ragionamenti che hanno influenzato le decisioni, tensioni tra priorità concorrenti, conflitti che necessitavano risoluzione, o accordi raggiunti su punti controversi +- Disaccordi significativi o compromessi discussi + +## Cosa Tralasciare + +- Resoconto dettagliato della discussione +- Specifiche di implementazione a meno che non siano il punto principale +- Meccanica del processo (chi ha detto cosa, come sono state raggiunte le decisioni) +- Contesto o background ovvio +- Disaccordi minori che non hanno impattato i risultati + +## Linee Guida di Stile + +- Usa virgole, parentesi o "ma" invece di trattini lunghi +- Scrivi in prosa diretta e conversazionale +- Preferisci frasi più brevi rispetto a punteggiatura complessa +- Usa "ma" o "tuttavia" per mostrare contrasto +- Usa le parentesi per incisi o chiarimenti +- Non usare mai grassetto, corsivo o altra formattazione del testo + +## Formato + +- 2-4 frasi per conversazioni semplici +- 1-2 paragrafi concisi per complessità moderata +- Prosa naturale senza punti elenco, intestazioni, liste o formattazione +- Usa struttura solo se genuinamente necessario per una discussione sfaccettata + +Scrivi come se stessi spiegando a un collega cosa è successo in 30 secondi. + diff --git a/echo/server/prompt_templates/get_reply_brainstorm.it.jinja b/echo/server/prompt_templates/get_reply_brainstorm.it.jinja new file mode 100644 index 00000000..3445b148 --- /dev/null +++ b/echo/server/prompt_templates/get_reply_brainstorm.it.jinja @@ -0,0 +1,17 @@ +Sei un catalizzatore innovativo di brainstorming progettato per sbloccare il potenziale creativo e trasformare il pensiero ordinario in possibilità straordinarie. La tua missione è guidare gli utenti attraverso processi di ideazione dinamici che superano i confini convenzionali e rivelano opportunità nascoste. + +**Linee guida per la modalità Brainstorming:** +- Pensa oltre le soluzioni convenzionali ed esplora approcci non convenzionali +- Trova connessioni inaspettate tra diverse idee nella conversazione +- Sfida le ipotesi e offri prospettive nuove +- Fornisci 2-4 idee specifiche e attuabili che spingono i confini creativi +- Combina pensiero strategico con passi tattici concreti +- Costruisci sui thread di conversazione esistenti piuttosto che ricominciare da zero +- Usa stili di pensiero diversi (analitico, creativo, strategico, tattico) +- Mantieni l'energia conversazionale rimanendo pratico +- Aiuta gli utenti a vedere le loro sfide da nuove angolazioni +- Incoraggia la sperimentazione e le mosse audaci + +Nella tua analisi_dettagliata, concentrati sulle opportunità di svolta creativa e sugli angoli non convenzionali. Nella tua risposta, offri idee dinamiche che bilancino ispirazione e attuabilità. + +Mantieni le risposte dinamiche e conversazionali, bilanciando ispirazione e intuizione pratica. diff --git a/echo/server/prompt_templates/get_reply_summarize.it.jinja b/echo/server/prompt_templates/get_reply_summarize.it.jinja new file mode 100644 index 00000000..c9e1d360 --- /dev/null +++ b/echo/server/prompt_templates/get_reply_summarize.it.jinja @@ -0,0 +1,12 @@ +Sei un assistente AI che crea riassunti brevi e conversazionali. + +**Compito:** Riassumi la MAIN_USER_TRANSCRIPT in 2-4 frasi usando un tono caldo e conversazionale. + +**Linee guida:** +- Concentrati sull'argomento principale e sulle intuizioni chiave +- Usa "tu" per rivolgerti direttamente all'utente +- Scrivi come se stessi parlando con un amico +- Mantienilo breve e coinvolgente +- Concludi naturalmente senza domande forzate + +**Esempio:** "Sembra che tu stia esplorando [argomento principale]. Il tuo punto su [intuizione chiave] evidenzia davvero [significato]." diff --git a/echo/server/prompt_templates/get_reply_system.it.jinja b/echo/server/prompt_templates/get_reply_system.it.jinja new file mode 100644 index 00000000..47321910 --- /dev/null +++ b/echo/server/prompt_templates/get_reply_system.it.jinja @@ -0,0 +1,30 @@ +Sei un assistente AI che partecipa a una piattaforma di intelligenza collettiva. Il tuo obiettivo è fornire risposte brevi, perspicaci e conversazionali che contribuiscano alla deliberazione in corso. + +Prima di iniziare, ecco il contesto per informare la tua risposta: + +1. Descrizione del Progetto: + +{{PROJECT_DESCRIPTION}} + + +2. Prompt Globale (se fornito): + +{{GLOBAL_PROMPT}} + + +3. Altre Trascrizioni: + +{{OTHER_TRANSCRIPTS}} + + +4. Trascrizione dell'Utente Principale. +Questa è la parte più importante del contesto. Contiene anche le tue risposte precedenti. Riceverai trascrizioni di conversazioni (e opzionalmente frammenti audio). + +{{MAIN_USER_TRANSCRIPT}} + + +La tua risposta finale deve essere di 1-3 frasi + +Usa il linguaggio "noi/nostro" per la proprietà collettiva +Adatta la lingua della trascrizione +Riconosci l'incertezza quando presente diff --git a/echo/server/prompt_templates/summary.it.jinja b/echo/server/prompt_templates/summary.it.jinja new file mode 100644 index 00000000..d4ef17af --- /dev/null +++ b/echo/server/prompt_templates/summary.it.jinja @@ -0,0 +1,13 @@ +Sei un assistente AI che crea riassunti brevi e conversazionali. + +**Compito:** Riassumi la MAIN_USER_TRANSCRIPT in 2-4 frasi usando un tono caldo e conversazionale. + +**Linee guida:** +- Concentrati sull'argomento principale e sulle intuizioni chiave +- Usa "tu" per rivolgerti direttamente all'utente +- Scrivi come se stessi parlando con un amico +- Mantienilo breve e coinvolgente +- Concludi naturalmente senza domande forzate + +**Esempio:** "Sembra che tu stia esplorando [argomento principale]. Il tuo punto su [intuizione chiave] evidenzia davvero [significato]." + diff --git a/echo/server/prompt_templates/system_chat.it.jinja b/echo/server/prompt_templates/system_chat.it.jinja new file mode 100644 index 00000000..27295db8 --- /dev/null +++ b/echo/server/prompt_templates/system_chat.it.jinja @@ -0,0 +1,84 @@ +Per favore rispondi sempre in italiano, indipendentemente dalla lingua dei messaggi precedenti. + +Sei un assistente di ricerca che aiuta ad analizzare i dati delle conversazioni. Il tuo ruolo è fornire risposte accurate e utili basate sul contesto della conversazione fornito. + +{% if is_overview_mode %} +SEI IN MODALITÀ PANORAMICA + +Cosa significa: +- Hai RIASSUNTI delle conversazioni, non le trascrizioni complete +- Questi riassunti catturano i temi chiave, i punti principali e le discussioni notevoli +- NON hai accesso a citazioni letterali o alla formulazione esatta dei partecipanti + +STRUTTURA DELLA CONVERSAZIONE: +Ogni conversazione contiene: +- Nome nei tag +- Tag associati nei tag +- Data di creazione nei tag +- Durata nei tag +- Riassunto nei tag (versione condensata della conversazione) + +COSA PUOI FARE: +- Identificare pattern e temi attraverso le conversazioni +- Confrontare diverse prospettive e punti di vista menzionati nei riassunti +- Fornire analisi di ciò che è stato discusso +- Rispondere a domande su argomenti, decisioni e risultati + +COSA NON PUOI FARE: +- Fornire citazioni esatte (non le hai) +- Dire esattamente cosa ha detto qualcuno parola per parola +- Citare momenti specifici o formulazioni precise + +QUANDO GLI UTENTI CHIEDONO CITAZIONI LETTERALI O FORMULAZIONI ESATTE: +Solo quando un utente chiede specificamente citazioni esatte, dichiarazioni parola per parola, o "cosa ha detto esattamente [persona]"—allora menziona brevemente che possono usare la modalità "Contesto Specifico" in una nuova chat per quello. Non menzionarlo in ogni risposta—solo quando è effettivamente rilevante per ciò che hanno chiesto. + +STILE DI SCRITTURA: +Scrivi naturalmente, come se stessi parlando con un collega. Varia il formato della risposta in base a ciò che ha senso per la domanda. + +- Sii diretto e conversazionale +- Usa elenchi puntati quando elenchi più elementi, ma non forzare tutto in liste +- Fai riferimento a ciò che i riassunti indicano senza dire costantemente "il riassunto mostra" +- Esprimi la tua interpretazione quando rilevante, ma non separare rigidamente "fatti" da "interpretazione" +- Segnala l'incertezza genuina con parole come "suggerisce," "indica," "sembra" +- Mantienilo conciso—non spiegare troppo o allungare le risposte + +NON: +- Usare la stessa struttura rigida per ogni risposta +- Terminare ogni messaggio con formule standard sui limiti +- Inventare citazioni che non hai +- Usare gergo aziendale +- Ricordare costantemente all'utente che stai lavorando dai riassunti (lo sanno) +{% else %} +SEI IN MODALITÀ CONTESTO SPECIFICO + +STRUTTURA DELLA CONVERSAZIONE: +Ogni conversazione contiene: +- Nome nei tag +- Tag associati nei tag +- Data di creazione nei tag +- Durata nei tag +- Trascrizione completa nei tag (conversazione completa con formulazione esatta) +- Artefatti verificati nei tag (punti importanti verificati dall'utente) + +COSA PUOI FARE: +- Fornire citazioni esatte dalle trascrizioni +- Fare riferimento a momenti specifici e formulazioni precise +- Basare tutte le affermazioni sul contenuto effettivo della trascrizione +- Usare citazioni dirette: "[Nome]: testo citato" + +STILE DI SCRITTURA: +Scrivi naturalmente, come se stessi parlando con un collega. Varia il formato della risposta in base a ciò che ha senso per la domanda. + +- Sii diretto e conversazionale +- Usa citazioni per supportare i tuoi punti, ma non sopraffare con i riferimenti +- Usa elenchi puntati quando elenchi più elementi, ma non forzare tutto in liste +- Segnala l'incertezza genuina con parole come "suggerisce," "probabilmente" +- Mantienilo conciso—non spiegare troppo o allungare le risposte + +NON: +- Usare la stessa struttura rigida per ogni risposta +- Speculare oltre ciò che le trascrizioni contengono +- Usare gergo aziendale +- Spiegare troppo pattern ovvi +{% endif %} + diff --git a/echo/server/prompt_templates/system_report.it.jinja b/echo/server/prompt_templates/system_report.it.jinja new file mode 100644 index 00000000..1800f3da --- /dev/null +++ b/echo/server/prompt_templates/system_report.it.jinja @@ -0,0 +1,54 @@ + +{% if conversations|length == 0 %} +Nessuna trascrizione di conversazione trovata. +{% else %} + {% for conversation in conversations %} + + {{ conversation.name }} + {{ conversation.tags }} + + {{ conversation.transcript }} + + + {% endfor %} +{% endif %} + + +Hai il compito di creare un articolo dinamico in stile intervista Q&A basato su un insieme di trascrizioni di conversazioni fornite sopra. Questo articolo dovrebbe analizzare criticamente il contenuto mantenendo un chiaro collegamento al materiale sorgente. Il risultato finale dovrebbe essere un documento professionale e leggibile, adatto alla condivisione online immediata. + +Prima, leggi e analizza attentamente le trascrizioni e il loro contesto. + +Inizia analizzando criticamente le trascrizioni. Considera quanto segue: +1. Temi e idee chiave presentati +2. Prospettive o intuizioni uniche +3. Potenziali controversie o punti di vista contrastanti +4. Rilevanza rispetto all'argomento principale + +Struttura il tuo articolo Q&A come segue: +1. Introduzione: Spiega brevemente il contesto e l'importanza dell'argomento. +2. Corpo principale: Crea un numero adeguato (tra 2 e 15) di coppie domanda-risposta che coprano gli aspetti più significativi delle trascrizioni. +3. Conclusione: Riassumi i punti chiave e le loro implicazioni. + +Quando formuli le tue domande e risposte: +* Assicurati che ogni domanda sia chiara, concisa e stimolante. +* Fornisci risposte complete che attingano direttamente dalle trascrizioni. +* Mantieni una prospettiva critica, affrontando eventuali contraddizioni o incertezze nel materiale sorgente. +* Usa citazioni dirette con parsimonia e, quando lo fai, attribuiscile correttamente. + +Per mantenere l'integrità del materiale sorgente: +* Rappresenta accuratamente le opinioni e le informazioni presentate nelle trascrizioni. +* Non introdurre informazioni o opinioni non presenti nel contenuto originale. +* Se ci sono lacune nelle informazioni, riconoscile piuttosto che speculare. +* Fai riferimento ai nomi propri quando rilevante. Ignora i nomi condivisi durante le trascrizioni a meno che non sia ovvio che la persona sia una figura pubblica. + +Formatta il tuo output finale come segue: +* Titolo: Crea un titolo accattivante che catturi l'essenza del Q&A. +* Introduzione: 2-3 frasi che impostano il contesto. +* Coppie Q&A: Presenta ogni coppia con la domanda in grassetto, seguita da una risposta completa, separate da due interruzioni di riga. +* Conclusione: 2-3 frasi che riassumono i punti chiave e il loro significato. + +Ricorda di mantenere un tono professionale e giornalistico in tutto l'articolo. Il linguaggio dovrebbe essere chiaro, conciso e facilmente comprensibile per un pubblico generale. Evita linguaggio informale, gergo o termini eccessivamente tecnici a meno che non siano essenziali e spiegati. + +Non inserire tag
nell'output. Usa invece le interruzioni di riga. + +Presenta il tuo articolo finale all'interno dei tag
con testo formattato in markdown. diff --git a/echo/server/prompt_templates/translate_transcription.it.jinja b/echo/server/prompt_templates/translate_transcription.it.jinja new file mode 100644 index 00000000..95de0f1f --- /dev/null +++ b/echo/server/prompt_templates/translate_transcription.it.jinja @@ -0,0 +1,5 @@ +Sei un traduttore esperto. Per favore traduci il seguente testo da {{ detected_language }} a {{ desired_language }}. +Preserva il significato originale, il tono e il contesto. Non riassumere, omettere o aggiungere informazioni. Restituisci solo il testo tradotto. + +Testo da tradurre: +{{ transcript }} From 62701d4cdafc87f961197c5844ba33861b188d74 Mon Sep 17 00:00:00 2001 From: Usama Date: Thu, 11 Dec 2025 11:52:52 +0000 Subject: [PATCH 2/3] - add italian language frontend changes --- echo/frontend/lingui.config.ts | 2 +- .../announcement/utils/dateUtils.ts | 3 +- .../conversation/VerifiedArtefactsSection.tsx | 1 + .../components/language/LanguagePicker.tsx | 6 + .../frontend/src/components/layout/Header.tsx | 10 + .../ParticipantOnboardingCards.tsx | 25 + .../participant/hooks/useOnboardingCards.ts | 193 + .../verify/VerifiedArtefactsList.tsx | 1 + .../participant/verify/VerifySelection.tsx | 3 +- .../project/ProjectPortalEditor.tsx | 6 +- .../src/components/project/ProjectQRCode.tsx | 4 + echo/frontend/src/config.ts | 1 + echo/frontend/src/hooks/useLanguage.ts | 2 + echo/frontend/src/locales/it-IT.po | 4470 +++++++++++++++++ echo/frontend/src/locales/it-IT.ts | 1 + 15 files changed, 4723 insertions(+), 5 deletions(-) create mode 100644 echo/frontend/src/locales/it-IT.po create mode 100644 echo/frontend/src/locales/it-IT.ts diff --git a/echo/frontend/lingui.config.ts b/echo/frontend/lingui.config.ts index 5ee4e219..49a2378b 100644 --- a/echo/frontend/lingui.config.ts +++ b/echo/frontend/lingui.config.ts @@ -10,7 +10,7 @@ const config: LinguiConfig = { fallbackLocales: { default: "en-US", }, - locales: ["en-US", "nl-NL", "de-DE", "fr-FR", "es-ES"], + locales: ["en-US", "nl-NL", "de-DE", "fr-FR", "es-ES", "it-IT"], sourceLocale: "en-US", }; diff --git a/echo/frontend/src/components/announcement/utils/dateUtils.ts b/echo/frontend/src/components/announcement/utils/dateUtils.ts index 34a38fe6..58b1bd8e 100644 --- a/echo/frontend/src/components/announcement/utils/dateUtils.ts +++ b/echo/frontend/src/components/announcement/utils/dateUtils.ts @@ -1,5 +1,5 @@ import { formatRelative } from "date-fns"; -import { de, enUS, es, fr, nl } from "date-fns/locale"; +import { de, enUS, es, fr, it, nl } from "date-fns/locale"; import { useLanguage } from "@/hooks/useLanguage"; // Map of supported locales to date-fns locales @@ -8,6 +8,7 @@ const localeMap = { "en-US": enUS, "es-ES": es, "fr-FR": fr, + "it-IT": it, "nl-NL": nl, } as const; diff --git a/echo/frontend/src/components/conversation/VerifiedArtefactsSection.tsx b/echo/frontend/src/components/conversation/VerifiedArtefactsSection.tsx index a2da391d..4cc3e0f1 100644 --- a/echo/frontend/src/components/conversation/VerifiedArtefactsSection.tsx +++ b/echo/frontend/src/components/conversation/VerifiedArtefactsSection.tsx @@ -37,6 +37,7 @@ const LANGUAGE_TO_LOCALE: Record = { en: "en-US", es: "es-ES", fr: "fr-FR", + it: "it-IT", nl: "nl-NL", }; diff --git a/echo/frontend/src/components/language/LanguagePicker.tsx b/echo/frontend/src/components/language/LanguagePicker.tsx index baf63478..6f602233 100644 --- a/echo/frontend/src/components/language/LanguagePicker.tsx +++ b/echo/frontend/src/components/language/LanguagePicker.tsx @@ -35,6 +35,12 @@ const data: Array<{ label: "Français", language: "fr-FR", }, + { + flag: "🇮🇹", + iso639_1: "it", + label: "Italiano", + language: "it-IT", + }, { flag: "🇪🇸", iso639_1: "es", diff --git a/echo/frontend/src/components/layout/Header.tsx b/echo/frontend/src/components/layout/Header.tsx index 1b2cdb33..c47a3007 100644 --- a/echo/frontend/src/components/layout/Header.tsx +++ b/echo/frontend/src/components/layout/Header.tsx @@ -8,6 +8,7 @@ import { IconNotes, IconSettings, IconShieldLock, + IconWorld, } from "@tabler/icons-react"; import { useParams } from "react-router"; import { @@ -184,6 +185,15 @@ const HeaderView = ({ isAuthenticated, loading }: HeaderViewProps) => { + } + component="a" + href="https://tally.so/r/PdprZV" + target="_blank" + > + Help us translate + + } onClick={handleLogout} diff --git a/echo/frontend/src/components/participant/ParticipantOnboardingCards.tsx b/echo/frontend/src/components/participant/ParticipantOnboardingCards.tsx index 96290436..c0656fe7 100644 --- a/echo/frontend/src/components/participant/ParticipantOnboardingCards.tsx +++ b/echo/frontend/src/components/participant/ParticipantOnboardingCards.tsx @@ -176,6 +176,31 @@ const ParticipantOnboardingCards = ({ project }: { project: Project }) => { ], }, ], + "it-IT": [ + ...getSystemCards("it-IT", tutorialSlug), + { + section: "Controllo Microfono", + slides: [ + { + component: MicrophoneTestComponent, + content: "Assicuriamoci di poterti sentire.", + icon: IconMicrophone, + title: "Controllo Microfono", + type: "microphone", + }, + ], + }, + { + section: "Pronti a iniziare?", + slides: [ + { + component: InitiateFormComponent, + icon: Play, + title: "Pronti a iniziare?", + }, + ], + }, + ], "nl-NL": [ ...getSystemCards("nl-NL", tutorialSlug), { diff --git a/echo/frontend/src/components/participant/hooks/useOnboardingCards.ts b/echo/frontend/src/components/participant/hooks/useOnboardingCards.ts index 31649e2a..064c5acf 100644 --- a/echo/frontend/src/components/participant/hooks/useOnboardingCards.ts +++ b/echo/frontend/src/components/participant/hooks/useOnboardingCards.ts @@ -330,6 +330,75 @@ export const useOnboardingCards = () => { ], }, ], + "it-IT": [ + { + section: "Benvenuto", + slides: [ + { + content: + "Registra la tua voce per rispondere alle domande e avere un impatto.", + cta: "Andiamo!", + extraHelp: + "Questo è un mini-tutorial. Usa i pulsanti precedente e successivo per navigare. Al termine entrerai nel portale di registrazione.", + icon: PartyPopper, + title: "Benvenuto su Dembrane!", + }, + { + content: + "Dembrane aiuta a raccogliere facilmente contributi da grandi gruppi.", + cta: "Dimmi di più", + extraHelp: + "Che si tratti di feedback per un comune, di input sul lavoro o di partecipazione a una ricerca, la tua voce conta!", + icon: Orbit, + title: "Cos'è Dembrane?", + }, + { + content: + "Rispondi alle domande a tuo ritmo parlando o scrivendo.", + cta: "Avanti", + extraHelp: + "La voce è la modalità principale perché permette risposte più naturali e ricche. Scrivere è sempre disponibile come alternativa.", + icon: Speech, + title: "Dì semplicemente ciò che pensi", + }, + { + content: "Dembrane è più divertente in gruppo!", + cta: "Avanti", + extraHelp: + "È ancora meglio se trovi qualcuno con cui discutere le domande e registrare la conversazione. Non possiamo sapere chi ha detto cosa, solo quali idee sono state condivise.", + icon: MessagesSquare, + title: "Da soli o in gruppo", + }, + ], + }, + { + section: "Come funziona", + slides: [ + { + content: + "Riceverai le domande quando sarai nel portale di registrazione.", + cta: "Capito", + extraHelp: + "Le domande variano in base alle esigenze dell'host. Possono riguardare temi della comunità, esperienze di lavoro o ricerca. Se non ci sono domande specifiche, puoi condividere qualsiasi pensiero o preoccupazione.", + icon: HelpCircle, + title: "È il momento delle domande", + }, + ], + }, + { + section: "Privacy", + slides: [ + { + content: "Come registratore, controlli tu ciò che condividi.", + cta: "Dimmi di più", + extraHelp: + "Evita di condividere dettagli che non vuoi rendere noti all'host. Chiedi sempre il consenso prima di registrare altre persone.", + icon: Lock, + title: "La privacy conta", + }, + ], + }, + ], "nl-NL": [ { section: "Welkom", @@ -816,6 +885,108 @@ export const useOnboardingCards = () => { ], }, ], + "it-IT": [ + { + section: "Benvenuto", + slides: [ + { + content: + "Registra la tua voce per rispondere alle domande e avere un impatto.", + cta: "Andiamo!", + extraHelp: + "Questo è un mini-tutorial. Usa i pulsanti precedente e successivo per navigare. Al termine entrerai nel portale di registrazione.", + icon: PartyPopper, + title: "Benvenuto su Dembrane!", + }, + { + content: + "Dembrane aiuta a raccogliere facilmente contributi da grandi gruppi.", + cta: "Dimmi di più", + extraHelp: + "Che si tratti di feedback per un comune, di input sul lavoro o di partecipazione a una ricerca, la tua voce conta!", + icon: Orbit, + title: "Cos'è Dembrane?", + }, + { + content: + "Rispondi alle domande a tuo ritmo parlando o scrivendo.", + cta: "Avanti", + extraHelp: + "La voce è la modalità principale perché permette risposte più naturali e ricche. Scrivere è sempre disponibile come alternativa.", + icon: Speech, + title: "Dì semplicemente ciò che pensi", + }, + { + content: "Dembrane è più divertente in gruppo!", + cta: "Avanti", + extraHelp: + "È ancora meglio se trovi qualcuno con cui discutere le domande e registrare la conversazione. Non possiamo sapere chi ha detto cosa, solo quali idee sono state condivise.", + icon: MessagesSquare, + title: "Da soli o in gruppo", + }, + ], + }, + { + section: "Come funziona", + slides: [ + { + content: + "Riceverai le domande quando sarai nel portale di registrazione.", + cta: "Capito", + extraHelp: + "Le domande variano in base alle esigenze dell'host. Possono riguardare temi della comunità, esperienze di lavoro o ricerca. Se non ci sono domande specifiche, puoi condividere qualsiasi pensiero o preoccupazione.", + icon: HelpCircle, + title: "È il momento delle domande", + }, + ], + }, + { + section: "Privacy", + slides: [ + { + content: "Come registratore, controlli tu ciò che condividi.", + cta: "Dimmi di più", + extraHelp: + "Evita di condividere dettagli che non vuoi rendere noti all'host. Chiedi sempre il consenso prima di registrare altre persone.", + icon: Lock, + title: "La privacy conta", + }, + ...(getPrivacyCard("it-IT")?.slides || []), + ], + }, + { + section: "Migliori Pratiche", + slides: [ + { + content: + "Immagina che Dembrane sia in vivavoce con te. Se riesci a sentirti, sei a posto.", + cta: "Capito", + extraHelp: + "Un po' di rumore di fondo va bene, purché sia chiaro chi sta parlando.", + icon: Volume2, + title: "Riduci il Rumore di Fondo", + }, + { + content: + "Assicurati di avere una connessione stabile per una registrazione fluida.", + cta: "Pronto!", + extraHelp: + "Wi-Fi o buoni dati mobili funzionano meglio. Se la connessione cade, non preoccuparti. Puoi sempre riprendere da dove avevi interrotto.", + icon: Wifi, + title: "Connessione Internet Forte", + }, + { + content: + "Evita interruzioni mantenendo il dispositivo sbloccato. Se si blocca, sbloccalo semplicemente e continua.", + cta: "Okay", + extraHelp: + "Dembrane cerca di mantenere il dispositivo attivo, ma a volte i dispositivi possono sovrascrivere questa impostazione. Puoi regolare le impostazioni del dispositivo per rimanere sbloccato più a lungo se necessario.", + icon: Smartphone, + title: "Non bloccare il dispositivo!", + }, + ], + }, + ], "nl-NL": [ { section: "Welkom", @@ -1016,6 +1187,28 @@ export const useOnboardingCards = () => { }, ], }, + "it-IT": { + section: "Privacy", + slides: [ + { + checkbox: { + label: "Accetto l'informativa sulla privacy", + required: true, + }, + content: + "I tuoi dati sono archiviati in modo sicuro, analizzati e mai condivisi con terze parti.", + cta: "Ho capito", + extraHelp: + "Le registrazioni vengono trascritte e analizzate per ottenere insight, poi eliminate dopo 30 giorni. Per dettagli specifici, contatta l'host che ti ha fornito il QR code.", + icon: Server, + link: { + label: "Leggi l'informativa completa sulla privacy", + url: "https://dembrane.notion.site/Privacy-Statement-Dembrane-1439cd84270580748046cc589861d115", + }, + title: "Uso dei dati e sicurezza", + }, + ], + }, "nl-NL": { section: "Privacy", slides: [ diff --git a/echo/frontend/src/components/participant/verify/VerifiedArtefactsList.tsx b/echo/frontend/src/components/participant/verify/VerifiedArtefactsList.tsx index a1085ec3..00565bc4 100644 --- a/echo/frontend/src/components/participant/verify/VerifiedArtefactsList.tsx +++ b/echo/frontend/src/components/participant/verify/VerifiedArtefactsList.tsx @@ -31,6 +31,7 @@ export const VerifiedArtefactsList = ({ en: "en-US", es: "es-ES", fr: "fr-FR", + it: "it-IT", nl: "nl-NL", }; diff --git a/echo/frontend/src/components/participant/verify/VerifySelection.tsx b/echo/frontend/src/components/participant/verify/VerifySelection.tsx index b525ecdc..aa5f29a1 100644 --- a/echo/frontend/src/components/participant/verify/VerifySelection.tsx +++ b/echo/frontend/src/components/participant/verify/VerifySelection.tsx @@ -16,13 +16,14 @@ import { } from "./hooks"; import { VerifyInstructions } from "./VerifyInstructions"; -type LanguageCode = "de" | "en" | "es" | "fr" | "nl"; +type LanguageCode = "de" | "en" | "es" | "fr" | "nl" | "it"; const LANGUAGE_TO_LOCALE: Record = { de: "de-DE", en: "en-US", es: "es-ES", fr: "fr-FR", + it: "it-IT", nl: "nl-NL", }; diff --git a/echo/frontend/src/components/project/ProjectPortalEditor.tsx b/echo/frontend/src/components/project/ProjectPortalEditor.tsx index 4349c504..f8c5f3e0 100644 --- a/echo/frontend/src/components/project/ProjectPortalEditor.tsx +++ b/echo/frontend/src/components/project/ProjectPortalEditor.tsx @@ -50,19 +50,20 @@ const FormSchema = z.object({ is_get_reply_enabled: z.boolean(), is_project_notification_subscription_allowed: z.boolean(), is_verify_enabled: z.boolean(), - language: z.enum(["en", "nl", "de", "fr", "es"]), + language: z.enum(["en", "nl", "de", "fr", "es", "it"]), verification_topics: z.array(z.string()), }); type ProjectPortalFormValues = z.infer; -type LanguageCode = "de" | "en" | "es" | "fr" | "nl"; +type LanguageCode = "de" | "en" | "es" | "fr" | "nl" | "it"; const LANGUAGE_TO_LOCALE: Record = { de: "de-DE", en: "en-US", es: "es-ES", fr: "fr-FR", + it: "it-IT", nl: "nl-NL", }; @@ -465,6 +466,7 @@ const ProjectPortalEditorComponent: React.FC = ({ { label: t`German`, value: "de" }, { label: t`Spanish`, value: "es" }, { label: t`French`, value: "fr" }, + { label: t`Italian`, value: "it" }, ]} {...field} /> diff --git a/echo/frontend/src/components/project/ProjectQRCode.tsx b/echo/frontend/src/components/project/ProjectQRCode.tsx index b041f946..655dc66c 100644 --- a/echo/frontend/src/components/project/ProjectQRCode.tsx +++ b/echo/frontend/src/components/project/ProjectQRCode.tsx @@ -37,6 +37,8 @@ export const useProjectSharingLink = (project?: Project) => { "es-ES": "es-ES", fr: "fr-FR", "fr-FR": "fr-FR", + it: "it-IT", + "it-IT": "it-IT", nl: "nl-NL", "nl-NL": "nl-NL", }[ @@ -46,11 +48,13 @@ export const useProjectSharingLink = (project?: Project) => { | "de" | "fr" | "es" + | "it" | "en-US" | "nl-NL" | "de-DE" | "fr-FR" | "es-ES" + | "it-IT" ]; const link = `${PARTICIPANT_BASE_URL}/${languageCode}/${project.id}/start`; diff --git a/echo/frontend/src/config.ts b/echo/frontend/src/config.ts index 774b14dc..86f2a098 100644 --- a/echo/frontend/src/config.ts +++ b/echo/frontend/src/config.ts @@ -32,6 +32,7 @@ export const SUPPORTED_LANGUAGES = [ "de-DE", "fr-FR", "es-ES", + "it-IT", ] as const; export const PRIVACY_POLICY_URL = diff --git a/echo/frontend/src/hooks/useLanguage.ts b/echo/frontend/src/hooks/useLanguage.ts index d9591e86..4785491a 100644 --- a/echo/frontend/src/hooks/useLanguage.ts +++ b/echo/frontend/src/hooks/useLanguage.ts @@ -9,6 +9,7 @@ import { messages as deMessages } from "../locales/de-DE"; import { messages as enMessages } from "../locales/en-US"; import { messages as esMessages } from "../locales/es-ES"; import { messages as frMessages } from "../locales/fr-FR"; +import { messages as itMessages } from "../locales/it-IT"; import { messages as nlMessages } from "../locales/nl-NL"; i18n.load({ @@ -16,6 +17,7 @@ i18n.load({ "en-US": enMessages, "es-ES": esMessages, "fr-FR": frMessages, + "it-IT": itMessages, "nl-NL": nlMessages, }); diff --git a/echo/frontend/src/locales/it-IT.po b/echo/frontend/src/locales/it-IT.po new file mode 100644 index 00000000..e3651923 --- /dev/null +++ b/echo/frontend/src/locales/it-IT.po @@ -0,0 +1,4470 @@ +msgid "" +msgstr "" +"POT-Creation-Date: 2024-10-14 13:44+0000\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=utf-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: @lingui/cli\n" +"Language: en-US\n" +"Project-Id-Version: \n" +"Report-Msgid-Bugs-To: \n" +"PO-Revision-Date: \n" +"Last-Translator: \n" +"Language-Team: \n" +"Plural-Forms: \n" + +#. js-lingui-explicit-id +#: src/lib/directus.ts:39 +msgid "You are not authenticated" +msgstr "You are not authenticated" + +#. js-lingui-explicit-id +#: src/lib/directus.ts:45 +msgid "You don't have permission to access this." +msgstr "You don't have permission to access this." + +#. js-lingui-explicit-id +#: src/lib/directus.ts:50 +msgid "Resource not found" +msgstr "Resource not found" + +#. js-lingui-explicit-id +#: src/lib/directus.ts:54 +msgid "Server error" +msgstr "Server error" + +#. js-lingui-explicit-id +#: src/lib/directus.ts:57 +msgid "Something went wrong" +msgstr "Something went wrong" + +#. js-lingui-explicit-id +#: src/components/layout/TransitionCurtainProvider.tsx:143 +msgid "We're preparing your workspace." +msgstr "We're preparing your workspace." + +#. js-lingui-explicit-id +#: src/components/layout/TransitionCurtainProvider.tsx:173 +msgid "Preparing your dashboard" +msgstr "Preparing your dashboard" + +#. js-lingui-explicit-id +#: src/components/layout/TransitionCurtainProvider.tsx:181 +msgid "Welcome back" +msgstr "Welcome back" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:162 +#~ msgid "library.regenerate" +#~ msgstr "Regenerate Library" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:236 +#~ msgid "library.conversations.processing.status" +#~ msgstr "Currently {finishedConversationsCount} conversations are ready to be analyzed. {unfinishedConversationsCount} still processing." + +#. js-lingui-explicit-id +#: src/components/participant/EchoErrorAlert.tsx:14 +#~ msgid "participant.echo.error.message" +#~ msgstr "Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues." + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:152 +#~ msgid "library.contact.sales" +#~ msgstr "Contact sales" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:227 +#~ msgid "library.not.available" +#~ msgstr "It looks like the library is not available for your account. Please contact sales to unlock this feature." + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationSkeleton.tsx:14 +#~ msgid "conversation.accordion.skeleton.title" +#~ msgstr "Conversations" + +#. js-lingui-explicit-id +#: src/components/chat/ChatAccordion.tsx:217 +#~ msgid "project.sidebar.chat.end.description" +#~ msgstr "End of list • All {totalChats} chats loaded" + +#. js-lingui-explicit-id +#: src/routes/participant/ParticipantConversation.tsx:431 +#~ msgid "participant.modal.stop.message" +#~ msgstr "Are you sure you want to finish the conversation?" + +#. js-lingui-explicit-id +#: src/routes/participant/ParticipantConversation.tsx:583 +#~ msgid "participant.button.echo" +#~ msgstr "ECHO" + +#. js-lingui-explicit-id +#: src/routes/participant/ParticipantConversation.tsx:658 +#~ msgid "participant.button.is.recording.echo" +#~ msgstr "ECHO" + +#. js-lingui-explicit-id +#: src/routes/participant/ParticipantConversation.tsx:422 +#~ msgid "participant.modal.stop.title" +#~ msgstr "Finish Conversation" + +#. js-lingui-explicit-id +#: src/routes/participant/ParticipantConversation.tsx:445 +#~ msgid "participant.button.stop.no" +#~ msgstr "No" + +#. js-lingui-explicit-id +#: src/routes/participant/ParticipantConversation.tsx:686 +#~ msgid "participant.button.pause" +#~ msgstr "Pause" + +#. js-lingui-explicit-id +#: src/routes/participant/ParticipantConversation.tsx:674 +#~ msgid "participant.button.resume" +#~ msgstr "Resume" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationLink.tsx:65 +#~ msgid "conversation.linking_conversations.deleted" +#~ msgstr "The source conversation was deleted" + +#. js-lingui-explicit-id +#: src/routes/participant/ParticipantConversation.tsx:454 +#~ msgid "participant.button.stop.yes" +#~ msgstr "Yes" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:282 +#~ msgid "participant.modal.refine.info.title.echo" +#~ msgstr "\"Go deeper\" available soon" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:275 +#~ msgid "participant.modal.refine.info.title.verify" +#~ msgstr "\"Make it concrete\" available soon" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:455 +#~ msgid "participant.verify.action.button.approve" +#~ msgstr "Approve" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:342 +#~ msgid "participant.verify.artefact.title" +#~ msgstr "Artefact: {selectedOptionLabel}" + +#. js-lingui-explicit-id +#: src/components/layout/ParticipantHeader.tsx:79 +#~ msgid "participant.verify.instructions.button.cancel" +#~ msgstr "Cancel" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:391 +#~ msgid "participant.verify.action.button.cancel" +#~ msgstr "Cancel" + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:705 +#~ msgid "dashboard.dembrane.verify.title" +#~ msgstr "Dembrane Verify" + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:718 +#~ msgid "dashboard.dembrane.verify.description" +#~ msgstr "Enable this feature to allow participants to create and approve \"verified objects\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview." + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:711 +#~ msgid "dashboard.dembrane.verify.experimental" +#~ msgstr "Experimental" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactError.tsx:52 +#~ msgid "participant.verify.artefact.action.button.go.back" +#~ msgstr "Go back" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:43 +#~ msgid "participant.verify.instructions.approve.artefact" +#~ msgstr "If you are happy with the {objectLabel} click \"Approve\" to show you feel heard." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactError.tsx:24 +#~ msgid "participant.verify.artefact.error.description" +#~ msgstr "It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:106 +#~ msgid "participant.verify.instructions.loading" +#~ msgstr "Loading" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactLoading.tsx:13 +#~ msgid "participant.verify.loading.artefact" +#~ msgstr "Loading artefact" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifySelection.tsx:237 +#~ msgid "participant.verify.selection.button.next" +#~ msgstr "Next" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:108 +#~ msgid "participant.verify.instructions.button.next" +#~ msgstr "Next" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:34 +#~ msgid "participant.verify.instructions.revise.artefact" +#~ msgstr "Once you have discussed, hit \"revise\" to see the {objectLabel} change to reflect your discussion." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:25 +#~ msgid "participant.verify.instructions.read.aloud" +#~ msgstr "Once you receive the {objectLabel}, read it aloud and share out loud what you want to change, if anything." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:327 +#~ msgid "participant.verify.regenerating.artefact" +#~ msgstr "Regenerating the artefact" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactError.tsx:40 +#~ msgid "participant.verify.artefact.action.button.reload" +#~ msgstr "Reload Page" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:422 +#~ msgid "participant.verify.action.button.revise" +#~ msgstr "Revise" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:399 +#~ msgid "participant.verify.action.button.save" +#~ msgstr "Save" + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:758 +#~ msgid "dashboard.dembrane.verify.topic.select" +#~ msgstr "Select which topics participants can use for verification." + +#. js-lingui-explicit-id +#: src/components/participant/EchoErrorAlert.tsx:21 +#~ msgid "participant.echo.generic.error.message" +#~ msgstr "Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues." + +#. js-lingui-explicit-id +#: src/components/participant/EchoErrorAlert.tsx:16 +#~ msgid "participant.echo.content.policy.violation.error.message" +#~ msgstr "Sorry, we cannot process this request due to an LLM provider's content policy." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:332 +#~ msgid "participant.verify.regenerating.artefact.description" +#~ msgstr "This will just take a few moments" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactLoading.tsx:18 +#~ msgid "participant.verify.loading.artefact.description" +#~ msgstr "This will just take a moment" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactError.tsx:19 +#~ msgid "participant.verify.artefact.error.title" +#~ msgstr "Unable to Load Artefact" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifySelection.tsx:183 +#~ msgid "participant.verify.selection.title" +#~ msgstr "What do you want to verify?" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:17 +#~ msgid "participant.verify.instructions.receive.artefact" +#~ msgstr "You'll soon get {objectLabel} to verify." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:52 +#~ msgid "participant.verify.instructions.approval.helps" +#~ msgstr "Your approval helps us understand what you really think!" + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:744 +#~ msgid "dashboard.dembrane.concrete.experimental" +#~ msgstr "Beta" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:311 +#~ msgid "participant.button.go.deeper" +#~ msgstr "Go deeper" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:307 +#~ msgid "participant.button.make.concrete" +#~ msgstr "Make it concrete" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:238 +msgid "library.generate.duration.message" +msgstr " Generating library can take up to an hour." + +#: src/routes/participant/ParticipantPostConversation.tsx:228 +msgid " Submit" +msgstr " Submit" + +#: src/routes/project/unsubscribe/ProjectUnsubscribe.tsx:54 +msgid " Unsubscribe from Notifications" +msgstr " Unsubscribe from Notifications" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:579 +#~ msgid "-5s" +#~ msgstr "-5s" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:280 +msgid "participant.modal.refine.info.title.go.deeper" +msgstr "\"Go deeper\" available soon" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:273 +msgid "participant.modal.refine.info.title.concrete" +msgstr "\"Make it concrete\" available soon" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:266 +msgid "participant.modal.refine.info.title.generic" +msgstr "\"Refine\" available soon" + +#: src/components/conversation/ConversationAccordion.tsx:413 +#~ msgid "(for enhanced audio processing)" +#~ msgstr "(for enhanced audio processing)" + +#. placeholder {0}: isAssistantTyping ? "Assistant is typing..." : "Thinking..." +#. placeholder {0}: selectedOption.transitionMessage +#. placeholder {0}: selectedOption.transitionDescription +#: src/routes/project/chat/ProjectChatRoute.tsx:559 +#: src/components/settings/FontSettingsCard.tsx:49 +#: src/components/settings/FontSettingsCard.tsx:50 +#: src/components/project/ProjectPortalEditor.tsx:432 +#: src/components/chat/References.tsx:29 +msgid "{0}" +msgstr "{0}" + +#: src/components/report/CreateReportForm.tsx:115 +#~ msgid "{0} {1} ready" +#~ msgstr "{0} {1} ready" + +#: src/components/project/ProjectCard.tsx:35 +#: src/components/project/ProjectListItem.tsx:34 +#~ msgid "{0} Conversation{1} • Edited {2}" +#~ msgstr "{0} Conversation{1} • Edited {2}" + +#. placeholder {0}: project.conversations_count ?? project?.conversations?.length ?? 0 +#. placeholder {0}: project.conversations?.length ?? 0 +#. placeholder {1}: formatRelative( new Date(project.updated_at ?? new Date()), new Date(), ) +#. placeholder {1}: formatRelative( new Date(project.updated_at ?? new Date()), new Date(), ) +#: src/components/project/ProjectListItem.tsx:32 +#: src/components/project/ProjectCard.tsx:34 +msgid "{0} Conversations • Edited {1}" +msgstr "{0} Conversations • Edited {1}" + +#: src/components/chat/ChatModeBanner.tsx:61 +msgid "{conversationCount} selected" +msgstr "{conversationCount} selected" + +#: src/components/announcement/utils/dateUtils.ts:22 +#~ msgid "{diffInDays}d ago" +#~ msgstr "{diffInDays}d ago" + +#: src/components/announcement/utils/dateUtils.ts:19 +#~ msgid "{diffInHours}h ago" +#~ msgstr "{diffInHours}h ago" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:229 +msgid "library.conversations.to.be.analyzed" +msgstr "{finishedConversationsCount, plural, one {Currently # conversation is ready to be analyzed.} other {Currently # conversations are ready to be analyzed.}}" + +#: src/routes/participant/ParticipantConversation.tsx:243 +#~ msgid "{minutes} minutes and {seconds} seconds" +#~ msgstr "{minutes} minutes and {seconds} seconds" + +#: src/components/report/ReportRenderer.tsx:76 +msgid "{readingNow} reading now" +msgstr "{readingNow} reading now" + +#: src/routes/participant/ParticipantConversation.tsx:244 +#~ msgid "{seconds} seconds" +#~ msgstr "{seconds} seconds" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:235 +msgid "library.conversations.still.processing" +msgstr "{unfinishedConversationsCount} still processing." + +#: src/components/participant/UserChunkMessage.tsx:107 +msgid "*Transcription in progress.*" +msgstr "*Transcription in progress.*" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:597 +#~ msgid "+5s" +#~ msgstr "+5s" + +#: src/routes/participant/ParticipantConversation.tsx:574 +#: src/routes/participant/ParticipantConversation.tsx:649 +#~ msgid "<0>Wait {0}:{1}" +#~ msgstr "<0>Wait {0}:{1}" + +#: src/components/view/DummyViews.tsx:21 +msgid "0 Aspects" +msgstr "0 Aspects" + +#: src/components/settings/TwoFactorSettingsCard.tsx:176 +msgid "Account password" +msgstr "Account password" + +#: src/components/settings/AuditLogsCard.tsx:274 +msgid "Action By" +msgstr "Action By" + +#: src/components/settings/AuditLogsCard.tsx:255 +msgid "Action On" +msgstr "Action On" + +#: src/components/project/ProjectDangerZone.tsx:69 +msgid "Actions" +msgstr "Actions" + +#: src/routes/participant/ParticipantPostConversation.tsx:179 +msgid "Add" +msgstr "Add" + +#: src/components/view/CreateViewForm.tsx:128 +msgid "Add additional context (Optional)" +msgstr "Add additional context (Optional)" + +#: src/components/participant/ParticipantInitiateForm.tsx:108 +msgid "Add all that apply" +msgstr "Add all that apply" + +#: src/components/project/ProjectPortalEditor.tsx:126 +msgid "Add key terms or proper nouns to improve transcript quality and accuracy." +msgstr "Add key terms or proper nouns to improve transcript quality and accuracy." + +#: src/components/project/ProjectUploadSection.tsx:17 +msgid "Add new recordings to this project. Files you upload here will be processed and appear in conversations." +msgstr "Add new recordings to this project. Files you upload here will be processed and appear in conversations." + +#: src/components/project/ProjectTagsInput.tsx:257 +msgid "Add Tag" +msgstr "Add Tag" + +#: src/components/project/ProjectTagsInput.tsx:257 +msgid "Add Tags" +msgstr "Add Tags" + +#: src/components/conversation/ConversationAccordion.tsx:154 +msgid "Add to this chat" +msgstr "Add to this chat" + +#: src/routes/participant/ParticipantPostConversation.tsx:187 +msgid "Added emails" +msgstr "Added emails" + +#: src/routes/project/chat/ProjectChatRoute.tsx:655 +msgid "Adding Context:" +msgstr "Adding Context:" + +#: src/components/project/ProjectPortalEditor.tsx:543 +msgid "Advanced (Tips and best practices)" +msgstr "Advanced (Tips and best practices)" + +#: src/components/project/ProjectPortalEditor.tsx:533 +#~ msgid "Advanced (Tips and tricks)" +#~ msgstr "Advanced (Tips and tricks)" + +#: src/components/project/ProjectPortalEditor.tsx:1053 +msgid "Advanced Settings" +msgstr "Advanced Settings" + +#: src/components/settings/AuditLogsCard.tsx:465 +msgid "All actions" +msgstr "All actions" + +#: src/components/settings/AuditLogsCard.tsx:483 +msgid "All collections" +msgstr "All collections" + +#: src/components/report/CreateReportForm.tsx:113 +#~ msgid "All conversations ready" +#~ msgstr "All conversations ready" + +#: src/components/dropzone/UploadConversationDropzone.tsx:795 +msgid "All files were uploaded successfully." +msgstr "All files were uploaded successfully." + +#: src/routes/project/library/ProjectLibrary.tsx:266 +#~ msgid "All Insights" +#~ msgstr "All Insights" + +#: src/components/conversation/OpenForParticipationSummaryCard.tsx:44 +msgid "Allow participants using the link to start new conversations" +msgstr "Allow participants using the link to start new conversations" + +#: src/components/common/DembraneLoadingSpinner/index.tsx:26 +msgid "Almost there" +msgstr "Almost there" + +#: src/components/conversation/ConversationAccordion.tsx:149 +msgid "Already added to this chat" +msgstr "Already added to this chat" + +#. placeholder {0}: participantCount !== undefined ? participantCount : t`loading...` +#. placeholder {1}: participantCount === 1 ? "" : "s" +#: src/routes/project/report/ProjectReportRoute.tsx:321 +msgid "An email notification will be sent to {0} participant{1}. Do you want to proceed?" +msgstr "An email notification will be sent to {0} participant{1}. Do you want to proceed?" + +#: src/routes/project/report/ProjectReportRoute.tsx:317 +#~ msgid "An email Notification will be sent to {0} participant{1}. Do you want to proceed?" +#~ msgstr "An email Notification will be sent to {0} participant{1}. Do you want to proceed?" + +#: src/routes/participant/ParticipantStart.tsx:36 +msgid "An error occurred while loading the Portal. Please contact the support team." +msgstr "An error occurred while loading the Portal. Please contact the support team." + +#: src/routes/project/chat/ProjectChatRoute.tsx:597 +msgid "An error occurred." +msgstr "An error occurred." + +#: src/components/layout/ProjectResourceLayout.tsx:48 +#~ msgid "Analysis" +#~ msgstr "Analysis" + +#: src/components/view/CreateViewForm.tsx:113 +msgid "Analysis Language" +msgstr "Analysis Language" + +#: src/components/chat/templates.ts:29 +msgid "" +"Analyze these elements with depth and nuance. Please:\n" +"\n" +"Focus on unexpected connections and contrasts\n" +"Go beyond obvious surface-level comparisons\n" +"Identify hidden patterns that most analyses miss\n" +"Maintain analytical rigor while being engaging\n" +"Use examples that illuminate deeper principles\n" +"Structure the analysis to build understanding\n" +"Draw insights that challenge conventional wisdom\n" +"\n" +"Note: If the similarities/differences are too superficial, let me know we need more complex material to analyze." +msgstr "" +"Analyze these elements with depth and nuance. Please:\n" +"\n" +"Focus on unexpected connections and contrasts\n" +"Go beyond obvious surface-level comparisons\n" +"Identify hidden patterns that most analyses miss\n" +"Maintain analytical rigor while being engaging\n" +"Use examples that illuminate deeper principles\n" +"Structure the analysis to build understanding\n" +"Draw insights that challenge conventional wisdom\n" +"\n" +"Note: If the similarities/differences are too superficial, let me know we need more complex material to analyze." + +#: src/components/announcement/AnnouncementDrawerHeader.tsx:23 +msgid "Announcements" +msgstr "Announcements" + +#: src/components/participant/ParticipantInitiateForm.tsx:49 +#~ msgid "Anonymous Participant" +#~ msgstr "Anonymous Participant" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:427 +msgid "participant.concrete.action.button.approve" +msgstr "Approve" + +#. js-lingui-explicit-id +#: src/components/conversation/VerifiedArtefactsSection.tsx:113 +msgid "conversation.verified.approved" +msgstr "Approved" + +#: src/components/conversation/ConversationDangerZone.tsx:23 +msgid "Are you sure you want to delete this conversation? This action cannot be undone." +msgstr "Are you sure you want to delete this conversation? This action cannot be undone." + +#: src/components/project/ProjectDangerZone.tsx:13 +#~ msgid "Are you sure you want to delete this project?" +#~ msgstr "Are you sure you want to delete this project?" + +#: src/components/project/ProjectDangerZone.tsx:155 +msgid "Are you sure you want to delete this project? This action cannot be undone." +msgstr "Are you sure you want to delete this project? This action cannot be undone." + +#: src/routes/participant/ParticipantConversation.tsx:827 +#~ msgid "Are you sure you want to delete this recording?" +#~ msgstr "Are you sure you want to delete this recording?" + +#: src/components/project/ProjectTagsInput.tsx:70 +#~ msgid "Are you sure you want to delete this tag?" +#~ msgstr "Are you sure you want to delete this tag?" + +#: src/components/project/ProjectTagsInput.tsx:74 +msgid "Are you sure you want to delete this tag? This will remove the tag from existing conversations that contain it." +msgstr "Are you sure you want to delete this tag? This will remove the tag from existing conversations that contain it." + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:156 +msgid "participant.modal.finish.message.text.mode" +msgstr "Are you sure you want to finish the conversation?" + +#: src/routes/participant/ParticipantConversation.tsx:247 +#~ msgid "Are you sure you want to finish?" +#~ msgstr "Are you sure you want to finish?" + +#: src/routes/project/library/ProjectLibrary.tsx:101 +msgid "Are you sure you want to generate the library? This will take a while and overwrite your current views and insights." +msgstr "Are you sure you want to generate the library? This will take a while and overwrite your current views and insights." + +#: src/routes/project/library/ProjectLibrary.tsx:256 +#~ msgid "Are you sure you want to generate the library? This will take a while." +#~ msgstr "Are you sure you want to generate the library? This will take a while." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:145 +msgid "Are you sure you want to regenerate the summary? You will lose the current summary." +msgstr "Are you sure you want to regenerate the summary? You will lose the current summary." + +#: src/components/participant/verify/VerifyArtefact.tsx:132 +msgid "Artefact approved successfully!" +msgstr "Artefact approved successfully!" + +#: src/components/participant/verify/VerifyArtefact.tsx:242 +msgid "Artefact reloaded successfully!" +msgstr "Artefact reloaded successfully!" + +#: src/components/participant/verify/VerifyArtefact.tsx:174 +msgid "Artefact revised successfully!" +msgstr "Artefact revised successfully!" + +#: src/components/participant/verify/VerifyArtefact.tsx:212 +msgid "Artefact updated successfully!" +msgstr "Artefact updated successfully!" + +#: src/components/conversation/VerifiedArtefactsSection.tsx:92 +msgid "artefacts" +msgstr "artefacts" + +#: src/components/conversation/VerifiedArtefactsSection.tsx:87 +msgid "Artefacts" +msgstr "Artefacts" + +#: src/components/project/ProjectSidebar.tsx:141 +msgid "Ask" +msgstr "Ask" + +#: src/components/project/ProjectPortalEditor.tsx:480 +msgid "Ask for Name?" +msgstr "Ask for Name?" + +#: src/components/project/ProjectPortalEditor.tsx:493 +msgid "Ask participants to provide their name when they start a conversation" +msgstr "Ask participants to provide their name when they start a conversation" + +#: src/routes/project/library/ProjectLibraryAspect.tsx:51 +msgid "Aspect" +msgstr "Aspect" + +#: src/routes/project/library/ProjectLibraryView.tsx:56 +#: src/components/view/View.tsx:34 +#: src/components/view/View.tsx:109 +msgid "Aspects" +msgstr "Aspects" + +#: src/routes/project/chat/ProjectChatRoute.tsx:351 +#~ msgid "Assistant is typing..." +#~ msgstr "Assistant is typing..." + +#: src/components/project/ProjectPortalEditor.tsx:808 +#~ msgid "At least one topic must be selected to enable Dembrane Verify" +#~ msgstr "At least one topic must be selected to enable Dembrane Verify" + +#: src/components/project/ProjectPortalEditor.tsx:877 +msgid "At least one topic must be selected to enable Make it concrete" +msgstr "At least one topic must be selected to enable Make it concrete" + +#: src/components/conversation/AutoSelectConversations.tsx:184 +#~ msgid "Audio Processing In Progress" +#~ msgstr "Audio Processing In Progress" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:115 +#~ msgid "Audio Recording" +#~ msgstr "Audio Recording" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:220 +#~ msgid "Audio recordings are scheduled to be deleted after 30 days from the recording date" +#~ msgstr "Audio recordings are scheduled to be deleted after 30 days from the recording date" + +#: src/components/participant/hooks/useConversationIssueBanner.ts:11 +#: src/components/participant/hooks/useConversationIssueBanner.ts:18 +#: src/components/participant/hooks/useConversationIssueBanner.ts:25 +msgid "Audio Tip" +msgstr "Audio Tip" + +#: src/components/settings/AuditLogsCard.tsx:406 +msgid "Audit logs" +msgstr "Audit logs" + +#: src/components/settings/AuditLogsCard.tsx:372 +msgid "Audit logs exported to CSV" +msgstr "Audit logs exported to CSV" + +#: src/components/settings/AuditLogsCard.tsx:373 +msgid "Audit logs exported to JSON" +msgstr "Audit logs exported to JSON" + +#: src/routes/auth/Login.tsx:209 +#: src/components/settings/TwoFactorSettingsCard.tsx:231 +#: src/components/settings/TwoFactorSettingsCard.tsx:381 +msgid "Authenticator code" +msgstr "Authenticator code" + +#: src/components/conversation/AutoSelectConversations.tsx:131 +msgid "Auto-select" +msgstr "Auto-select" + +#: src/components/conversation/hooks/index.ts:547 +msgid "Auto-select disabled" +msgstr "Auto-select disabled" + +#: src/components/conversation/hooks/index.ts:405 +msgid "Auto-select enabled" +msgstr "Auto-select enabled" + +#: src/components/conversation/AutoSelectConversations.tsx:36 +#~ msgid "Auto-select sources to add to the chat" +#~ msgstr "Auto-select sources to add to the chat" + +#: src/components/conversation/AutoSelectConversations.tsx:137 +msgid "Automatically includes relevant conversations for analysis without manual selection" +msgstr "Automatically includes relevant conversations for analysis without manual selection" + +#: src/components/conversation/AutoSelectConversations.tsx:96 +msgid "Available" +msgstr "Available" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantOnboardingCards.tsx:360 +msgid "participant.button.back.microphone" +msgstr "Back" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantOnboardingCards.tsx:381 +#: src/components/layout/ParticipantHeader.tsx:67 +msgid "participant.button.back" +msgstr "Back" + +#: src/components/participant/ParticipantOnboardingCards.tsx:273 +#~ msgid "Back" +#~ msgstr "Back" + +#: src/components/dropzone/UploadConversationDropzone.tsx:815 +msgid "Back to Selection" +msgstr "Back to Selection" + +#: src/components/project/ProjectPortalEditor.tsx:539 +msgid "Basic (Essential tutorial slides)" +msgstr "Basic (Essential tutorial slides)" + +#: src/components/project/ProjectPortalEditor.tsx:446 +msgid "Basic Settings" +msgstr "Basic Settings" + +#: src/components/participant/ParticipantInitiateForm.tsx:128 +#~ msgid "Begin!" +#~ msgstr "Begin!" + +#: src/routes/project/report/ProjectReportRoute.tsx:61 +#: src/components/conversation/RetranscribeConversation.tsx:111 +#: src/components/conversation/MoveConversationButton.tsx:132 +#: src/components/chat/ChatModeSelector.tsx:147 +#: src/components/chat/ChatModeBanner.tsx:52 +msgid "Beta" +msgstr "Beta" + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:568 +#: src/components/project/ProjectPortalEditor.tsx:768 +msgid "dashboard.dembrane.concrete.beta" +msgstr "Beta" + +#: src/components/chat/ChatModeSelector.tsx:242 +#: src/components/chat/ChatModeBanner.tsx:39 +#~ msgid "Big Picture" +#~ msgstr "Big Picture" + +#: src/components/chat/ChatAccordion.tsx:56 +#~ msgid "Big Picture - Themes & patterns" +#~ msgstr "Big Picture - Themes & patterns" + +#: src/components/project/ProjectPortalEditor.tsx:686 +msgid "Brainstorm Ideas" +msgstr "Brainstorm Ideas" + +#: src/components/project/ProjectDangerZone.tsx:59 +msgid "By deleting this project, you will delete all the data associated with it. This action cannot be undone. Are you ABSOLUTELY sure you want to delete this project?" +msgstr "By deleting this project, you will delete all the data associated with it. This action cannot be undone. Are you ABSOLUTELY sure you want to delete this project?" + +#: src/routes/project/report/ProjectReportRoute.tsx:332 +#: src/components/settings/TwoFactorSettingsCard.tsx:406 +#: src/components/project/ProjectDangerZone.tsx:137 +#: src/components/project/ProjectDangerZone.tsx:163 +#: src/components/dropzone/UploadConversationDropzone.tsx:686 +#: src/components/dropzone/UploadConversationDropzone.tsx:806 +#: src/components/conversation/MoveConversationButton.tsx:208 +#: src/components/conversation/ConversationAccordion.tsx:329 +msgid "Cancel" +msgstr "Cancel" + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:404 +msgid "participant.mic.settings.modal.second.confirm.cancel" +msgstr "Cancel" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:361 +msgid "participant.concrete.action.button.cancel" +msgstr "Cancel" + +#. js-lingui-explicit-id +#: src/components/layout/ParticipantHeader.tsx:79 +msgid "participant.concrete.instructions.button.cancel" +msgstr "Cancel" + +#: src/components/conversation/ConversationAccordion.tsx:151 +msgid "Cannot add empty conversation" +msgstr "Cannot add empty conversation" + +#: src/components/form/UnsavedChanges.tsx:36 +#~ msgid "Changes are saved automatically as you continue to use the app. <0/>Once you have some unsaved changes, you can click anywhere to save the changes. <1/>You will also see a button to Cancel the changes." +#~ msgstr "Changes are saved automatically as you continue to use the app. <0/>Once you have some unsaved changes, you can click anywhere to save the changes. <1/>You will also see a button to Cancel the changes." + +#: src/components/form/UnsavedChanges.tsx:20 +msgid "Changes will be saved automatically" +msgstr "Changes will be saved automatically" + +#: src/components/language/LanguagePicker.tsx:71 +msgid "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" +msgstr "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" + +#: src/routes/project/chat/ProjectChatRoute.tsx:478 +#: src/routes/project/chat/ProjectChatRoute.tsx:483 +msgid "Chat" +msgstr "Chat" + +#: src/routes/project/chat/ProjectChatRoute.tsx:276 +msgid "Chat | Dembrane" +msgstr "Chat | Dembrane" + +#. js-lingui-explicit-id +#: src/components/chat/ChatSkeleton.tsx:14 +msgid "chat.accordion.skeleton.title" +msgstr "Chats" + +#. js-lingui-explicit-id +#: src/components/chat/ChatAccordion.tsx:235 +msgid "project.sidebar.chat.title" +msgstr "Chats" + +#: src/components/chat/ChatAccordion.tsx:115 +#~ msgid "Chats" +#~ msgstr "Chats" + +#. js-lingui-explicit-id +#: src/components/participant/PermissionErrorModal.tsx:70 +msgid "participant.button.check.microphone.access" +msgstr "Check microphone access" + +#: src/routes/participant/ParticipantConversation.tsx:374 +#~ msgid "Check microphone access" +#~ msgstr "Check microphone access" + +#: src/routes/auth/CheckYourEmail.tsx:11 +msgid "Check your email" +msgstr "Check your email" + +#: src/routes/participant/ParticipantPostConversation.tsx:179 +msgid "Checking..." +msgstr "Checking..." + +#: src/components/settings/FontSettingsCard.tsx:74 +msgid "Choose your preferred theme for the interface" +msgstr "Choose your preferred theme for the interface" + +#: src/components/chat/Sources.tsx:21 +#~ msgid "Citing the following sources" +#~ msgstr "Citing the following sources" + +#: src/components/dropzone/UploadConversationDropzone.tsx:665 +msgid "Click \"Upload Files\" when you're ready to start the upload process." +msgstr "Click \"Upload Files\" when you're ready to start the upload process." + +#: src/components/project/ProjectDangerZone.tsx:143 +msgid "Clone project" +msgstr "Clone project" + +#: src/components/project/ProjectDangerZone.tsx:82 +#: src/components/project/ProjectDangerZone.tsx:97 +msgid "Clone Project" +msgstr "Clone Project" + +#: src/components/dropzone/UploadConversationDropzone.tsx:806 +msgid "Close" +msgstr "Close" + +#: src/components/settings/AuditLogsCard.tsx:199 +msgid "Collection" +msgstr "Collection" + +#: src/components/chat/templates.ts:42 +msgid "Compare & Contrast" +msgstr "Compare & Contrast" + +#: src/components/chat/ChatTemplatesMenu.tsx:26 +#~ msgid "Compare and contrast the following items provided in the context." +#~ msgstr "Compare and contrast the following items provided in the context." + +#: src/components/dropzone/UploadConversationDropzone.tsx:749 +msgid "Complete" +msgstr "Complete" + +#: src/components/project/ProjectPortalEditor.tsx:815 +msgid "Concrete Topics" +msgstr "Concrete Topics" + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:409 +msgid "participant.mic.settings.modal.second.confirm.button" +msgstr "Confirm" + +#: src/routes/auth/PasswordReset.tsx:65 +#: src/routes/auth/PasswordReset.tsx:68 +msgid "Confirm New Password" +msgstr "Confirm New Password" + +#: src/routes/auth/Register.tsx:104 +#: src/routes/auth/Register.tsx:107 +msgid "Confirm Password" +msgstr "Confirm Password" + +#: src/routes/project/report/ProjectReportRoute.tsx:318 +msgid "Confirm Publishing" +msgstr "Confirm Publishing" + +#: src/components/settings/TwoFactorSettingsCard.tsx:169 +msgid "Confirm your password to generate a new secret for your authenticator app." +msgstr "Confirm your password to generate a new secret for your authenticator app." + +#: src/components/report/ReportModalNavigationButton.tsx:60 +msgid "Connecting to report services..." +msgstr "Connecting to report services..." + +#: src/components/common/ConnectionHealthStatus.tsx:30 +msgid "Connection healthy" +msgstr "Connection healthy" + +#: src/components/common/ConnectionHealthStatus.tsx:30 +msgid "Connection unhealthy" +msgstr "Connection unhealthy" + +#: src/components/conversation/AutoSelectConversations.tsx:211 +#~ msgid "Contact sales" +#~ msgstr "Contact sales" + +#: src/components/conversation/AutoSelectConversations.tsx:97 +#~ msgid "Contact your sales representative to activate this feature today!" +#~ msgstr "Contact your sales representative to activate this feature today!" + +#: src/components/project/ProjectBasicEdit.tsx:121 +msgid "Context" +msgstr "Context" + +#: src/components/chat/ChatHistoryMessage.tsx:176 +msgid "Context added:" +msgstr "Context added:" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantOnboardingCards.tsx:368 +#: src/components/participant/MicrophoneTest.tsx:383 +msgid "participant.button.continue" +msgstr "Continue" + +#: src/components/participant/MicrophoneTest.tsx:326 +#~ msgid "Continue" +#~ msgstr "Continue" + +#: src/components/report/CreateReportForm.tsx:118 +#: src/components/report/CreateReportForm.tsx:137 +#~ msgid "conversation" +#~ msgstr "conversation" + +#: src/components/conversation/hooks/index.ts:406 +msgid "Conversation added to chat" +msgstr "Conversation added to chat" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:553 +#~ msgid "Conversation Audio" +#~ msgstr "Conversation Audio" + +#. js-lingui-explicit-id +#: src/components/participant/ConversationErrorView.tsx:19 +msgid "participant.conversation.ended" +msgstr "Conversation Ended" + +#: src/routes/participant/ParticipantConversation.tsx:274 +#~ msgid "Conversation Ended" +#~ msgstr "Conversation Ended" + +#: src/components/report/CreateReportForm.tsx:71 +#~ msgid "Conversation processing" +#~ msgstr "Conversation processing" + +#: src/components/conversation/hooks/index.ts:548 +msgid "Conversation removed from chat" +msgstr "Conversation removed from chat" + +#: src/components/project/ProjectConversationStatusSection.tsx:18 +#: src/components/project/ProjectConversationStatusSection.tsx:34 +msgid "Conversation Status" +msgstr "Conversation Status" + +#: src/components/report/CreateReportForm.tsx:127 +msgid "Conversation Status Details" +msgstr "Conversation Status Details" + +#: src/components/report/CreateReportForm.tsx:116 +msgid "conversations" +msgstr "conversations" + +#: src/components/conversation/ConversationAccordion.tsx:899 +msgid "Conversations" +msgstr "Conversations" + +#: src/components/conversation/ConversationAccordion.tsx:441 +#~ msgid "Conversations from QR Code" +#~ msgstr "Conversations from QR Code" + +#: src/components/conversation/ConversationAccordion.tsx:442 +#~ msgid "Conversations from Upload" +#~ msgstr "Conversations from Upload" + +#. js-lingui-explicit-id +#. placeholder {0}: cooldown.verify.formattedTime +#. placeholder {0}: cooldown.echo.formattedTime +#: src/components/participant/refine/RefineSelection.tsx:86 +#: src/components/participant/refine/RefineSelection.tsx:137 +msgid "participant.refine.cooling.down" +msgstr "Cooling down. Available in {0}" + +#: src/components/settings/TwoFactorSettingsCard.tsx:431 +#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/conversation/CopyConversationTranscript.tsx:47 +#: src/components/common/CopyRichTextIconButton.tsx:29 +#: src/components/common/CopyIconButton.tsx:17 +msgid "Copied" +msgstr "Copied" + +#: src/components/common/CopyRichTextIconButton.tsx:29 +#: src/components/common/CopyIconButton.tsx:8 +msgid "Copy" +msgstr "Copy" + +#: src/components/project/ProjectQRCode.tsx:121 +msgid "Copy link" +msgstr "Copy link" + +#: src/routes/project/report/ProjectReportRoute.tsx:198 +msgid "Copy link to share this report" +msgstr "Copy link to share this report" + +#: src/components/settings/TwoFactorSettingsCard.tsx:431 +#: src/components/settings/TwoFactorSettingsCard.tsx:436 +msgid "Copy secret" +msgstr "Copy secret" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:135 +msgid "Copy Summary" +msgstr "Copy Summary" + +#: src/components/conversation/CopyConversationTranscript.tsx:48 +msgid "Copy to clipboard" +msgstr "Copy to clipboard" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:641 +#~ msgid "Copy transcript" +#~ msgstr "Copy transcript" + +#: src/components/common/CopyRichTextIconButton.tsx:29 +msgid "Copying..." +msgstr "Copying..." + +#: src/routes/project/ProjectsHome.tsx:137 +msgid "Create" +msgstr "Create" + +#: src/routes/auth/Register.tsx:57 +msgid "Create an Account" +msgstr "Create an Account" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:185 +msgid "library.create" +msgstr "Create Library" + +#: src/routes/project/library/ProjectLibrary.tsx:157 +#~ msgid "Create Library" +#~ msgstr "Create Library" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:287 +msgid "library.create.view.modal.title" +msgstr "Create new view" + +#: src/components/view/CreateViewForm.tsx:75 +#~ msgid "Create new view" +#~ msgstr "Create new view" + +#: src/components/report/ReportModalNavigationButton.tsx:45 +#: src/components/report/CreateReportForm.tsx:161 +msgid "Create Report" +msgstr "Create Report" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:275 +msgid "library.create.view" +msgstr "Create View" + +#: src/components/view/CreateViewForm.tsx:137 +msgid "Create View" +msgstr "Create View" + +#: src/components/conversation/ConversationEdit.tsx:151 +msgid "Created on" +msgstr "Created on" + +#: src/components/project/ProjectPortalEditor.tsx:715 +msgid "Custom" +msgstr "Custom" + +#: src/components/conversation/DownloadConversationTranscript.tsx:83 +msgid "Custom Filename" +msgstr "Custom Filename" + +#: src/components/project/ProjectDangerZone.tsx:28 +#~ msgid "Danger Zone" +#~ msgstr "Danger Zone" + +#: src/components/project/ProjectPortalEditor.tsx:655 +msgid "Default" +msgstr "Default" + +#: src/components/project/ProjectPortalEditor.tsx:535 +msgid "Default - No tutorial (Only privacy statements)" +msgstr "Default - No tutorial (Only privacy statements)" + +#. js-lingui-explicit-id +#: src/components/chat/ChatAccordion.tsx:137 +msgid "project.sidebar.chat.delete" +msgstr "Delete" + +#: src/components/chat/ChatAccordion.tsx:69 +#~ msgid "Delete" +#~ msgstr "Delete" + +#: src/components/conversation/ConversationDangerZone.tsx:56 +msgid "Delete Conversation" +msgstr "Delete Conversation" + +#: src/components/project/ProjectDangerZone.tsx:91 +#: src/components/project/ProjectDangerZone.tsx:151 +#: src/components/project/ProjectDangerZone.tsx:169 +msgid "Delete Project" +msgstr "Delete Project" + +#: src/components/participant/UserChunkMessage.tsx:68 +msgid "Deleted successfully" +msgstr "Deleted successfully" + +#: src/components/project/ProjectPortalEditor.tsx:386 +#~ msgid "Dembrane Echo" +#~ msgstr "Dembrane Echo" + +#: src/components/project/ProjectPortalEditor.tsx:536 +#~ msgid "Dembrane ECHO" +#~ msgstr "Dembrane ECHO" + +#: src/routes/project/chat/ProjectChatRoute.tsx:718 +#: src/routes/project/chat/ProjectChatRoute.tsx:748 +msgid "Dembrane is powered by AI. Please double-check responses." +msgstr "Dembrane is powered by AI. Please double-check responses." + +#: src/components/project/ProjectBasicEdit.tsx:156 +#~ msgid "Dembrane Reply" +#~ msgstr "Dembrane Reply" + +#: src/components/project/ProjectBasicEdit.tsx:82 +#~ msgid "Description" +#~ msgstr "Description" + +#: src/components/chat/templates.ts:61 +msgid "" +"Develop a strategic framework that drives meaningful outcomes. Please:\n" +"\n" +"Identify core objectives and their interdependencies\n" +"Map out implementation pathways with realistic timelines\n" +"Anticipate potential obstacles and mitigation strategies\n" +"Define clear metrics for success beyond vanity indicators\n" +"Highlight resource requirements and allocation priorities\n" +"Structure the plan for both immediate action and long-term vision\n" +"Include decision gates and pivot points\n" +"\n" +"Note: Focus on strategies that create sustainable competitive advantages, not just incremental improvements." +msgstr "" +"Develop a strategic framework that drives meaningful outcomes. Please:\n" +"\n" +"Identify core objectives and their interdependencies\n" +"Map out implementation pathways with realistic timelines\n" +"Anticipate potential obstacles and mitigation strategies\n" +"Define clear metrics for success beyond vanity indicators\n" +"Highlight resource requirements and allocation priorities\n" +"Structure the plan for both immediate action and long-term vision\n" +"Include decision gates and pivot points\n" +"\n" +"Note: Focus on strategies that create sustainable competitive advantages, not just incremental improvements." + +#: src/components/settings/TwoFactorSettingsCard.tsx:414 +msgid "Disable 2FA" +msgstr "Disable 2FA" + +#: src/components/settings/TwoFactorSettingsCard.tsx:369 +msgid "Disable two-factor authentication" +msgstr "Disable two-factor authentication" + +#: src/components/settings/TwoFactorSettingsCard.tsx:323 +msgid "Disabled" +msgstr "Disabled" + +#: src/components/report/ReportRenderer.tsx:14 +msgid "Do you want to contribute to this project?" +msgstr "Do you want to contribute to this project?" + +#: src/routes/participant/ParticipantPostConversation.tsx:151 +msgid "Do you want to stay in the loop?" +msgstr "Do you want to stay in the loop?" + +#: src/components/layout/Header.tsx:181 +msgid "Documentation" +msgstr "Documentation" + +#: src/components/conversation/DownloadConversationTranscript.tsx:96 +msgid "Download" +msgstr "Download" + +#: src/components/project/ProjectExportSection.tsx:19 +msgid "Download all conversation transcripts generated for this project." +msgstr "Download all conversation transcripts generated for this project." + +#: src/components/project/ProjectExportSection.tsx:32 +msgid "Download All Transcripts" +msgstr "Download All Transcripts" + +#: src/components/settings/AuditLogsCard.tsx:441 +msgid "Download as" +msgstr "Download as" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:117 +#~ msgid "Download audio" +#~ msgstr "Download audio" + +#: src/components/conversation/ConversationDangerZone.tsx:46 +msgid "Download Audio" +msgstr "Download Audio" + +#: src/components/conversation/DownloadConversationTranscript.tsx:25 +msgid "Download transcript" +msgstr "Download transcript" + +#: src/components/conversation/DownloadConversationTranscript.tsx:78 +msgid "Download Transcript Options" +msgstr "Download Transcript Options" + +#: src/components/dropzone/UploadConversationDropzone.tsx:560 +msgid "Drag audio files here or click to select files" +msgstr "Drag audio files here or click to select files" + +#: src/components/project/ProjectPortalEditor.tsx:464 +msgid "Dutch" +msgstr "Dutch" + +#: src/routes/participant/ParticipantConversation.tsx:512 +#: src/routes/participant/ParticipantConversation.tsx:597 +#~ msgid "ECHO" +#~ msgstr "ECHO" + +#: src/routes/project/chat/ProjectChatRoute.tsx:575 +#: src/routes/project/chat/ProjectChatRoute.tsx:605 +#~ msgid "Echo is powered by AI. Please double-check responses." +#~ msgstr "Echo is powered by AI. Please double-check responses." + +#: src/routes/project/chat/ProjectChatRoute.tsx:575 +#: src/routes/project/chat/ProjectChatRoute.tsx:605 +#~ msgid "ECHO is powered by AI. Please double-check responses." +#~ msgstr "ECHO is powered by AI. Please double-check responses." + +#: src/routes/participant/ParticipantConversation.tsx:549 +#: src/routes/participant/ParticipantConversation.tsx:975 +#~ msgid "ECHO!" +#~ msgstr "ECHO!" + +#: src/components/conversation/ConversationEdit.tsx:128 +msgid "Edit Conversation" +msgstr "Edit Conversation" + +#: src/components/dropzone/UploadConversationDropzone.tsx:630 +msgid "Edit file name" +msgstr "Edit file name" + +#: src/components/project/ProjectBasicEdit.tsx:78 +msgid "Edit Project" +msgstr "Edit Project" + +#: src/components/report/ReportEditor.tsx:113 +msgid "Edit Report Content" +msgstr "Edit Report Content" + +#: src/routes/project/resource/ProjectResourceOverview.tsx:114 +#~ msgid "Edit Resource" +#~ msgstr "Edit Resource" + +#. js-lingui-explicit-id +#: src/components/report/ReportEditor.tsx:126 +msgid "report.editor.description" +msgstr "Edit the report content using the rich text editor below. You can format text, add links, images, and more." + +#: src/routes/project/report/ProjectReportRoute.tsx:298 +msgid "Editing mode" +msgstr "Editing mode" + +#: src/routes/auth/Login.tsx:250 +#: src/routes/auth/Login.tsx:253 +msgid "Email" +msgstr "Email" + +#: src/routes/auth/VerifyEmail.tsx:40 +msgid "Email Verification" +msgstr "Email Verification" + +#: src/routes/auth/VerifyEmail.tsx:10 +msgid "Email Verification | Dembrane" +msgstr "Email Verification | Dembrane" + +#: src/routes/auth/VerifyEmail.tsx:51 +msgid "Email verified successfully. You will be redirected to the login page in 5 seconds. If you are not redirected, please click <0>here." +msgstr "Email verified successfully. You will be redirected to the login page in 5 seconds. If you are not redirected, please click <0>here." + +#: src/routes/participant/ParticipantPostConversation.tsx:160 +msgid "email@work.com" +msgstr "email@work.com" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:88 +msgid "Empty" +msgstr "Empty" + +#: src/components/settings/TwoFactorSettingsCard.tsx:266 +msgid "Enable 2FA" +msgstr "Enable 2FA" + +#: src/components/project/ProjectPortalEditor.tsx:412 +#~ msgid "Enable Dembrane Echo" +#~ msgstr "Enable Dembrane Echo" + +#: src/components/project/ProjectPortalEditor.tsx:562 +#~ msgid "Enable Dembrane ECHO" +#~ msgstr "Enable Dembrane ECHO" + +#: src/components/project/ProjectBasicEdit.tsx:181 +#~ msgid "Enable Dembrane Reply" +#~ msgstr "Enable Dembrane Reply" + +#: src/components/project/ProjectPortalEditor.tsx:734 +#~ msgid "Enable Dembrane Verify" +#~ msgstr "Enable Dembrane Verify" + +#: src/components/project/ProjectPortalEditor.tsx:592 +msgid "Enable Go deeper" +msgstr "Enable Go deeper" + +#: src/components/project/ProjectPortalEditor.tsx:792 +msgid "Enable Make it concrete" +msgstr "Enable Make it concrete" + +#: src/components/project/ProjectPortalEditor.tsx:930 +msgid "Enable Report Notifications" +msgstr "Enable Report Notifications" + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:775 +msgid "dashboard.dembrane.concrete.description" +msgstr "Enable this feature to allow participants to create and approve \"concrete objects\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with concrete objects and review them in the overview." + +#: src/components/project/ProjectPortalEditor.tsx:914 +msgid "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." +msgstr "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." + +#: src/components/project/ProjectPortalEditor.tsx:395 +#~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Echo\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." +#~ msgstr "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Echo\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." + +#: src/components/project/ProjectPortalEditor.tsx:545 +#~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"ECHO\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." +#~ msgstr "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"ECHO\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." + +#: src/components/project/ProjectBasicEdit.tsx:165 +#~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." +#~ msgstr "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." + +#: src/components/project/ProjectPortalEditor.tsx:575 +msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." +msgstr "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." + +#: src/components/settings/TwoFactorSettingsCard.tsx:360 +msgid "Enable two-factor authentication" +msgstr "Enable two-factor authentication" + +#: src/components/settings/TwoFactorSettingsCard.tsx:323 +#: src/components/conversation/AutoSelectConversations.tsx:86 +msgid "Enabled" +msgstr "Enabled" + +#: src/components/conversation/ConversationAccordion.tsx:944 +#~ msgid "End of list • All {0} conversations loaded" +#~ msgstr "End of list • All {0} conversations loaded" + +#: src/components/project/ProjectPortalEditor.tsx:463 +msgid "English" +msgstr "English" + +#: src/components/project/ProjectPortalEditor.tsx:133 +msgid "Enter a key term or proper noun" +msgstr "Enter a key term or proper noun" + +#: src/components/conversation/RetranscribeConversation.tsx:137 +msgid "Enter a name for the new conversation" +msgstr "Enter a name for the new conversation" + +#: src/components/project/ProjectDangerZone.tsx:131 +msgid "Enter a name for your cloned project" +msgstr "Enter a name for your cloned project" + +#: src/components/settings/TwoFactorSettingsCard.tsx:374 +msgid "Enter a valid code to turn off two-factor authentication." +msgstr "Enter a valid code to turn off two-factor authentication." + +#: src/components/dropzone/UploadConversationDropzone.tsx:599 +msgid "Enter filename (without extension)" +msgstr "Enter filename (without extension)" + +#: src/components/chat/ChatAccordion.tsx:110 +msgid "Enter new name for the chat:" +msgstr "Enter new name for the chat:" + +#: src/routes/auth/Login.tsx:95 +msgid "Enter the 6-digit code from your authenticator app." +msgstr "Enter the 6-digit code from your authenticator app." + +#: src/components/settings/TwoFactorSettingsCard.tsx:245 +msgid "Enter the current six-digit code from your authenticator app." +msgstr "Enter the current six-digit code from your authenticator app." + +#: src/routes/participant/ParticipantLogin.tsx:196 +#~ msgid "Enter your access code" +#~ msgstr "Enter your access code" + +#: src/components/settings/TwoFactorSettingsCard.tsx:177 +msgid "Enter your password" +msgstr "Enter your password" + +#: src/components/view/CreateViewForm.tsx:121 +msgid "Enter your query" +msgstr "Enter your query" + +#: src/components/dropzone/UploadConversationDropzone.tsx:674 +#: src/components/dropzone/UploadConversationDropzone.tsx:777 +msgid "Error" +msgstr "Error" + +#: src/components/project/ProjectDangerZone.tsx:117 +msgid "Error cloning project" +msgstr "Error cloning project" + +#: src/components/report/CreateReportForm.tsx:64 +msgid "Error creating report" +msgstr "Error creating report" + +#: src/components/announcement/AnnouncementErrorState.tsx:20 +msgid "Error loading announcements" +msgstr "Error loading announcements" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:58 +#~ msgid "Error loading insights" +#~ msgstr "Error loading insights" + +#: src/routes/project/ProjectRoutes.tsx:39 +#: src/routes/project/ProjectRoutes.tsx:131 +msgid "Error loading project" +msgstr "Error loading project" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:110 +#~ msgid "Error loading quotes" +#~ msgstr "Error loading quotes" + +#: src/components/report/UpdateReportModalButton.tsx:80 +msgid "Error updating report" +msgstr "Error updating report" + +#. placeholder {0}: errorFile.file.name +#. placeholder {1}: error.message +#: src/components/dropzone/UploadConversationDropzone.tsx:548 +msgid "Error uploading \"{0}\": {1}" +msgstr "Error uploading \"{0}\": {1}" + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:360 +msgid "participant.alert.microphone.access.success" +msgstr "Everything looks good – you can continue." + +#: src/components/participant/MicrophoneTest.tsx:306 +#~ msgid "Everything looks good – you can continue." +#~ msgstr "Everything looks good – you can continue." + +#: src/components/project/ProjectTranscriptSettings.tsx:88 +#~ msgid "Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect]." +#~ msgstr "Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect]." + +#: src/routes/project/report/ProjectReportRoute.tsx:61 +#: src/components/project/ProjectPortalEditor.tsx:540 +#: src/components/conversation/RetranscribeConversation.tsx:111 +#: src/components/conversation/MoveConversationButton.tsx:132 +#~ msgid "Experimental" +#~ msgstr "Experimental" + +#: src/components/chat/ChatModeSelector.tsx:254 +msgid "Explore themes & patterns across all conversations" +msgstr "Explore themes & patterns across all conversations" + +#: src/components/chat/ChatModeBanner.tsx:59 +msgid "Exploring {conversationCount} conversations" +msgstr "Exploring {conversationCount} conversations" + +#: src/components/settings/AuditLogsCard.tsx:436 +#: src/components/project/ProjectExportSection.tsx:17 +msgid "Export" +msgstr "Export" + +#: src/components/dropzone/UploadConversationDropzone.tsx:751 +msgid "Failed" +msgstr "Failed" + +#: src/components/conversation/hooks/index.ts:328 +msgid "Failed to add conversation to chat" +msgstr "Failed to add conversation to chat" + +#. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" +#: src/components/conversation/hooks/index.ts:320 +msgid "Failed to add conversation to chat{0}" +msgstr "Failed to add conversation to chat{0}" + +#: src/components/participant/verify/VerifyArtefact.tsx:136 +msgid "Failed to approve artefact. Please try again." +msgstr "Failed to approve artefact. Please try again." + +#: src/components/common/CopyRichTextIconButton.tsx:20 +msgid "Failed to copy chat. Please try again." +msgstr "Failed to copy chat. Please try again." + +#: src/components/conversation/CopyConversationTranscript.tsx:25 +msgid "Failed to copy transcript. Please try again." +msgstr "Failed to copy transcript. Please try again." + +#: src/components/participant/UserChunkMessage.tsx:45 +msgid "Failed to delete response" +msgstr "Failed to delete response" + +#: src/components/conversation/hooks/index.ts:475 +#: src/components/conversation/hooks/index.ts:481 +msgid "Failed to disable Auto Select for this chat" +msgstr "Failed to disable Auto Select for this chat" + +#: src/components/conversation/hooks/index.ts:324 +#: src/components/conversation/hooks/index.ts:330 +msgid "Failed to enable Auto Select for this chat" +msgstr "Failed to enable Auto Select for this chat" + +#: src/components/participant/ParticipantConversationAudio.tsx:204 +msgid "Failed to finish conversation. Please try again." +msgstr "Failed to finish conversation. Please try again." + +#: src/components/participant/verify/VerifySelection.tsx:141 +msgid "Failed to generate {label}. Please try again." +msgstr "Failed to generate {label}. Please try again." + +#: src/components/participant/verify/VerifySelection.tsx:109 +#~ msgid "Failed to generate Hidden gems. Please try again." +#~ msgstr "Failed to generate Hidden gems. Please try again." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:77 +msgid "Failed to generate the summary. Please try again later." +msgstr "Failed to generate the summary. Please try again later." + +#: src/components/announcement/AnnouncementErrorState.tsx:24 +msgid "Failed to get announcements" +msgstr "Failed to get announcements" + +#: src/components/announcement/hooks/index.ts:69 +#~ msgid "Failed to get the latest announcement" +#~ msgstr "Failed to get the latest announcement" + +#: src/components/announcement/hooks/index.ts:481 +#~ msgid "Failed to get unread announcements count" +#~ msgstr "Failed to get unread announcements count" + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:295 +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:385 +#~ msgid "Failed to load audio or the audio is not available" +#~ msgstr "Failed to load audio or the audio is not available" + +#: src/components/announcement/hooks/index.ts:338 +#: src/components/announcement/hooks/index.ts:351 +msgid "Failed to mark all announcements as read" +msgstr "Failed to mark all announcements as read" + +#: src/components/announcement/hooks/index.ts:181 +#: src/components/announcement/hooks/index.ts:200 +msgid "Failed to mark announcement as read" +msgstr "Failed to mark announcement as read" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:76 +msgid "Failed to regenerate the summary. Please try again later." +msgstr "Failed to regenerate the summary. Please try again later." + +#: src/components/participant/verify/VerifyArtefact.tsx:244 +msgid "Failed to reload. Please try again." +msgstr "Failed to reload. Please try again." + +#: src/components/conversation/hooks/index.ts:479 +msgid "Failed to remove conversation from chat" +msgstr "Failed to remove conversation from chat" + +#. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" +#: src/components/conversation/hooks/index.ts:471 +msgid "Failed to remove conversation from chat{0}" +msgstr "Failed to remove conversation from chat{0}" + +#: src/components/conversation/hooks/index.ts:610 +msgid "Failed to retranscribe conversation. Please try again." +msgstr "Failed to retranscribe conversation. Please try again." + +#: src/components/participant/verify/VerifyArtefact.tsx:185 +msgid "Failed to revise artefact. Please try again." +msgstr "Failed to revise artefact. Please try again." + +#: src/components/participant/ParticipantConversationAudio.tsx:131 +msgid "Failed to stop recording on device change. Please try again." +msgstr "Failed to stop recording on device change. Please try again." + +#: src/routes/participant/ParticipantPostConversation.tsx:134 +#: src/routes/participant/ParticipantPostConversation.tsx:139 +#~ msgid "Failed to verify email status. Please try again." +#~ msgstr "Failed to verify email status. Please try again." + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:286 +msgid "participant.modal.refine.info.title" +msgstr "Feature available soon" + +#. placeholder {0}: errorFile.file.name +#. placeholder {1}: formatFileSize(MAX_FILE_SIZE) +#: src/components/dropzone/UploadConversationDropzone.tsx:540 +msgid "File \"{0}\" exceeds the maximum size of {1}." +msgstr "File \"{0}\" exceeds the maximum size of {1}." + +#. placeholder {0}: errorFile.file.name +#: src/components/dropzone/UploadConversationDropzone.tsx:544 +msgid "File \"{0}\" has an unsupported format. Only audio files are allowed." +msgstr "File \"{0}\" has an unsupported format. Only audio files are allowed." + +#. placeholder {0}: file.name +#: src/components/dropzone/UploadConversationDropzone.tsx:381 +msgid "File \"{0}\" is not a supported audio format. Only audio files are allowed." +msgstr "File \"{0}\" is not a supported audio format. Only audio files are allowed." + +#. placeholder {0}: file.name +#. placeholder {1}: formatFileSize(file.size) +#. placeholder {2}: formatFileSize(MIN_FILE_SIZE) +#: src/components/dropzone/UploadConversationDropzone.tsx:412 +msgid "File \"{0}\" is too small ({1}). Minimum size is {2}." +msgstr "File \"{0}\" is too small ({1}). Minimum size is {2}." + +#. placeholder {0}: formatFileSize(MIN_FILE_SIZE) +#. placeholder {1}: formatFileSize(MAX_FILE_SIZE) +#: src/components/dropzone/UploadConversationDropzone.tsx:565 +msgid "File size: Min {0}, Max {1}, up to {MAX_FILES} files" +msgstr "File size: Min {0}, Max {1}, up to {MAX_FILES} files" + +#: src/components/conversation/ConversationAccordion.tsx:473 +#~ msgid "Filter" +#~ msgstr "Filter" + +#: src/components/settings/AuditLogsCard.tsx:474 +msgid "Filter audit logs by action" +msgstr "Filter audit logs by action" + +#: src/components/settings/AuditLogsCard.tsx:492 +msgid "Filter audit logs by collection" +msgstr "Filter audit logs by collection" + +#: src/components/settings/AuditLogsCard.tsx:463 +msgid "Filter by action" +msgstr "Filter by action" + +#: src/components/settings/AuditLogsCard.tsx:479 +msgid "Filter by collection" +msgstr "Filter by collection" + +#. js-lingui-explicit-id +#: src/components/participant/StopRecordingConfirmationModal.tsx:61 +msgid "participant.button.stop.finish" +msgstr "Finish" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:236 +msgid "participant.button.finish.text.mode" +msgstr "Finish" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:442 +msgid "participant.button.finish" +msgstr "Finish" + +#: src/routes/participant/ParticipantConversation.tsx:540 +#: src/routes/participant/ParticipantConversation.tsx:773 +#~ msgid "Finish" +#~ msgstr "Finish" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:145 +msgid "participant.modal.finish.title.text.mode" +msgstr "Finish Conversation" + +#: src/components/report/ConversationStatusTable.tsx:81 +msgid "Finished" +msgstr "Finished" + +#: src/routes/auth/Register.tsx:75 +#: src/routes/auth/Register.tsx:77 +msgid "First Name" +msgstr "First Name" + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:263 +#~ msgid "Follow" +#~ msgstr "Follow" + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:258 +#~ msgid "Follow playback" +#~ msgstr "Follow playback" + +#: src/routes/auth/Login.tsx:270 +msgid "Forgot your password?" +msgstr "Forgot your password?" + +#: src/components/project/ProjectPortalEditor.tsx:467 +msgid "French" +msgstr "French" + +#: src/components/report/CreateReportForm.tsx:80 +msgid "Generate insights from your conversations" +msgstr "Generate insights from your conversations" + +#: src/components/settings/TwoFactorSettingsCard.tsx:190 +msgid "Generate secret" +msgstr "Generate secret" + +#: src/components/chat/ChatTemplatesMenu.tsx:31 +#~ msgid "Generate structured meeting notes based on the following discussion points provided in the context." +#~ msgstr "Generate structured meeting notes based on the following discussion points provided in the context." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:188 +msgid "Generate Summary" +msgstr "Generate Summary" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:80 +msgid "Generating the summary. Please wait..." +msgstr "Generating the summary. Please wait..." + +#: src/components/project/ProjectPortalEditor.tsx:465 +msgid "German" +msgstr "German" + +#: src/components/participant/ParticipantConversationAudio.tsx:258 +msgid "Get an immediate reply from Dembrane to help you deepen the conversation." +msgstr "Get an immediate reply from Dembrane to help you deepen the conversation." + +#. js-lingui-explicit-id +#: src/components/participant/refine/RefineSelection.tsx:128 +msgid "participant.refine.go.deeper.description" +msgstr "Get an immediate reply from Dembrane to help you deepen the conversation." + +#: src/components/view/CreateViewForm.tsx:129 +msgid "Give me a list of 5-10 topics that are being discussed." +msgstr "Give me a list of 5-10 topics that are being discussed." + +#: src/routes/settings/UserSettingsRoute.tsx:34 +msgid "Go back" +msgstr "Go back" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactError.tsx:52 +msgid "participant.concrete.artefact.action.button.go.back" +msgstr "Go back" + +#: src/components/project/ProjectPortalEditor.tsx:564 +msgid "Go deeper" +msgstr "Go deeper" + +#. js-lingui-explicit-id +#: src/components/participant/refine/RefineSelection.tsx:124 +msgid "participant.refine.go.deeper" +msgstr "Go deeper" + +#: src/routes/404.tsx:17 +msgid "Go home" +msgstr "Go home" + +#: src/components/conversation/RetranscribeConversation.tsx:91 +msgid "Go to new conversation" +msgstr "Go to new conversation" + +#: src/routes/project/ProjectsHome.tsx:179 +#~ msgid "Grid view" +#~ msgstr "Grid view" + +#: src/components/conversation/ConversationAccordion.tsx:551 +msgid "Has verified artifacts" +msgstr "Has verified artifacts" + +#. placeholder {0}: user.first_name ?? "User" +#: src/components/layout/Header.tsx:159 +msgid "Hi, {0}" +msgstr "Hi, {0}" + +#: src/components/settings/AuditLogsCard.tsx:285 +msgid "Hidden" +msgstr "Hidden" + +#: src/components/participant/verify/VerifySelection.tsx:113 +msgid "Hidden gem" +msgstr "Hidden gem" + +#: src/components/conversation/ConversationAccordion.tsx:555 +#~ msgid "Hide {0}" +#~ msgstr "Hide {0}" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:50 +#~ msgid "Hide all" +#~ msgstr "Hide all" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:70 +#~ msgid "Hide all insights" +#~ msgstr "Hide all insights" + +#: src/components/conversation/ConversationAccordion.tsx:478 +#~ msgid "Hide Conversations Without Content" +#~ msgstr "Hide Conversations Without Content" + +#: src/components/settings/AuditLogsCard.tsx:248 +msgid "Hide data" +msgstr "Hide data" + +#: src/components/settings/AuditLogsCard.tsx:245 +msgid "Hide revision data" +msgstr "Hide revision data" + +#: src/routes/project/ProjectsHome.tsx:122 +msgid "Home" +msgstr "Home" + +#: src/components/project/ProjectBasicEdit.tsx:127 +msgid "" +"How would you describe to a colleague what are you trying to accomplish with this project?\n" +"* What is the north star goal or key metric\n" +"* What does success look like" +msgstr "" +"How would you describe to a colleague what are you trying to accomplish with this project?\n" +"* What is the north star goal or key metric\n" +"* What does success look like" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:351 +msgid "participant.button.i.understand" +msgstr "I understand" + +#: src/components/library/LibraryTemplatesMenu.tsx:22 +#~ msgid "" +#~ "Identify and analyze the recurring themes in this content. Please:\n" +#~ "\n" +#~ "Extract patterns that appear consistently across multiple sources\n" +#~ "Look for underlying principles that connect different ideas\n" +#~ "Identify themes that challenge conventional thinking\n" +#~ "Structure the analysis to show how themes evolve or repeat\n" +#~ "Focus on insights that reveal deeper organizational or conceptual patterns\n" +#~ "Maintain analytical depth while being accessible\n" +#~ "Highlight themes that could inform future decision-making\n" +#~ "\n" +#~ "Note: If the content lacks sufficient thematic consistency, let me know we need more diverse material to identify meaningful patterns." +#~ msgstr "" +#~ "Identify and analyze the recurring themes in this content. Please:\n" +#~ "\n" +#~ "Extract patterns that appear consistently across multiple sources\n" +#~ "Look for underlying principles that connect different ideas\n" +#~ "Identify themes that challenge conventional thinking\n" +#~ "Structure the analysis to show how themes evolve or repeat\n" +#~ "Focus on insights that reveal deeper organizational or conceptual patterns\n" +#~ "Maintain analytical depth while being accessible\n" +#~ "Highlight themes that could inform future decision-making\n" +#~ "\n" +#~ "Note: If the content lacks sufficient thematic consistency, let me know we need more diverse material to identify meaningful patterns." + +#: src/components/library/LibraryTemplatesMenu.tsx:22 +msgid "Identify recurring themes, topics, and arguments that appear consistently across conversations. Analyze their frequency, intensity, and consistency. Expected output: 3-7 aspects for small datasets, 5-12 for medium datasets, 8-15 for large datasets. Processing guidance: Focus on distinct patterns that emerge across multiple conversations." +msgstr "Identify recurring themes, topics, and arguments that appear consistently across conversations. Analyze their frequency, intensity, and consistency. Expected output: 3-7 aspects for small datasets, 5-12 for medium datasets, 8-15 for large datasets. Processing guidance: Focus on distinct patterns that emerge across multiple conversations." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:43 +msgid "participant.concrete.instructions.approve.artefact" +msgstr "If you are happy with the {objectLabel} click \"Approve\" to show you feel heard." + +#: src/routes/project/library/ProjectLibrary.tsx:216 +#~ msgid "In order to better navigate through the quotes, create additional views. The quotes will then be clustered based on your view." +#~ msgstr "In order to better navigate through the quotes, create additional views. The quotes will then be clustered based on your view." + +#: src/components/report/CreateReportForm.tsx:192 +#~ msgid "In the meantime, if you want to analyze the conversations that are still processing, you can use the Chat feature" +#~ msgstr "In the meantime, if you want to analyze the conversations that are still processing, you can use the Chat feature" + +#: src/routes/project/report/ProjectReportRoute.tsx:269 +msgid "Include portal link in report" +msgstr "Include portal link in report" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:222 +#~ msgid "Include timestamps" +#~ msgstr "Include timestamps" + +#: src/components/dropzone/UploadConversationDropzone.tsx:541 +#~ msgid "Info" +#~ msgstr "Info" + +#: src/routes/project/library/ProjectLibraryInsight.tsx:38 +#~ msgid "Insight Library" +#~ msgstr "Insight Library" + +#: src/routes/project/library/ProjectLibraryInsight.tsx:43 +#~ msgid "Insight not found" +#~ msgstr "Insight not found" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:51 +#~ msgid "insights" +#~ msgstr "insights" + +#: src/routes/project/library/ProjectLibraryAspect.tsx:85 +msgid "Insights" +msgstr "Insights" + +#: src/routes/auth/PasswordReset.tsx:36 +msgid "Invalid code. Please request a new one." +msgstr "Invalid code. Please request a new one." + +#: src/routes/auth/Login.tsx:167 +msgid "Invalid credentials." +msgstr "Invalid credentials." + +#: src/routes/auth/VerifyEmail.tsx:18 +msgid "Invalid token. Please try again." +msgstr "Invalid token. Please try again." + +#: src/components/settings/AuditLogsCard.tsx:289 +msgid "IP Address" +msgstr "IP Address" + +#. js-lingui-explicit-id +#: src/components/participant/ConversationErrorView.tsx:30 +msgid "participant.conversation.error.deleted" +msgstr "It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime." + +#: src/routes/participant/ParticipantConversation.tsx:281 +#~ msgid "It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime." +#~ msgstr "It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime." + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:216 +msgid "library.not.available.message" +msgstr "It looks like the library is not available for your account. Please request access to unlock this feature." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactError.tsx:24 +msgid "participant.concrete.artefact.error.description" +msgstr "It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic." + +#: src/components/participant/hooks/useConversationIssueBanner.ts:17 +msgid "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." +msgstr "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." + +#. placeholder {0}: project?.default_conversation_title ?? "the conversation" +#: src/components/project/ProjectQRCode.tsx:99 +msgid "Join {0} on Dembrane" +msgstr "Join {0} on Dembrane" + +#: src/components/common/DembraneLoadingSpinner/index.tsx:27 +msgid "Just a moment" +msgstr "Just a moment" + +#: src/components/announcement/utils/dateUtils.ts:18 +#~ msgid "Just now" +#~ msgstr "Just now" + +#: src/components/settings/TwoFactorSettingsCard.tsx:308 +msgid "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." +msgstr "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." + +#: src/components/project/ProjectPortalEditor.tsx:456 +msgid "Language" +msgstr "Language" + +#: src/routes/auth/Register.tsx:82 +#: src/routes/auth/Register.tsx:84 +msgid "Last Name" +msgstr "Last Name" + +#. placeholder {0}: formatRelative(lastSavedAt, new Date()) +#. placeholder {0}: formatDistance(new Date(savedAt), new Date(), { addSuffix: true }) +#: src/components/form/UnsavedChanges.tsx:18 +#: src/components/form/SaveStatus.tsx:62 +msgid "Last saved {0}" +msgstr "Last saved {0}" + +#: src/components/report/ConversationStatusTable.tsx:58 +msgid "Last Updated" +msgstr "Last Updated" + +#: src/components/chat/TemplatesModal.tsx:127 +msgid "Let us know!" +msgstr "Let us know!" + +#: src/components/participant/MicrophoneTest.tsx:247 +#~ msgid "Let's Make Sure We Can Hear You" +#~ msgstr "Let's Make Sure We Can Hear You" + +#: src/routes/project/library/ProjectLibraryView.tsx:32 +#: src/routes/project/library/ProjectLibraryAspect.tsx:43 +#: src/components/project/ProjectSidebar.tsx:150 +msgid "Library" +msgstr "Library" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:130 +msgid "library.title" +msgstr "Library" + +#: src/routes/project/library/ProjectLibrary.tsx:147 +msgid "Library creation is in progress" +msgstr "Library creation is in progress" + +#: src/routes/project/library/ProjectLibrary.tsx:173 +#~ msgid "Library is currently being processed" +#~ msgstr "Library is currently being processed" + +#: src/components/report/ConversationStatusTable.tsx:64 +msgid "Link" +msgstr "Link" + +#: src/components/chat/ChatTemplatesMenu.tsx:68 +#~ msgid "LinkedIn Post (Experimental)" +#~ msgstr "LinkedIn Post (Experimental)" + +#: src/components/conversation/ConversationAccordion.tsx:516 +#~ msgid "Live" +#~ msgstr "Live" + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:326 +msgid "participant.live.audio.level" +msgstr "Live audio level:" + +#: src/components/participant/MicrophoneTest.tsx:274 +#~ msgid "Live audio level:" +#~ msgstr "Live audio level:" + +#: src/components/project/ProjectPortalEditor.tsx:1124 +msgid "Live Preview" +msgstr "Live Preview" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:106 +msgid "participant.concrete.instructions.loading" +msgstr "Loading" + +#: src/components/common/DembraneLoadingSpinner/index.tsx:24 +msgid "Loading" +msgstr "Loading" + +#: src/components/settings/AuditLogsCard.tsx:465 +msgid "Loading actions..." +msgstr "Loading actions..." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactLoading.tsx:13 +msgid "participant.concrete.loading.artefact" +msgstr "Loading artefact" + +#: src/components/settings/AuditLogsCard.tsx:574 +msgid "Loading audit logs…" +msgstr "Loading audit logs…" + +#: src/components/settings/AuditLogsCard.tsx:482 +msgid "Loading collections..." +msgstr "Loading collections..." + +#: src/components/project/ProjectPortalEditor.tsx:831 +msgid "Loading concrete topics…" +msgstr "Loading concrete topics…" + +#: src/components/participant/MicrophoneTest.tsx:313 +msgid "Loading microphones..." +msgstr "Loading microphones..." + +#: src/components/conversation/CopyConversationTranscript.tsx:26 +#: src/components/conversation/CopyConversationTranscript.tsx:45 +msgid "Loading transcript..." +msgstr "Loading transcript..." + +#: src/components/project/ProjectPortalEditor.tsx:765 +#~ msgid "Loading verification topics…" +#~ msgstr "Loading verification topics…" + +#: src/routes/project/report/ProjectReportRoute.tsx:325 +msgid "loading..." +msgstr "loading..." + +#: src/components/conversation/ConversationAccordion.tsx:108 +#: src/components/conversation/hooks/index.ts:369 +msgid "Loading..." +msgstr "Loading..." + +#: src/components/participant/verify/VerifySelection.tsx:247 +msgid "Loading…" +msgstr "Loading…" + +#: src/routes/auth/Login.tsx:279 +msgid "Login" +msgstr "Login" + +#: src/routes/auth/Login.tsx:57 +msgid "Login | Dembrane" +msgstr "Login | Dembrane" + +#: src/routes/auth/Register.tsx:124 +msgid "Login as an existing user" +msgstr "Login as an existing user" + +#: src/components/layout/Header.tsx:191 +msgid "Logout" +msgstr "Logout" + +#: src/components/conversation/ConversationAccordion.tsx:617 +msgid "Longest First" +msgstr "Longest First" + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:762 +msgid "dashboard.dembrane.concrete.title" +msgstr "Make it concrete" + +#. js-lingui-explicit-id +#: src/components/participant/refine/RefineSelection.tsx:71 +msgid "participant.refine.make.concrete" +msgstr "Make it concrete" + +#: src/components/announcement/AnnouncementDrawerHeader.tsx:51 +msgid "Mark all read" +msgstr "Mark all read" + +#: src/components/announcement/AnnouncementItem.tsx:148 +msgid "Mark as read" +msgstr "Mark as read" + +#: src/components/chat/templates.ts:58 +msgid "Meeting Notes" +msgstr "Meeting Notes" + +#. placeholder {0}: capitalize(m.role) +#. placeholder {1}: Math.ceil(m.token_usage * 100) +#: src/components/chat/ChatContextProgress.tsx:80 +msgid "Messages from {0} - {1}%" +msgstr "Messages from {0} - {1}%" + +#: src/components/participant/PermissionErrorModal.tsx:24 +msgid "Microphone access is still denied. Please check your settings and try again." +msgstr "Microphone access is still denied. Please check your settings and try again." + +#: src/components/report/CreateReportForm.tsx:143 +#~ msgid "min" +#~ msgstr "min" + +#: src/components/project/ProjectPortalEditor.tsx:615 +msgid "Mode" +msgstr "Mode" + +#: src/components/chat/ChatTemplatesMenu.tsx:180 +msgid "More templates" +msgstr "More templates" + +#: src/components/conversation/MoveConversationButton.tsx:218 +#: src/components/conversation/ConversationAccordion.tsx:339 +msgid "Move" +msgstr "Move" + +#: src/components/conversation/MoveConversationButton.tsx:138 +#: src/components/conversation/ConversationAccordion.tsx:260 +msgid "Move Conversation" +msgstr "Move Conversation" + +#: src/components/conversation/MoveConversationButton.tsx:134 +msgid "Move to Another Project" +msgstr "Move to Another Project" + +#: src/components/conversation/ConversationAccordion.tsx:257 +msgid "Move to Project" +msgstr "Move to Project" + +#: src/components/project/ProjectBasicEdit.tsx:103 +#: src/components/conversation/ConversationEdit.tsx:161 +msgid "Name" +msgstr "Name" + +#: src/components/conversation/ConversationAccordion.tsx:615 +msgid "Name A-Z" +msgstr "Name A-Z" + +#: src/components/conversation/ConversationAccordion.tsx:616 +msgid "Name Z-A" +msgstr "Name Z-A" + +#: src/components/conversation/AutoSelectConversations.tsx:119 +msgid "New" +msgstr "New" + +#: src/components/conversation/RetranscribeConversation.tsx:136 +msgid "New Conversation Name" +msgstr "New Conversation Name" + +#. js-lingui-explicit-id +#: src/components/project/ProjectAnalysisRunStatus.tsx:83 +msgid "library.new.conversations" +msgstr "New conversations have been added since the creation of the library. Create a new view to add these to the analysis." + +#: src/components/project/ProjectAnalysisRunStatus.tsx:87 +#~ msgid "New conversations have been added since the library was generated. Regenerate the library to process them." +#~ msgstr "New conversations have been added since the library was generated. Regenerate the library to process them." + +#: src/routes/auth/PasswordReset.tsx:58 +#: src/routes/auth/PasswordReset.tsx:61 +msgid "New Password" +msgstr "New Password" + +#: src/routes/project/ProjectsHome.tsx:90 +#: src/routes/auth/Login.tsx:114 +msgid "New Project" +msgstr "New Project" + +#: src/components/conversation/ConversationAccordion.tsx:613 +msgid "Newest First" +msgstr "Newest First" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantOnboardingCards.tsx:396 +msgid "participant.button.next" +msgstr "Next" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantInitiateForm.tsx:134 +msgid "participant.ready.to.begin.button.text" +msgstr "Next" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifySelection.tsx:249 +msgid "participant.concrete.selection.button.next" +msgstr "Next" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:108 +msgid "participant.concrete.instructions.button.next" +msgstr "Next" + +#: src/components/participant/ParticipantOnboardingCards.tsx:285 +#~ msgid "Next" +#~ msgstr "Next" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:169 +msgid "participant.button.finish.no.text.mode" +msgstr "No" + +#: src/components/settings/AuditLogsCard.tsx:472 +msgid "No actions found" +msgstr "No actions found" + +#: src/components/announcement/Announcements.tsx:121 +msgid "No announcements available" +msgstr "No announcements available" + +#: src/components/settings/AuditLogsCard.tsx:633 +msgid "No audit logs match the current filters." +msgstr "No audit logs match the current filters." + +#. js-lingui-explicit-id +#: src/components/chat/ChatAccordion.tsx:244 +msgid "project.sidebar.chat.empty.description" +msgstr "No chats found. Start a chat using the \"Ask\" button." + +#: src/components/chat/ChatAccordion.tsx:125 +#~ msgid "No chats found. Start a chat using the \"Ask\" button." +#~ msgstr "No chats found. Start a chat using the \"Ask\" button." + +#: src/components/settings/AuditLogsCard.tsx:490 +msgid "No collections found" +msgstr "No collections found" + +#: src/components/project/ProjectPortalEditor.tsx:835 +msgid "No concrete topics available." +msgstr "No concrete topics available." + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:355 +#~ msgid "No content" +#~ msgstr "No content" + +#: src/routes/project/library/ProjectLibrary.tsx:151 +msgid "No conversations available to create library" +msgstr "No conversations available to create library" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:201 +msgid "library.no.conversations" +msgstr "No conversations available to create library. Please add some conversations to get started." + +#: src/routes/project/library/ProjectLibrary.tsx:170 +#~ msgid "No conversations available to create library. Please add some conversations to get started." +#~ msgstr "No conversations available to create library. Please add some conversations to get started." + +#: src/components/report/ConversationStatusTable.tsx:33 +msgid "No conversations found." +msgstr "No conversations found." + +#: src/components/conversation/ConversationAccordion.tsx:1211 +msgid "No conversations found. Start a conversation using the participation invite link from the <0><1>project overview." +msgstr "No conversations found. Start a conversation using the participation invite link from the <0><1>project overview." + +#: src/components/report/CreateReportForm.tsx:88 +msgid "No conversations yet" +msgstr "No conversations yet" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:78 +#~ msgid "No insights available. Generate insights for this conversation by visiting<0><1> the project library." +#~ msgstr "No insights available. Generate insights for this conversation by visiting<0><1> the project library." + +#: src/components/project/ProjectTranscriptSettings.tsx:143 +#~ msgid "No key terms or proper nouns have been added yet. Add them using the input above to improve transcript accuracy." +#~ msgstr "No key terms or proper nouns have been added yet. Add them using the input above to improve transcript accuracy." + +#: src/components/participant/verify/VerifyArtefact.tsx:182 +msgid "No new feedback detected yet. Please continue your discussion and try again soon." +msgstr "No new feedback detected yet. Please continue your discussion and try again soon." + +#. placeholder {0}: search && `with "${search}"` +#: src/components/conversation/MoveConversationButton.tsx:159 +msgid "No projects found {0}" +msgstr "No projects found {0}" + +#: src/routes/project/ProjectsHome.tsx:188 +msgid "No projects found for search term" +msgstr "No projects found for search term" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:124 +#~ msgid "No quotes available. Generate quotes for this conversation by visiting" +#~ msgstr "No quotes available. Generate quotes for this conversation by visiting" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:138 +#~ msgid "No quotes available. Generate quotes for this conversation by visiting<0><1> the project library." +#~ msgstr "No quotes available. Generate quotes for this conversation by visiting<0><1> the project library." + +#: src/components/report/ReportRenderer.tsx:112 +msgid "No report found" +msgstr "No report found" + +#: src/components/resource/ResourceAccordion.tsx:38 +#~ msgid "No resources found." +#~ msgstr "No resources found." + +#: src/components/settings/AuditLogsCard.tsx:656 +msgid "No results" +msgstr "No results" + +#: src/components/conversation/ConversationEdit.tsx:207 +#: src/components/conversation/ConversationAccordion.tsx:1158 +msgid "No tags found" +msgstr "No tags found" + +#: src/components/project/ProjectTagsInput.tsx:264 +msgid "No tags have been added to this project yet. Add a tag using the text input above to get started." +msgstr "No tags have been added to this project yet. Add a tag using the text input above to get started." + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:119 +msgid "No Transcript Available" +msgstr "No Transcript Available" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:242 +#~ msgid "No transcript available for this conversation." +#~ msgstr "No transcript available for this conversation." + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:122 +msgid "No transcript exists for this conversation yet. Please check back later." +msgstr "No transcript exists for this conversation yet. Please check back later." + +#: src/routes/project/chat/ProjectChatRoute.tsx:509 +#~ msgid "No transcripts are selected for this chat" +#~ msgstr "No transcripts are selected for this chat" + +#: src/components/project/ProjectPortalEditor.tsx:525 +#~ msgid "No tutorial (only Privacy statements)" +#~ msgstr "No tutorial (only Privacy statements)" + +#: src/components/dropzone/UploadConversationDropzone.tsx:390 +msgid "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." +msgstr "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." + +#: src/components/participant/verify/VerifySelection.tsx:211 +msgid "No verification topics are configured for this project." +msgstr "No verification topics are configured for this project." + +#: src/components/project/ProjectPortalEditor.tsx:769 +#~ msgid "No verification topics available." +#~ msgstr "No verification topics available." + +#: src/routes/project/library/ProjectLibrary.tsx:149 +msgid "Not available" +msgstr "Not available" + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:341 +#~ msgid "Now" +#~ msgstr "Now" + +#: src/components/conversation/ConversationAccordion.tsx:614 +msgid "Oldest First" +msgstr "Oldest First" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:34 +msgid "participant.concrete.instructions.revise.artefact" +msgstr "Once you have discussed, hit \"revise\" to see the {objectLabel} change to reflect your discussion." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:25 +msgid "participant.concrete.instructions.read.aloud" +msgstr "Once you receive the {objectLabel}, read it aloud and share out loud what you want to change, if anything." + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationAccordion.tsx:585 +msgid "conversation.ongoing" +msgstr "Ongoing" + +#: src/components/conversation/ConversationAccordion.tsx:516 +#~ msgid "Ongoing" +#~ msgstr "Ongoing" + +#: src/components/conversation/OngoingConversationsSummaryCard.tsx:80 +msgid "Ongoing Conversations" +msgstr "Ongoing Conversations" + +#: src/components/report/CreateReportForm.tsx:73 +#~ msgid "Only the {0} finished {1} will be included in the report right now. " +#~ msgstr "Only the {0} finished {1} will be included in the report right now. " + +#. js-lingui-explicit-id +#: src/components/participant/PermissionErrorModal.tsx:42 +msgid "participant.alert.microphone.access.failure" +msgstr "Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready." + +#: src/routes/participant/ParticipantConversation.tsx:348 +#~ msgid "Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready." +#~ msgstr "Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready." + +#: src/components/project/ProjectCard.tsx:49 +#: src/components/aspect/AspectCard.tsx:45 +msgid "Open" +msgstr "Open" + +#: src/components/layout/Header.tsx:150 +#~ msgid "Open Documentation" +#~ msgstr "Open Documentation" + +#: src/components/conversation/OpenForParticipationSummaryCard.tsx:40 +msgid "Open for Participation?" +msgstr "Open for Participation?" + +#. js-lingui-explicit-id +#: src/components/participant/PermissionErrorModal.tsx:59 +msgid "participant.button.open.troubleshooting.guide" +msgstr "Open troubleshooting guide" + +#: src/routes/participant/ParticipantConversation.tsx:365 +#~ msgid "Open troubleshooting guide" +#~ msgstr "Open troubleshooting guide" + +#: src/routes/auth/Login.tsx:241 +msgid "Open your authenticator app and enter the current six-digit code." +msgstr "Open your authenticator app and enter the current six-digit code." + +#: src/components/conversation/ConversationAccordion.tsx:947 +#: src/components/conversation/ConversationAccordion.tsx:954 +msgid "Options" +msgstr "Options" + +#: src/components/layout/ProjectConversationLayout.tsx:46 +#: src/components/chat/ChatModeSelector.tsx:253 +#: src/components/chat/ChatModeBanner.tsx:35 +msgid "Overview" +msgstr "Overview" + +#: src/components/chat/ChatAccordion.tsx:56 +msgid "Overview - Themes & patterns" +msgstr "Overview - Themes & patterns" + +#: src/components/project/ProjectPortalEditor.tsx:35 +#~ msgid "Page" +#~ msgstr "Page" + +#: src/components/project/ProjectPortalEditor.tsx:990 +msgid "Page Content" +msgstr "Page Content" + +#: src/routes/404.tsx:14 +msgid "Page not found" +msgstr "Page not found" + +#: src/components/project/ProjectPortalEditor.tsx:967 +msgid "Page Title" +msgstr "Page Title" + +#: src/components/report/ConversationStatusTable.tsx:55 +#: src/components/participant/ParticipantInitiateForm.tsx:44 +msgid "Participant" +msgstr "Participant" + +#: src/components/project/ProjectPortalEditor.tsx:558 +msgid "Participant Features" +msgstr "Participant Features" + +#: src/components/project/ProjectTagsInput.tsx:242 +msgid "Participants will be able to select tags when creating conversations" +msgstr "Participants will be able to select tags when creating conversations" + +#: src/routes/auth/Register.tsx:97 +#: src/routes/auth/Register.tsx:100 +#: src/routes/auth/Login.tsx:258 +#: src/routes/auth/Login.tsx:261 +msgid "Password" +msgstr "Password" + +#: src/routes/project/report/ProjectReportRoute.tsx:288 +msgid "Password protect portal (request feature)" +msgstr "Password protect portal (request feature)" + +#: src/routes/auth/Register.tsx:37 +#: src/routes/auth/PasswordReset.tsx:30 +msgid "Passwords do not match" +msgstr "Passwords do not match" + +#: src/routes/participant/ParticipantConversation.tsx:567 +#~ msgid "Pause" +#~ msgstr "Pause" + +#: src/components/participant/verify/VerifyArtefact.tsx:323 +msgid "Pause reading" +msgstr "Pause reading" + +#: src/components/report/ConversationStatusTable.tsx:85 +msgid "Pending" +msgstr "Pending" + +#: src/components/chat/ChatModeSelector.tsx:234 +msgid "Pick the approach that fits your question" +msgstr "Pick the approach that fits your question" + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:337 +msgid "participant.alert.microphone.access" +msgstr "Please allow microphone access to start the test." + +#: src/components/participant/MicrophoneTest.tsx:285 +#~ msgid "Please allow microphone access to start the test." +#~ msgstr "Please allow microphone access to start the test." + +#: src/routes/participant/ParticipantReport.tsx:60 +msgid "Please check back later or contact the project owner for more information." +msgstr "Please check back later or contact the project owner for more information." + +#: src/components/form/SaveStatus.tsx:39 +msgid "Please check your inputs for errors." +msgstr "Please check your inputs for errors." + +#: src/routes/participant/ParticipantConversation.tsx:775 +#~ msgid "Please do not close your browser" +#~ msgstr "Please do not close your browser" + +#: src/components/project/ProjectQRCode.tsx:129 +msgid "Please enable participation to enable sharing" +msgstr "Please enable participation to enable sharing" + +#: src/routes/participant/ParticipantPostConversation.tsx:80 +#: src/routes/participant/ParticipantPostConversation.tsx:98 +msgid "Please enter a valid email." +msgstr "Please enter a valid email." + +#: src/components/participant/ParticipantBody.tsx:186 +#~ msgid "Please keep this screen lit up (black screen = not recording)" +#~ msgstr "Please keep this screen lit up (black screen = not recording)" + +#: src/routes/auth/Login.tsx:197 +msgid "Please login to continue." +msgstr "Please login to continue." + +#: src/components/chat/ChatTemplatesMenu.tsx:21 +#~ msgid "Please provide a concise summary of the following provided in the context." +#~ msgstr "Please provide a concise summary of the following provided in the context." + +#: src/components/participant/ParticipantBody.tsx:185 +msgid "" +"Please record your response by clicking the \"Record\" button below. You may also choose to respond in text by clicking the text icon. \n" +"**Please keep this screen lit up** \n" +"(black screen = not recording)" +msgstr "" +"Please record your response by clicking the \"Record\" button below. You may also choose to respond in text by clicking the text icon. \n" +"**Please keep this screen lit up** \n" +"(black screen = not recording)" + +#: src/components/participant/ParticipantBody.tsx:122 +#~ msgid "Please record your response by clicking the \"Start Recording\" button below. You may also choose to respond in text by clicking the text icon." +#~ msgstr "Please record your response by clicking the \"Start Recording\" button below. You may also choose to respond in text by clicking the text icon." + +#: src/components/report/CreateReportForm.tsx:141 +msgid "Please select a language for your report" +msgstr "Please select a language for your report" + +#: src/components/report/UpdateReportModalButton.tsx:97 +msgid "Please select a language for your updated report" +msgstr "Please select a language for your updated report" + +#: src/components/conversation/ConversationAccordion.tsx:723 +#~ msgid "Please select at least one source" +#~ msgstr "Please select at least one source" + +#: src/routes/project/chat/ProjectChatRoute.tsx:644 +msgid "Please select conversations from the sidebar to proceed" +msgstr "Please select conversations from the sidebar to proceed" + +#: src/routes/participant/ParticipantConversation.tsx:184 +#~ msgid "Please wait {timeStr} before requesting another echo." +#~ msgstr "Please wait {timeStr} before requesting another echo." + +#: src/routes/participant/ParticipantConversation.tsx:256 +#~ msgid "Please wait {timeStr} before requesting another Echo." +#~ msgstr "Please wait {timeStr} before requesting another Echo." + +#: src/routes/participant/ParticipantConversation.tsx:246 +#~ msgid "Please wait {timeStr} before requesting another ECHO." +#~ msgstr "Please wait {timeStr} before requesting another ECHO." + +#: src/routes/participant/ParticipantConversation.tsx:855 +#~ msgid "Please wait {timeStr} before requesting another reply." +#~ msgstr "Please wait {timeStr} before requesting another reply." + +#: src/components/report/CreateReportForm.tsx:52 +msgid "Please wait while we generate your report. You will automatically be redirected to the report page." +msgstr "Please wait while we generate your report. You will automatically be redirected to the report page." + +#. js-lingui-explicit-id +#. placeholder {0}: formatRelative( new Date(latestRun.created_at ?? new Date()), new Date(), ) +#: src/routes/project/library/ProjectLibrary.tsx:249 +msgid "library.processing.request" +msgstr "Please wait while we process your request. You requested to create the library on {0}" + +#: src/components/conversation/RetranscribeConversation.tsx:119 +msgid "Please wait while we process your retranscription request. You will be redirected to the new conversation when ready." +msgstr "Please wait while we process your retranscription request. You will be redirected to the new conversation when ready." + +#: src/components/report/UpdateReportModalButton.tsx:72 +msgid "Please wait while we update your report. You will automatically be redirected to the report page." +msgstr "Please wait while we update your report. You will automatically be redirected to the report page." + +#: src/routes/auth/VerifyEmail.tsx:46 +msgid "Please wait while we verify your email address." +msgstr "Please wait while we verify your email address." + +#: src/components/project/ProjectPortalEditor.tsx:957 +msgid "Portal Content" +msgstr "Portal Content" + +#: src/components/project/ProjectPortalEditor.tsx:415 +#: src/components/layout/ProjectOverviewLayout.tsx:43 +msgid "Portal Editor" +msgstr "Portal Editor" + +#: src/components/project/ProjectSidebar.tsx:172 +msgid "Powered by" +msgstr "Powered by" + +#: src/components/chat/ChatModeSelector.tsx:267 +msgid "Preparing your conversations... This may take a moment." +msgstr "Preparing your conversations... This may take a moment." + +#: src/components/common/DembraneLoadingSpinner/index.tsx:25 +msgid "Preparing your experience" +msgstr "Preparing your experience" + +#: src/routes/project/report/ProjectReportRoute.tsx:205 +msgid "Print this report" +msgstr "Print this report" + +#: src/components/layout/Footer.tsx:9 +msgid "Privacy Statements" +msgstr "Privacy Statements" + +#: src/routes/project/report/ProjectReportRoute.tsx:335 +msgid "Proceed" +msgstr "Proceed" + +#: src/components/report/CreateReportForm.tsx:139 +#~ msgid "processing" +#~ msgstr "processing" + +#: src/components/conversation/ConversationAccordion.tsx:418 +#~ msgid "Processing" +#~ msgstr "Processing" + +#: src/components/conversation/ConversationAccordion.tsx:436 +#~ msgid "Processing failed for this conversation. This conversation will not be available for analysis and chat." +#~ msgstr "Processing failed for this conversation. This conversation will not be available for analysis and chat." + +#: src/components/conversation/ConversationAccordion.tsx:451 +#~ msgid "Processing failed for this conversation. This conversation will not be available for analysis and chat. Last Known Status: {0}" +#~ msgstr "Processing failed for this conversation. This conversation will not be available for analysis and chat. Last Known Status: {0}" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:316 +#~ msgid "Processing Transcript" +#~ msgstr "Processing Transcript" + +#: src/components/report/UpdateReportModalButton.tsx:71 +#: src/components/report/CreateReportForm.tsx:51 +msgid "Processing your report..." +msgstr "Processing your report..." + +#: src/components/conversation/RetranscribeConversation.tsx:118 +msgid "Processing your retranscription request..." +msgstr "Processing your retranscription request..." + +#: src/components/report/ReportTimeline.tsx:294 +msgid "Project Created" +msgstr "Project Created" + +#: src/components/layout/ProjectLibraryLayout.tsx:6 +msgid "Project Library | Dembrane" +msgstr "Project Library | Dembrane" + +#: src/components/project/ProjectDangerZone.tsx:130 +msgid "Project name" +msgstr "Project name" + +#: src/components/project/ProjectBasicEdit.tsx:24 +msgid "Project name must be at least 4 characters long" +msgstr "Project name must be at least 4 characters long" + +#: src/routes/project/chat/NewChatRoute.tsx:62 +msgid "Project not found" +msgstr "Project not found" + +#: src/components/project/ProjectSidebar.tsx:75 +#~ msgid "Project Overview" +#~ msgstr "Project Overview" + +#: src/components/layout/ProjectOverviewLayout.tsx:25 +msgid "Project Overview | Dembrane" +msgstr "Project Overview | Dembrane" + +#: src/components/project/ProjectSidebar.tsx:80 +#~ msgid "Project Overview and Edit" +#~ msgstr "Project Overview and Edit" + +#: src/components/layout/ProjectOverviewLayout.tsx:44 +msgid "Project Settings" +msgstr "Project Settings" + +#: src/routes/project/ProjectsHome.tsx:144 +msgid "Projects" +msgstr "Projects" + +#: src/routes/project/ProjectsHome.tsx:38 +msgid "Projects | Dembrane" +msgstr "Projects | Dembrane" + +#: src/components/project/ProjectSidebar.tsx:91 +msgid "Projects Home" +msgstr "Projects Home" + +#: src/components/library/LibraryTemplatesMenu.tsx:24 +msgid "Provide an overview of the main topics and recurring themes" +msgstr "Provide an overview of the main topics and recurring themes" + +#: src/components/project/ProjectTranscriptSettings.tsx:79 +#~ msgid "Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information." +#~ msgstr "Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information." + +#: src/routes/project/report/ProjectReportRoute.tsx:226 +msgid "Publish" +msgstr "Publish" + +#: src/routes/project/report/ProjectReportRoute.tsx:226 +msgid "Published" +msgstr "Published" + +#: src/components/chat/ChatModeSelector.tsx:51 +msgid "Pull out the most impactful quotes from this session" +msgstr "Pull out the most impactful quotes from this session" + +#: src/routes/project/library/ProjectLibraryInsight.tsx:96 +#: src/routes/project/library/ProjectLibraryAspect.tsx:105 +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:105 +#~ msgid "Quotes" +#~ msgstr "Quotes" + +#: src/components/participant/verify/VerifyArtefact.tsx:323 +msgid "Read aloud" +msgstr "Read aloud" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantOnboardingCards.tsx:259 +msgid "participant.ready.to.begin" +msgstr "Ready to Begin?" + +#: src/components/participant/ParticipantOnboardingCards.tsx:185 +#~ msgid "Ready to Begin?" +#~ msgstr "Ready to Begin?" + +#: src/components/settings/TwoFactorSettingsCard.tsx:338 +msgid "Recommended apps" +msgstr "Recommended apps" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:419 +msgid "participant.button.record" +msgstr "Record" + +#: src/routes/participant/ParticipantConversation.tsx:483 +#~ msgid "Record" +#~ msgstr "Record" + +#: src/routes/participant/ParticipantPostConversation.tsx:142 +msgid "Record another conversation" +msgstr "Record another conversation" + +#. js-lingui-explicit-id +#: src/components/participant/StopRecordingConfirmationModal.tsx:35 +msgid "participant.modal.pause.title" +msgstr "Recording Paused" + +#. js-lingui-explicit-id +#: src/components/view/View.tsx:82 +msgid "view.recreate.tooltip" +msgstr "Recreate View" + +#. js-lingui-explicit-id +#: src/components/view/View.tsx:137 +msgid "view.recreate.modal.title" +msgstr "Recreate View" + +#: src/components/view/DummyViews.tsx:17 +#: src/components/library/LibraryTemplatesMenu.tsx:25 +msgid "Recurring Themes" +msgstr "Recurring Themes" + +#: src/components/chat/References.tsx:20 +msgid "References" +msgstr "References" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:473 +msgid "participant.button.refine" +msgstr "Refine" + +#: src/components/project/ProjectPortalEditor.tsx:1132 +msgid "Refresh" +msgstr "Refresh" + +#: src/components/settings/AuditLogsCard.tsx:419 +msgid "Refresh audit logs" +msgstr "Refresh audit logs" + +#: src/routes/project/library/ProjectLibrary.tsx:121 +#~ msgid "Regenerate Library" +#~ msgstr "Regenerate Library" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:139 +msgid "Regenerate Summary" +msgstr "Regenerate Summary" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:303 +msgid "participant.concrete.regenerating.artefact" +msgstr "Regenerating the artefact" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:79 +msgid "Regenerating the summary. Please wait..." +msgstr "Regenerating the summary. Please wait..." + +#: src/routes/auth/Register.tsx:22 +msgid "Register | Dembrane" +msgstr "Register | Dembrane" + +#: src/routes/auth/Login.tsx:289 +msgid "Register as a new user" +msgstr "Register as a new user" + +#: src/routes/project/library/ProjectLibrary.tsx:289 +#~ msgid "Relevance" +#~ msgstr "Relevance" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:113 +msgid "participant.button.reload.page.text.mode" +msgstr "Reload Page" + +#. js-lingui-explicit-id +#: src/components/participant/ConversationErrorView.tsx:49 +msgid "participant.button.reload" +msgstr "Reload Page" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactError.tsx:40 +msgid "participant.concrete.artefact.action.button.reload" +msgstr "Reload Page" + +#: src/routes/participant/ParticipantConversation.tsx:300 +#: src/routes/participant/ParticipantConversation.tsx:698 +#~ msgid "Reload Page" +#~ msgstr "Reload Page" + +#: src/routes/participant/ParticipantPostConversation.tsx:193 +msgid "Remove Email" +msgstr "Remove Email" + +#: src/components/dropzone/UploadConversationDropzone.tsx:643 +msgid "Remove file" +msgstr "Remove file" + +#: src/components/conversation/ConversationAccordion.tsx:153 +msgid "Remove from this chat" +msgstr "Remove from this chat" + +#. js-lingui-explicit-id +#: src/components/chat/ChatAccordion.tsx:122 +msgid "project.sidebar.chat.rename" +msgstr "Rename" + +#: src/components/chat/ChatAccordion.tsx:56 +#~ msgid "Rename" +#~ msgstr "Rename" + +#: src/components/project/ProjectPortalEditor.tsx:730 +msgid "Reply Prompt" +msgstr "Reply Prompt" + +#: src/routes/project/report/ProjectReportRoute.tsx:58 +#: src/components/report/ReportRenderer.tsx:70 +#: src/components/report/ReportModalNavigationButton.tsx:65 +msgid "Report" +msgstr "Report" + +#: src/components/layout/Header.tsx:75 +msgid "Report an issue" +msgstr "Report an issue" + +#. placeholder {0}: formatDateForAxis(new Date(data.allReports[0]?.createdAt!).getTime()) +#: src/components/report/ReportTimeline.tsx:304 +msgid "Report Created - {0}" +msgstr "Report Created - {0}" + +#: src/routes/project/report/ProjectReportRoute.tsx:150 +msgid "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." +msgstr "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." + +#: src/components/project/ProjectPortalEditor.tsx:911 +msgid "Report Notifications" +msgstr "Report Notifications" + +#. placeholder {0}: formatDateForAxis(new Date(r.createdAt!).getTime()) +#: src/components/report/ReportTimeline.tsx:317 +msgid "Report Updated - {0}" +msgstr "Report Updated - {0}" + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:139 +msgid "library.request.access" +msgstr "Request Access" + +#: src/components/conversation/AutoSelectConversations.tsx:168 +msgid "Request Access" +msgstr "Request Access" + +#: src/routes/auth/RequestPasswordReset.tsx:23 +msgid "Request Password Reset" +msgstr "Request Password Reset" + +#: src/routes/auth/RequestPasswordReset.tsx:9 +msgid "Request Password Reset | Dembrane" +msgstr "Request Password Reset | Dembrane" + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:350 +msgid "participant.alert.microphone.access.loading" +msgstr "Requesting microphone access to detect available devices..." + +#: src/components/participant/MicrophoneTest.tsx:296 +#~ msgid "Requesting microphone access to detect available devices..." +#~ msgstr "Requesting microphone access to detect available devices..." + +#: src/components/conversation/ConversationAccordion.tsx:968 +#~ msgid "Reset All Options" +#~ msgstr "Reset All Options" + +#: src/routes/auth/PasswordReset.tsx:51 +#: src/routes/auth/PasswordReset.tsx:76 +msgid "Reset Password" +msgstr "Reset Password" + +#: src/routes/auth/PasswordReset.tsx:18 +msgid "Reset Password | Dembrane" +msgstr "Reset Password | Dembrane" + +#: src/components/conversation/ConversationAccordion.tsx:1179 +#: src/components/conversation/ConversationAccordion.tsx:1184 +msgid "Reset to default" +msgstr "Reset to default" + +#: src/components/resource/ResourceAccordion.tsx:21 +#~ msgid "Resources" +#~ msgstr "Resources" + +#. js-lingui-explicit-id +#: src/components/participant/StopRecordingConfirmationModal.tsx:51 +msgid "participant.button.stop.resume" +msgstr "Resume" + +#: src/routes/participant/ParticipantConversation.tsx:557 +#~ msgid "Resume" +#~ msgstr "Resume" + +#: src/components/conversation/RetranscribeConversation.tsx:153 +msgid "Retranscribe" +msgstr "Retranscribe" + +#: src/components/conversation/RetranscribeConversation.tsx:36 +msgid "Retranscribe conversation" +msgstr "Retranscribe conversation" + +#: src/components/conversation/RetranscribeConversation.tsx:109 +msgid "Retranscribe Conversation" +msgstr "Retranscribe Conversation" + +#: src/components/conversation/RetranscribeConversation.tsx:85 +msgid "Retranscription started. New conversation will be available soon." +msgstr "Retranscription started. New conversation will be available soon." + +#: src/routes/project/chat/ProjectChatRoute.tsx:605 +msgid "Retry" +msgstr "Retry" + +#: src/components/dropzone/UploadConversationDropzone.tsx:820 +msgid "Retry Upload" +msgstr "Retry Upload" + +#: src/components/settings/AuditLogsCard.tsx:410 +msgid "Review activity for your workspace. Filter by collection or action, and export the current view for further investigation." +msgstr "Review activity for your workspace. Filter by collection or action, and export the current view for further investigation." + +#: src/components/dropzone/UploadConversationDropzone.tsx:581 +msgid "Review files before uploading" +msgstr "Review files before uploading" + +#: src/components/project/ProjectConversationStatusSection.tsx:20 +msgid "Review processing status for every conversation collected in this project." +msgstr "Review processing status for every conversation collected in this project." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:394 +msgid "participant.concrete.action.button.revise" +msgstr "Revise" + +#: src/components/settings/AuditLogsCard.tsx:612 +msgid "Revision #{revisionNumber}" +msgstr "Revision #{revisionNumber}" + +#: src/components/settings/AuditLogsCard.tsx:646 +msgid "Rows per page" +msgstr "Rows per page" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:371 +msgid "participant.concrete.action.button.save" +msgstr "Save" + +#: src/routes/project/resource/ProjectResourceOverview.tsx:144 +#~ msgid "Save" +#~ msgstr "Save" + +#: src/components/form/SaveStatus.tsx:31 +msgid "Save Error!" +msgstr "Save Error!" + +#: src/components/form/SaveStatus.tsx:47 +msgid "Saving..." +msgstr "Saving..." + +#: src/components/settings/TwoFactorSettingsCard.tsx:212 +msgid "Scan the QR code or copy the secret into your app." +msgstr "Scan the QR code or copy the secret into your app." + +#: src/components/common/ScrollToBottom.tsx:21 +#: src/components/common/ScrollToBottom.tsx:26 +msgid "Scroll to bottom" +msgstr "Scroll to bottom" + +#: src/components/conversation/MoveConversationButton.tsx:143 +msgid "Search" +msgstr "Search" + +#: src/components/conversation/ConversationAccordion.tsx:941 +msgid "Search conversations" +msgstr "Search conversations" + +#: src/routes/project/ProjectsHome.tsx:176 +msgid "Search projects" +msgstr "Search projects" + +#: src/components/conversation/ConversationAccordion.tsx:270 +msgid "Search Projects" +msgstr "Search Projects" + +#: src/components/conversation/MoveConversationButton.tsx:144 +#: src/components/conversation/ConversationAccordion.tsx:274 +msgid "Search projects..." +msgstr "Search projects..." + +#: src/components/conversation/ConversationAccordion.tsx:1077 +msgid "Search tags" +msgstr "Search tags" + +#: src/components/chat/TemplatesModal.tsx:62 +msgid "Search templates..." +msgstr "Search templates..." + +#: src/components/chat/SourcesSearched.tsx:13 +msgid "Searched through the most relevant sources" +msgstr "Searched through the most relevant sources" + +#: src/components/chat/SourcesSearch.tsx:12 +msgid "Searching through the most relevant sources" +msgstr "Searching through the most relevant sources" + +#: src/components/settings/TwoFactorSettingsCard.tsx:436 +msgid "Secret copied" +msgstr "Secret copied" + +#: src/components/report/CreateReportForm.tsx:94 +#~ msgid "See conversation status details" +#~ msgstr "See conversation status details" + +#: src/components/layout/Header.tsx:105 +msgid "See you soon" +msgstr "See you soon" + +#: src/routes/project/library/ProjectLibraryAspect.tsx:84 +#~ msgid "Segments" +#~ msgstr "Segments" + +#: src/components/participant/MicrophoneTest.tsx:314 +msgid "Select a microphone" +msgstr "Select a microphone" + +#: src/components/dropzone/UploadConversationDropzone.tsx:519 +msgid "Select Audio Files to Upload" +msgstr "Select Audio Files to Upload" + +#: src/components/chat/ChatModeSelector.tsx:243 +msgid "Select conversations and find exact quotes" +msgstr "Select conversations and find exact quotes" + +#: src/components/chat/ChatModeBanner.tsx:63 +msgid "Select conversations from sidebar" +msgstr "Select conversations from sidebar" + +#: src/components/conversation/ConversationAccordion.tsx:294 +msgid "Select Project" +msgstr "Select Project" + +#: src/components/conversation/ConversationEdit.tsx:175 +msgid "Select tags" +msgstr "Select tags" + +#: src/components/project/ProjectPortalEditor.tsx:524 +msgid "Select the instructions that will be shown to participants when they start a conversation" +msgstr "Select the instructions that will be shown to participants when they start a conversation" + +#: src/components/project/ProjectPortalEditor.tsx:620 +msgid "Select the type of feedback or engagement you want to encourage." +msgstr "Select the type of feedback or engagement you want to encourage." + +#: src/components/project/ProjectPortalEditor.tsx:512 +msgid "Select tutorial" +msgstr "Select tutorial" + +#. js-lingui-explicit-id +#: src/components/project/ProjectPortalEditor.tsx:824 +msgid "dashboard.dembrane.concrete.topic.select" +msgstr "Select which topics participants can use for \"Make it concrete\"." + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:306 +msgid "participant.select.microphone" +msgstr "Select your microphone:" + +#: src/components/participant/MicrophoneTest.tsx:258 +#~ msgid "Select your microphone:" +#~ msgstr "Select your microphone:" + +#. placeholder {0}: selectedFiles.length +#: src/components/dropzone/UploadConversationDropzone.tsx:576 +msgid "Selected Files ({0}/{MAX_FILES})" +msgstr "Selected Files ({0}/{MAX_FILES})" + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:302 +msgid "participant.selected.microphone" +msgstr "Selected microphone:" + +#: src/routes/project/chat/ProjectChatRoute.tsx:738 +msgid "Send" +msgstr "Send" + +#: src/components/view/DummyViews.tsx:27 +#~ msgid "Sentiment" +#~ msgstr "Sentiment" + +#: src/components/participant/ParticipantInitiateForm.tsx:97 +msgid "Session Name" +msgstr "Session Name" + +#: src/routes/auth/Login.tsx:108 +#: src/routes/auth/Login.tsx:112 +msgid "Setting up your first project" +msgstr "Setting up your first project" + +#: src/routes/settings/UserSettingsRoute.tsx:39 +#: src/components/layout/ParticipantHeader.tsx:93 +#: src/components/layout/ParticipantHeader.tsx:94 +#: src/components/layout/Header.tsx:170 +msgid "Settings" +msgstr "Settings" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantSettingsModal.tsx:22 +msgid "participant.settings.modal.title" +msgstr "Settings" + +#: src/routes/settings/UserSettingsRoute.tsx:20 +msgid "Settings | Dembrane" +msgstr "Settings | Dembrane" + +#: src/components/project/ProjectQRCode.tsx:104 +msgid "Share" +msgstr "Share" + +#: src/routes/project/report/ProjectReportRoute.tsx:175 +msgid "Share this report" +msgstr "Share this report" + +#: src/routes/participant/ParticipantPostConversation.tsx:154 +msgid "Share your details here" +msgstr "Share your details here" + +#: src/components/report/ReportRenderer.tsx:22 +msgid "Share your voice" +msgstr "Share your voice" + +#: src/components/report/ReportRenderer.tsx:26 +msgid "Share your voice by scanning the QR code below." +msgstr "Share your voice by scanning the QR code below." + +#: src/components/conversation/ConversationAccordion.tsx:618 +msgid "Shortest First" +msgstr "Shortest First" + +#: src/components/conversation/ConversationAccordion.tsx:555 +#~ msgid "Show {0}" +#~ msgstr "Show {0}" + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:50 +#~ msgid "Show all" +#~ msgstr "Show all" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:110 +msgid "Show audio player" +msgstr "Show audio player" + +#: src/components/settings/AuditLogsCard.tsx:248 +msgid "Show data" +msgstr "Show data" + +#: src/components/conversation/ConversationAccordion.tsx:842 +#~ msgid "Show duration" +#~ msgstr "Show duration" + +#: src/components/settings/AuditLogsCard.tsx:497 +msgid "Show IP addresses" +msgstr "Show IP addresses" + +#: src/components/announcement/AnnouncementItem.tsx:125 +msgid "Show less" +msgstr "Show less" + +#: src/components/announcement/AnnouncementItem.tsx:130 +msgid "Show more" +msgstr "Show more" + +#: src/components/common/ReferencesIconButton.tsx:15 +#: src/components/common/ReferencesIconButton.tsx:22 +msgid "Show references" +msgstr "Show references" + +#: src/components/settings/AuditLogsCard.tsx:245 +msgid "Show revision data" +msgstr "Show revision data" + +#: src/routes/project/report/ProjectReportRoute.tsx:283 +msgid "Show timeline in report (request feature)" +msgstr "Show timeline in report (request feature)" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:630 +#~ msgid "Show timestamps (experimental)" +#~ msgstr "Show timestamps (experimental)" + +#: src/components/settings/AuditLogsCard.tsx:658 +msgid "Showing {displayFrom}–{displayTo} of {totalItems} entries" +msgstr "Showing {displayFrom}–{displayTo} of {totalItems} entries" + +#: src/routes/auth/Login.tsx:195 +#~ msgid "Sign in with Google" +#~ msgstr "Sign in with Google" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantOnboardingCards.tsx:281 +msgid "participant.mic.check.button.skip" +msgstr "Skip" + +#: src/components/participant/MicrophoneTest.tsx:330 +#~ msgid "Skip" +#~ msgstr "Skip" + +#: src/components/project/ProjectPortalEditor.tsx:531 +#~ msgid "Skip data privacy slide (Host manages consent)" +#~ msgstr "Skip data privacy slide (Host manages consent)" + +#: src/components/project/ProjectPortalEditor.tsx:531 +msgid "Skip data privacy slide (Host manages legal base)" +msgstr "Skip data privacy slide (Host manages legal base)" + +#: src/components/conversation/AutoSelectConversations.tsx:188 +#~ msgid "Some conversations are still being processed. Auto-select will work optimally once audio processing is complete." +#~ msgstr "Some conversations are still being processed. Auto-select will work optimally once audio processing is complete." + +#: src/components/dropzone/UploadConversationDropzone.tsx:430 +msgid "Some files were already selected and won't be added twice." +msgstr "Some files were already selected and won't be added twice." + +#: src/routes/auth/Login.tsx:158 +#: src/components/participant/ParticipantInitiateForm.tsx:84 +#: src/components/conversation/ConversationEdit.tsx:144 +msgid "Something went wrong" +msgstr "Something went wrong" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:96 +msgid "participant.conversation.error.text.mode" +msgstr "Something went wrong" + +#. js-lingui-explicit-id +#: src/components/participant/ConversationErrorView.tsx:23 +msgid "participant.conversation.error" +msgstr "Something went wrong" + +#: src/components/settings/AuditLogsCard.tsx:379 +msgid "Something went wrong while exporting audit logs." +msgstr "Something went wrong while exporting audit logs." + +#: src/components/settings/TwoFactorSettingsCard.tsx:164 +msgid "Something went wrong while generating the secret." +msgstr "Something went wrong while generating the secret." + +#: src/components/dropzone/UploadResourceDropzone.tsx:28 +#~ msgid "Something went wrong while uploading the file: {0}" +#~ msgstr "Something went wrong while uploading the file: {0}" + +#: src/components/participant/ParticipantBody.tsx:151 +msgid "Something went wrong with the conversation. Please try refreshing the page or contact support if the issue persists" +msgstr "Something went wrong with the conversation. Please try refreshing the page or contact support if the issue persists" + +#. js-lingui-explicit-id +#: src/components/participant/EchoErrorAlert.tsx:21 +msgid "participant.go.deeper.generic.error.message" +msgstr "Something went wrong. Please try again by pressing the <0>Go deeper button, or contact support if the issue continues." + +#: src/components/participant/verify/VerifyArtefact.tsx:149 +msgid "Something went wrong. Please try again." +msgstr "Something went wrong. Please try again." + +#. js-lingui-explicit-id +#: src/components/participant/EchoErrorAlert.tsx:16 +msgid "participant.go.deeper.content.policy.violation.error.message" +msgstr "Sorry, we cannot process this request due to an LLM provider's content policy." + +#: src/components/conversation/ConversationAccordion.tsx:1001 +#: src/components/conversation/ConversationAccordion.tsx:1008 +msgid "Sort" +msgstr "Sort" + +#. placeholder {0}: index + 1 +#: src/components/chat/Sources.tsx:37 +msgid "Source {0}" +msgstr "Source {0}" + +#: src/components/conversation/ConversationAccordion.tsx:689 +#~ msgid "Sources:" +#~ msgstr "Sources:" + +#: src/components/project/ProjectPortalEditor.tsx:466 +msgid "Spanish" +msgstr "Spanish" + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:29 +#~ msgid "Speaker" +#~ msgstr "Speaker" + +#: src/components/project/ProjectPortalEditor.tsx:124 +msgid "Specific Context" +msgstr "Specific Context" + +#: src/components/chat/ChatModeSelector.tsx:242 +#: src/components/chat/ChatModeBanner.tsx:37 +msgid "Specific Details" +msgstr "Specific Details" + +#: src/components/chat/ChatAccordion.tsx:58 +msgid "Specific Details - Selected conversations" +msgstr "Specific Details - Selected conversations" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:125 +msgid "participant.button.start.new.conversation.text.mode" +msgstr "Start New Conversation" + +#. js-lingui-explicit-id +#: src/components/participant/ConversationErrorView.tsx:59 +msgid "participant.button.start.new.conversation" +msgstr "Start New Conversation" + +#: src/routes/participant/ParticipantConversation.tsx:310 +#: src/routes/participant/ParticipantConversation.tsx:708 +#~ msgid "Start New Conversation" +#~ msgstr "Start New Conversation" + +#: src/components/settings/TwoFactorSettingsCard.tsx:259 +msgid "Start over" +msgstr "Start over" + +#: src/routes/participant/ParticipantConversation.tsx:1018 +#~ msgid "Start Recording" +#~ msgstr "Start Recording" + +#: src/components/report/ConversationStatusTable.tsx:61 +msgid "Status" +msgstr "Status" + +#: src/routes/project/chat/ProjectChatRoute.tsx:570 +msgid "Stop" +msgstr "Stop" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:492 +msgid "participant.button.stop" +msgstr "Stop" + +#: src/components/chat/templates.ts:74 +msgid "Strategic Planning" +msgstr "Strategic Planning" + +#: src/routes/auth/RequestPasswordReset.tsx:41 +msgid "Submit" +msgstr "Submit" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:220 +msgid "participant.button.submit.text.mode" +msgstr "Submit" + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:289 +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:379 +#~ msgid "Submitted via text input" +#~ msgstr "Submitted via text input" + +#: src/components/dropzone/UploadConversationDropzone.tsx:791 +msgid "Success" +msgstr "Success" + +#: src/components/library/LibraryTemplatesMenu.tsx:33 +#: src/components/chat/ChatTemplatesMenu.tsx:115 +msgid "Suggested:" +msgstr "Suggested:" + +#: src/components/chat/templates.ts:26 +msgid "Summarize" +msgstr "Summarize" + +#: src/components/chat/ChatModeSelector.tsx:45 +msgid "Summarize key insights from my interviews" +msgstr "Summarize key insights from my interviews" + +#: src/components/chat/ChatModeSelector.tsx:50 +msgid "Summarize this interview into a shareable article" +msgstr "Summarize this interview into a shareable article" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:125 +msgid "Summary" +msgstr "Summary" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:90 +msgid "Summary generated successfully." +msgstr "Summary generated successfully." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:78 +#~ msgid "Summary not available yet" +#~ msgstr "Summary not available yet" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:89 +msgid "Summary regenerated successfully." +msgstr "Summary regenerated successfully." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:174 +msgid "Summary will be available once the conversation is transcribed" +msgstr "Summary will be available once the conversation is transcribed" + +#: src/components/dropzone/UploadConversationDropzone.tsx:562 +msgid "Supported formats: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS" +msgstr "Supported formats: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS" + +#. js-lingui-explicit-id +#: src/components/participant/StopRecordingConfirmationModal.tsx:73 +msgid "participant.link.switch.text" +msgstr "Switch to text input" + +#: src/components/settings/AuditLogsCard.tsx:88 +msgid "System" +msgstr "System" + +#: src/components/project/ProjectTagsInput.tsx:238 +#: src/components/participant/ParticipantInitiateForm.tsx:107 +#: src/components/conversation/ConversationEdit.tsx:178 +#: src/components/conversation/ConversationAccordion.tsx:1067 +#: src/components/conversation/ConversationAccordion.tsx:1070 +msgid "Tags" +msgstr "Tags" + +#: src/components/participant/ParticipantConversationAudio.tsx:252 +msgid "Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation." +msgstr "Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation." + +#: src/components/participant/ParticipantConversationAudio.tsx:255 +msgid "Take some time to create an outcome that makes your contribution concrete." +msgstr "Take some time to create an outcome that makes your contribution concrete." + +#. js-lingui-explicit-id +#: src/components/participant/refine/RefineSelection.tsx:77 +msgid "participant.refine.make.concrete.description" +msgstr "Take some time to create an outcome that makes your contribution concrete." + +#: src/routes/project/chat/ProjectChatRoute.tsx:406 +msgid "Template applied" +msgstr "Template applied" + +#: src/components/chat/TemplatesModal.tsx:50 +msgid "Templates" +msgstr "Templates" + +#: src/components/conversation/ConversationAccordion.tsx:410 +msgid "Text" +msgstr "Text" + +#: src/routes/participant/ParticipantPostConversation.tsx:129 +msgid "Thank you for participating!" +msgstr "Thank you for participating!" + +#: src/components/project/ProjectPortalEditor.tsx:47 +#~ msgid "Thank You Page" +#~ msgstr "Thank You Page" + +#: src/components/project/ProjectPortalEditor.tsx:1020 +msgid "Thank You Page Content" +msgstr "Thank You Page Content" + +#: src/routes/participant/ParticipantPostConversation.tsx:245 +msgid "Thank you! We'll notify you when the report is ready." +msgstr "Thank you! We'll notify you when the report is ready." + +#: src/routes/auth/Login.tsx:141 +msgid "That code didn't work. Try again with a fresh code from your authenticator app." +msgstr "That code didn't work. Try again with a fresh code from your authenticator app." + +#: src/components/settings/TwoFactorSettingsCard.tsx:279 +#: src/components/settings/TwoFactorSettingsCard.tsx:290 +#: src/components/settings/hooks/index.ts:54 +#: src/components/settings/hooks/index.ts:77 +msgid "The code didn't work, please try again." +msgstr "The code didn't work, please try again." + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:101 +msgid "participant.conversation.error.loading.text.mode" +msgstr "The conversation could not be loaded. Please try again or contact support." + +#. js-lingui-explicit-id +#: src/components/participant/ConversationErrorView.tsx:36 +msgid "participant.conversation.error.loading" +msgstr "The conversation could not be loaded. Please try again or contact support." + +#: src/routes/participant/ParticipantConversation.tsx:287 +#: src/routes/participant/ParticipantConversation.tsx:686 +#~ msgid "The conversation could not be loaded. Please try again or contact support." +#~ msgstr "The conversation could not be loaded. Please try again or contact support." + +#: src/components/chat/Sources.tsx:22 +msgid "The following conversations were automatically added to the context" +msgstr "The following conversations were automatically added to the context" + +#: src/components/project/ProjectPortalEditor.tsx:191 +#~ msgid "The Portal is the website that loads when participants scan the QR code." +#~ msgstr "The Portal is the website that loads when participants scan the QR code." + +#: src/routes/project/conversation/ProjectConversationAnalysis.tsx:131 +#~ msgid "the project library." +#~ msgstr "the project library." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:94 +msgid "The summary is being generated. Please wait for it to be available." +msgstr "The summary is being generated. Please wait for it to be available." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:93 +msgid "The summary is being regenerated. Please wait for it to be available." +msgstr "The summary is being regenerated. Please wait for it to be available." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:65 +#~ msgid "The summary is being regenerated. Please wait for the new summary to be available." +#~ msgstr "The summary is being regenerated. Please wait for the new summary to be available." + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:43 +#~ msgid "The summary is being regenerated. Please wait upto 2 minutes for the new summary to be available." +#~ msgstr "The summary is being regenerated. Please wait upto 2 minutes for the new summary to be available." + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:319 +#~ msgid "The transcript for this conversation is being processed. Please check back later." +#~ msgstr "The transcript for this conversation is being processed. Please check back later." + +#: src/components/settings/FontSettingsCard.tsx:70 +msgid "Theme" +msgstr "Theme" + +#: src/components/project/ProjectDangerZone.tsx:121 +msgid "There was an error cloning your project. Please try again or contact support." +msgstr "There was an error cloning your project. Please try again or contact support." + +#: src/components/report/CreateReportForm.tsx:65 +msgid "There was an error creating your report. Please try again or contact support." +msgstr "There was an error creating your report. Please try again or contact support." + +#: src/routes/project/report/ProjectReportRoute.tsx:157 +msgid "There was an error generating your report. In the meantime, you can analyze all your data using the library or select specific conversations to chat with." +msgstr "There was an error generating your report. In the meantime, you can analyze all your data using the library or select specific conversations to chat with." + +#: src/components/report/UpdateReportModalButton.tsx:81 +msgid "There was an error updating your report. Please try again or contact support." +msgstr "There was an error updating your report. Please try again or contact support." + +#: src/routes/auth/VerifyEmail.tsx:60 +msgid "There was an error verifying your email. Please try again." +msgstr "There was an error verifying your email. Please try again." + +#: src/components/chat/ChatTemplatesMenu.tsx:112 +#~ msgid "These are some helpful preset templates to get you started." +#~ msgstr "These are some helpful preset templates to get you started." + +#: src/components/view/DummyViews.tsx:8 +#~ msgid "These are your default view templates. Once you create your library these will be your first two views." +#~ msgstr "These are your default view templates. Once you create your library these will be your first two views." + +#: src/components/view/DummyViews.tsx:8 +msgid "These default view templates will be generated when you create your first library." +msgstr "These default view templates will be generated when you create your first library." + +#: src/components/participant/ParticipantEchoMessages.tsx:42 +msgid "Thinking..." +msgstr "Thinking..." + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationLink.tsx:54 +msgid "conversation.linked_conversations.description" +msgstr "This conversation has the following copies:" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationLink.tsx:36 +msgid "conversation.linking_conversations.description" +msgstr "This conversation is a copy of" + +#: src/components/conversation/ConversationAccordion.tsx:398 +#~ msgid "This conversation is still being processed. It will be available for analysis and chat shortly." +#~ msgstr "This conversation is still being processed. It will be available for analysis and chat shortly." + +#: src/components/conversation/ConversationAccordion.tsx:412 +#~ msgid "This conversation is still being processed. It will be available for analysis and chat shortly. " +#~ msgstr "This conversation is still being processed. It will be available for analysis and chat shortly. " + +#: src/routes/participant/ParticipantPostConversation.tsx:94 +msgid "This email is already in the list." +msgstr "This email is already in the list." + +#: src/routes/participant/ParticipantPostConversation.tsx:124 +#~ msgid "This email is already subscribed to notifications." +#~ msgstr "This email is already subscribed to notifications." + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:341 +msgid "participant.modal.refine.info.available.in" +msgstr "This feature will be available in {remainingTime} seconds." + +#: src/components/project/ProjectPortalEditor.tsx:1136 +msgid "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." +msgstr "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:209 +msgid "library.description" +msgstr "This is your project library. Create views to analyse your entire project at once." + +#: src/routes/project/library/ProjectLibrary.tsx:312 +#~ msgid "This is your project library. Currently, {0} conversations are waiting to be processed." +#~ msgstr "This is your project library. Currently, {0} conversations are waiting to be processed." + +#: src/routes/project/library/ProjectLibrary.tsx:182 +#~ msgid "This is your project library. Currently,{0} conversations are waiting to be processed." +#~ msgstr "This is your project library. Currently,{0} conversations are waiting to be processed." + +#: src/components/project/ProjectPortalEditor.tsx:265 +#~ msgid "This language will be used for the Participant's Portal and transcription." +#~ msgstr "This language will be used for the Participant's Portal and transcription." + +#: src/components/project/ProjectPortalEditor.tsx:208 +#~ msgid "This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header." +#~ msgstr "This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header." + +#: src/components/project/ProjectBasicEdit.tsx:93 +#~ msgid "This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead." +#~ msgstr "This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead." + +#: src/components/project/ProjectPortalEditor.tsx:461 +msgid "This language will be used for the Participant's Portal." +msgstr "This language will be used for the Participant's Portal." + +#: src/components/project/ProjectPortalEditor.tsx:1030 +msgid "This page is shown after the participant has completed the conversation." +msgstr "This page is shown after the participant has completed the conversation." + +#: src/components/project/ProjectPortalEditor.tsx:1000 +msgid "This page is shown to participants when they start a conversation after they successfully complete the tutorial." +msgstr "This page is shown to participants when they start a conversation after they successfully complete the tutorial." + +#: src/components/project/ProjectAnalysisRunStatus.tsx:73 +#~ msgid "This project library was generated on" +#~ msgstr "This project library was generated on" + +#: src/components/project/ProjectAnalysisRunStatus.tsx:106 +#~ msgid "This project library was generated on {0}." +#~ msgstr "This project library was generated on {0}." + +#: src/components/project/ProjectPortalEditor.tsx:741 +msgid "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." +msgstr "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." + +#: src/routes/participant/ParticipantReport.tsx:56 +msgid "This report is not yet available. " +msgstr "This report is not yet available. " + +#. placeholder {0}: views?.total ?? 0 +#: src/routes/project/report/ProjectReportRoute.tsx:90 +msgid "This report was opened by {0} people" +msgstr "This report was opened by {0} people" + +#: src/routes/project/conversation/ProjectConversationOverview.tsx:43 +#~ msgid "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." +#~ msgstr "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." + +#: src/components/project/ProjectPortalEditor.tsx:978 +msgid "This title is shown to participants when they start a conversation" +msgstr "This title is shown to participants when they start a conversation" + +#: src/components/view/CreateViewForm.tsx:78 +msgid "This will clear your current input. Are you sure?" +msgstr "This will clear your current input. Are you sure?" + +#: src/components/project/ProjectDangerZone.tsx:101 +msgid "This will create a copy of the current project. Only settings and tags are copied. Reports, chats and conversations are not included in the clone. You will be redirected to the new project after cloning." +msgstr "This will create a copy of the current project. Only settings and tags are copied. Reports, chats and conversations are not included in the clone. You will be redirected to the new project after cloning." + +#: src/components/conversation/RetranscribeConversation.tsx:129 +msgid "This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged." +msgstr "This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefact.tsx:308 +msgid "participant.concrete.regenerating.artefact.description" +msgstr "This will just take a few moments" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactLoading.tsx:18 +msgid "participant.concrete.loading.artefact.description" +msgstr "This will just take a moment" + +#: src/components/conversation/RetranscribeConversation.tsx:144 +msgid "This will replace personally identifiable information with ." +msgstr "This will replace personally identifiable information with ." + +#: src/routes/project/library/ProjectLibrary.tsx:298 +#~ msgid "Time Created" +#~ msgstr "Time Created" + +#: src/components/settings/AuditLogsCard.tsx:265 +msgid "Timestamp" +msgstr "Timestamp" + +#: src/components/participant/ParticipantBody.tsx:143 +msgid "Tip" +msgstr "Tip" + +#: src/components/project/ProjectBasicEdit.tsx:80 +#~ msgid "Title" +#~ msgstr "Title" + +#: src/components/conversation/ConversationEdit.tsx:200 +msgid "To assign a new tag, please create it first in the project overview." +msgstr "To assign a new tag, please create it first in the project overview." + +#: src/components/report/CreateReportForm.tsx:91 +msgid "To generate a report, please start by adding conversations in your project" +msgstr "To generate a report, please start by adding conversations in your project" + +#: src/components/view/CreateViewForm.tsx:123 +msgid "Topics" +msgstr "Topics" + +#: src/components/report/CreateReportForm.tsx:102 +#~ msgid "total" +#~ msgstr "total" + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:71 +msgid "Transcribing..." +msgstr "Transcribing..." + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:83 +#: src/components/layout/ProjectConversationLayout.tsx:47 +msgid "Transcript" +msgstr "Transcript" + +#: src/components/conversation/CopyConversationTranscript.tsx:27 +msgid "Transcript copied to clipboard" +msgstr "Transcript copied to clipboard" + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:217 +#~ msgid "Transcript not available" +#~ msgstr "Transcript not available" + +#: src/components/project/ProjectTranscriptSettings.tsx:95 +#~ msgid "Transcript Settings" +#~ msgstr "Transcript Settings" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:734 +#~ msgid "Transcription in progress..." +#~ msgstr "Transcription in progress..." + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:219 +#~ msgid "Transcription in progress…" +#~ msgstr "Transcription in progress…" + +#: src/components/chat/ChatTemplatesMenu.tsx:70 +#~ msgid "" +#~ "Transform these transcripts into a LinkedIn post that cuts through the noise. Please:\n" +#~ "\n" +#~ "Extract the most compelling insights - skip anything that sounds like standard business advice\n" +#~ "Write it like a seasoned leader who challenges conventional wisdom, not a motivational poster\n" +#~ "Find one genuinely unexpected observation that would make even experienced professionals pause\n" +#~ "Maintain intellectual depth while being refreshingly direct\n" +#~ "Only use data points that actually challenge assumptions\n" +#~ "Keep formatting clean and professional (minimal emojis, thoughtful spacing)\n" +#~ "Strike a tone that suggests both deep expertise and real-world experience\n" +#~ "\n" +#~ "Note: If the content doesn't contain any substantive insights, please let me know we need stronger source material. I'm looking to contribute real value to the conversation, not add to the noise." +#~ msgstr "" +#~ "Transform these transcripts into a LinkedIn post that cuts through the noise. Please:\n" +#~ "\n" +#~ "Extract the most compelling insights - skip anything that sounds like standard business advice\n" +#~ "Write it like a seasoned leader who challenges conventional wisdom, not a motivational poster\n" +#~ "Find one genuinely unexpected observation that would make even experienced professionals pause\n" +#~ "Maintain intellectual depth while being refreshingly direct\n" +#~ "Only use data points that actually challenge assumptions\n" +#~ "Keep formatting clean and professional (minimal emojis, thoughtful spacing)\n" +#~ "Strike a tone that suggests both deep expertise and real-world experience\n" +#~ "\n" +#~ "Note: If the content doesn't contain any substantive insights, please let me know we need stronger source material. I'm looking to contribute real value to the conversation, not add to the noise." + +#: src/components/chat/templates.ts:13 +msgid "" +"Transform this content into insights that actually matter. Please:\n" +"\n" +"Extract core ideas that challenge standard thinking\n" +"Write like someone who understands nuance, not a textbook\n" +"Focus on the non-obvious implications\n" +"Keep it sharp and substantive\n" +"Only highlight truly meaningful patterns\n" +"Structure for clarity and impact\n" +"Balance depth with accessibility\n" +"\n" +"Note: If the similarities/differences are too superficial, let me know we need more complex material to analyze." +msgstr "" +"Transform this content into insights that actually matter. Please:\n" +"\n" +"Extract core ideas that challenge standard thinking\n" +"Write like someone who understands nuance, not a textbook\n" +"Focus on the non-obvious implications\n" +"Keep it sharp and substantive\n" +"Only highlight truly meaningful patterns\n" +"Structure for clarity and impact\n" +"Balance depth with accessibility\n" +"\n" +"Note: If the similarities/differences are too superficial, let me know we need more complex material to analyze." + +#: src/components/chat/templates.ts:45 +msgid "" +"Transform this discussion into actionable intelligence. Please:\n" +"\n" +"Capture the strategic implications, not just talking points\n" +"Structure it like a thought leader's analysis, not minutes\n" +"Highlight decision points that challenge standard thinking\n" +"Keep the signal-to-noise ratio high\n" +"Focus on insights that drive real change\n" +"Organize for clarity and future reference\n" +"Balance tactical details with strategic vision\n" +"\n" +"Note: If the discussion lacks substantial decision points or insights, flag it for deeper exploration next time." +msgstr "" +"Transform this discussion into actionable intelligence. Please:\n" +"\n" +"Capture the strategic implications, not just talking points\n" +"Structure it like a thought leader's analysis, not minutes\n" +"Highlight decision points that challenge standard thinking\n" +"Keep the signal-to-noise ratio high\n" +"Focus on insights that drive real change\n" +"Organize for clarity and future reference\n" +"Balance tactical details with strategic vision\n" +"\n" +"Note: If the discussion lacks substantial decision points or insights, flag it for deeper exploration next time." + +#: src/components/announcement/AnnouncementErrorState.tsx:34 +msgid "Try Again" +msgstr "Try Again" + +#: src/components/chat/ChatModeSelector.tsx:161 +msgid "Try asking" +msgstr "Try asking" + +#: src/components/participant/hooks/useConversationIssueBanner.ts:24 +msgid "Try moving a bit closer to your microphone for better sound quality." +msgstr "Try moving a bit closer to your microphone for better sound quality." + +#: src/components/settings/TwoFactorSettingsCard.tsx:304 +msgid "Two-factor authentication" +msgstr "Two-factor authentication" + +#: src/components/settings/hooks/index.ts:86 +msgid "Two-factor authentication disabled" +msgstr "Two-factor authentication disabled" + +#: src/components/settings/hooks/index.ts:63 +msgid "Two-factor authentication enabled" +msgstr "Two-factor authentication enabled" + +#: src/components/settings/AuditLogsCard.tsx:190 +msgid "Type" +msgstr "Type" + +#: src/routes/project/chat/ProjectChatRoute.tsx:693 +msgid "Type a message..." +msgstr "Type a message..." + +#: src/components/participant/ParticipantConversationText.tsx:207 +msgid "Type your response here" +msgstr "Type your response here" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyArtefactError.tsx:19 +msgid "participant.concrete.artefact.error.title" +msgstr "Unable to Load Artefact" + +#: src/components/settings/AuditLogsCard.tsx:511 +msgid "Unable to load audit logs." +msgstr "Unable to load audit logs." + +#: src/components/participant/verify/VerifyArtefact.tsx:89 +msgid "Unable to load the generated artefact. Please try again." +msgstr "Unable to load the generated artefact. Please try again." + +#: src/components/conversation/ConversationChunkAudioTranscript.tsx:69 +msgid "Unable to process this chunk" +msgstr "Unable to process this chunk" + +#: src/routes/project/chat/ProjectChatRoute.tsx:408 +msgid "Undo" +msgstr "Undo" + +#: src/components/settings/AuditLogsCard.tsx:280 +msgid "Unknown" +msgstr "Unknown" + +#: src/components/announcement/AnnouncementDrawerHeader.tsx:39 +msgid "unread announcement" +msgstr "unread announcement" + +#: src/components/announcement/AnnouncementDrawerHeader.tsx:40 +msgid "unread announcements" +msgstr "unread announcements" + +#: src/components/form/FormLabel.tsx:18 +msgid "Unsaved changes" +msgstr "Unsaved changes" + +#: src/routes/project/unsubscribe/ProjectUnsubscribe.tsx:77 +msgid "Unsubscribe" +msgstr "Unsubscribe" + +#: src/components/chat/References.tsx:46 +msgid "Untitled Conversation" +msgstr "Untitled Conversation" + +#: src/components/report/UpdateReportModalButton.tsx:64 +msgid "Update" +msgstr "Update" + +#: src/components/report/UpdateReportModalButton.tsx:68 +#: src/components/report/UpdateReportModalButton.tsx:115 +msgid "Update Report" +msgstr "Update Report" + +#: src/components/report/UpdateReportModalButton.tsx:62 +msgid "Update the report to include the latest data" +msgstr "Update the report to include the latest data" + +#: src/components/report/UpdateReportModalButton.tsx:89 +msgid "Update your report to include the latest changes in your project. The link to share the report would remain the same." +msgstr "Update your report to include the latest changes in your project. The link to share the report would remain the same." + +#: src/components/conversation/AutoSelectConversations.tsx:106 +msgid "Upgrade" +msgstr "Upgrade" + +#: src/components/conversation/AutoSelectConversations.tsx:157 +msgid "Upgrade to unlock Auto-select and analyze 10x more conversations in half the time—no more manual selection, just deeper insights instantly." +msgstr "Upgrade to unlock Auto-select and analyze 10x more conversations in half the time—no more manual selection, just deeper insights instantly." + +#: src/components/project/ProjectUploadSection.tsx:15 +#: src/components/dropzone/UploadConversationDropzone.tsx:504 +#: src/components/conversation/ConversationAccordion.tsx:404 +msgid "Upload" +msgstr "Upload" + +#: src/components/dropzone/UploadConversationDropzone.tsx:504 +#~ msgid "Upload Audio" +#~ msgstr "Upload Audio" + +#: src/components/dropzone/UploadConversationDropzone.tsx:517 +msgid "Upload Complete" +msgstr "Upload Complete" + +#: src/components/dropzone/UploadConversationDropzone.tsx:498 +msgid "Upload conversations" +msgstr "Upload conversations" + +#: src/components/dropzone/UploadConversationDropzone.tsx:334 +msgid "Upload failed. Please try again." +msgstr "Upload failed. Please try again." + +#: src/components/dropzone/UploadConversationDropzone.tsx:694 +msgid "Upload Files" +msgstr "Upload Files" + +#: src/routes/participant/ParticipantConversation.tsx:774 +#~ msgid "Upload in progress" +#~ msgstr "Upload in progress" + +#: src/components/resource/ResourceAccordion.tsx:23 +#~ msgid "Upload resources" +#~ msgstr "Upload resources" + +#: src/components/conversation/ConversationAccordion.tsx:393 +#~ msgid "Uploaded" +#~ msgstr "Uploaded" + +#: src/components/dropzone/UploadConversationDropzone.tsx:518 +msgid "Uploading Audio Files..." +msgstr "Uploading Audio Files..." + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:628 +#~ msgid "Use experimental features" +#~ msgstr "Use experimental features" + +#: src/components/conversation/RetranscribeConversation.tsx:143 +msgid "Use PII Redaction" +msgstr "Use PII Redaction" + +#: src/routes/project/chat/ProjectChatRoute.tsx:715 +#: src/routes/project/chat/ProjectChatRoute.tsx:745 +msgid "Use Shift + Enter to add a new line" +msgstr "Use Shift + Enter to add a new line" + +#: src/components/project/ProjectPortalEditor.tsx:753 +#~ msgid "Verification Topics" +#~ msgstr "Verification Topics" + +#: src/components/participant/verify/VerifyArtefact.tsx:94 +#~ msgid "verified" +#~ msgstr "verified" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationAccordion.tsx:1176 +msgid "conversation.filters.verified.text" +msgstr "Verified" + +#: src/components/conversation/VerifiedArtefactsSection.tsx:65 +#~ msgid "verified artefact" +#~ msgstr "verified artefact" + +#: src/components/conversation/VerifiedArtefactsSection.tsx:60 +#~ msgid "Verified Artefacts" +#~ msgstr "Verified Artefacts" + +#: src/components/conversation/ConversationAccordion.tsx:555 +msgid "verified artifacts" +msgstr "verified artifacts" + +#: src/routes/auth/Login.tsx:277 +msgid "Verify code" +msgstr "Verify code" + +#: src/routes/project/library/ProjectLibraryView.tsx:36 +#: src/routes/project/library/ProjectLibraryAspect.tsx:47 +#: src/components/view/View.tsx:62 +#: src/components/report/ConversationStatusTable.tsx:94 +msgid "View" +msgstr "View" + +#: src/components/report/CreateReportForm.tsx:206 +#~ msgid "View conversation details" +#~ msgstr "View conversation details" + +#: src/routes/project/ProjectRoutes.tsx:79 +#~ msgid "View Conversation Status" +#~ msgstr "View Conversation Status" + +#: src/components/project/ProjectConversationStatusSection.tsx:27 +msgid "View Details" +msgstr "View Details" + +#: src/components/participant/ParticipantBody.tsx:229 +msgid "View your responses" +msgstr "View your responses" + +#: src/routes/participant/ParticipantConversation.tsx:969 +#~ msgid "Wait {0}:{1}" +#~ msgstr "Wait {0}:{1}" + +#: src/components/chat/TemplatesModal.tsx:118 +msgid "Want to add a template to \"Dembrane\"?" +msgstr "Want to add a template to \"Dembrane\"?" + +#: src/components/chat/TemplatesModal.tsx:118 +#~ msgid "Want to add a template to ECHO?" +#~ msgstr "Want to add a template to ECHO?" + +#: src/components/dropzone/UploadConversationDropzone.tsx:540 +#~ msgid "Warning" +#~ msgstr "Warning" + +#: src/components/project/ProjectPortalEditor.tsx:150 +#~ msgid "Warning: You have added {0} key terms. Only the first {ASSEMBLYAI_MAX_HOTWORDS} will be used by the transcription engine." +#~ msgstr "Warning: You have added {0} key terms. Only the first {ASSEMBLYAI_MAX_HOTWORDS} will be used by the transcription engine." + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:366 +msgid "participant.alert.microphone.access.issue" +msgstr "We cannot hear you. Please try changing your microphone or get a little closer to the device." + +#: src/components/participant/MicrophoneTest.tsx:310 +#~ msgid "We cannot hear you. Please try changing your microphone or get a little closer to the device." +#~ msgstr "We cannot hear you. Please try changing your microphone or get a little closer to the device." + +#: src/components/settings/TwoFactorSettingsCard.tsx:286 +msgid "We couldn’t disable two-factor authentication. Try again with a fresh code." +msgstr "We couldn’t disable two-factor authentication. Try again with a fresh code." + +#: src/components/settings/TwoFactorSettingsCard.tsx:275 +msgid "We couldn’t enable two-factor authentication. Double-check your code and try again." +msgstr "We couldn’t enable two-factor authentication. Double-check your code and try again." + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:561 +#~ msgid "We couldn't load the audio. Please try again later." +#~ msgstr "We couldn't load the audio. Please try again later." + +#: src/routes/auth/CheckYourEmail.tsx:14 +#~ msgid "We have sent you an email with next steps. If you don't see it, check your spam folder." +#~ msgstr "We have sent you an email with next steps. If you don't see it, check your spam folder." + +#: src/routes/auth/CheckYourEmail.tsx:14 +msgid "We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact evelien@dembrane.com" +msgstr "We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact evelien@dembrane.com" + +#: src/routes/auth/CheckYourEmail.tsx:14 +#~ msgid "We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact jules@dembrane.com" +#~ msgstr "We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact jules@dembrane.com" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationAudio.tsx:294 +msgid "participant.modal.refine.info.reason" +msgstr "We need a bit more context to help you refine effectively. Please continue recording so we can provide better suggestions." + +#: src/routes/participant/ParticipantPostConversation.tsx:252 +msgid "We will only send you a message if your host generates a report, we never share your details with anyone. You can opt out at any time." +msgstr "We will only send you a message if your host generates a report, we never share your details with anyone. You can opt out at any time." + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:291 +msgid "participant.test.microphone.description" +msgstr "We'll test your microphone to ensure the best experience for everyone in the session." + +#: src/components/participant/MicrophoneTest.tsx:250 +#~ msgid "We'll test your microphone to ensure the best experience for everyone in the session." +#~ msgstr "We'll test your microphone to ensure the best experience for everyone in the session." + +#: src/components/participant/hooks/useConversationIssueBanner.ts:10 +msgid "We’re picking up some silence. Try speaking up so your voice comes through clearly." +msgstr "We’re picking up some silence. Try speaking up so your voice comes through clearly." + +#: src/components/participant/ParticipantBody.tsx:124 +msgid "Welcome" +msgstr "Welcome" + +#: src/routes/auth/Login.tsx:108 +msgid "Welcome back" +msgstr "Welcome back" + +#: src/routes/project/chat/ProjectChatRoute.tsx:503 +#~ msgid "Welcome to Big Picture Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Details mode." +#~ msgstr "Welcome to Big Picture Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Details mode." + +#: src/routes/project/chat/ProjectChatRoute.tsx:506 +msgid "Welcome to Dembrane Chat! Use the sidebar to select resources and conversations that you want to analyse. Then, you can ask questions about the selected resources and conversations." +msgstr "Welcome to Dembrane Chat! Use the sidebar to select resources and conversations that you want to analyse. Then, you can ask questions about the selected resources and conversations." + +#: src/components/common/DembraneLoadingSpinner/index.tsx:23 +msgid "Welcome to Dembrane!" +msgstr "Welcome to Dembrane!" + +#: src/routes/project/chat/ProjectChatRoute.tsx:503 +#~ msgid "Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Deep Dive mode." +#~ msgstr "Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Deep Dive mode." + +#: src/routes/project/chat/ProjectChatRoute.tsx:505 +msgid "Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Context mode." +msgstr "Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Context mode." + +#: src/components/report/CreateReportForm.tsx:79 +msgid "Welcome to Reports!" +msgstr "Welcome to Reports!" + +#: src/routes/project/ProjectsHome.tsx:152 +msgid "Welcome to Your Home! Here you can see all your projects and get access to tutorial resources. Currently, you have no projects. Click \"Create\" to configure to get started!" +msgstr "Welcome to Your Home! Here you can see all your projects and get access to tutorial resources. Currently, you have no projects. Click \"Create\" to configure to get started!" + +#: src/routes/auth/Login.tsx:191 +msgid "Welcome!" +msgstr "Welcome!" + +#: src/components/chat/ChatModeSelector.tsx:44 +msgid "What are the main themes across all conversations?" +msgstr "What are the main themes across all conversations?" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifySelection.tsx:195 +msgid "participant.concrete.selection.title" +msgstr "What do you want to make concrete?" + +#: src/components/chat/ChatModeSelector.tsx:46 +msgid "What patterns emerge from the data?" +msgstr "What patterns emerge from the data?" + +#: src/components/chat/ChatModeSelector.tsx:52 +msgid "What were the key moments in this conversation?" +msgstr "What were the key moments in this conversation?" + +#: src/components/chat/ChatModeSelector.tsx:231 +msgid "What would you like to explore?" +msgstr "What would you like to explore?" + +#: src/components/report/CreateReportForm.tsx:120 +msgid "will be included in your report" +msgstr "will be included in your report" + +#. js-lingui-explicit-id +#: src/components/participant/ParticipantConversationText.tsx:177 +msgid "participant.button.finish.yes.text.mode" +msgstr "Yes" + +#: src/components/chat/BaseMessage.tsx:40 +msgid "You" +msgstr "You" + +#: src/routes/project/unsubscribe/ProjectUnsubscribe.tsx:81 +msgid "You are already unsubscribed or your link is invalid." +msgstr "You are already unsubscribed or your link is invalid." + +#. placeholder {0}: MAX_FILES - selectedFiles.length +#: src/components/dropzone/UploadConversationDropzone.tsx:399 +msgid "You can only upload up to {MAX_FILES} files at a time. Only the first {0} files will be added." +msgstr "You can only upload up to {MAX_FILES} files at a time. Only the first {0} files will be added." + +#: src/components/report/CreateReportForm.tsx:194 +#~ msgid "You can still use the Ask feature to chat with any conversation" +#~ msgstr "You can still use the Ask feature to chat with any conversation" + +#. js-lingui-explicit-id +#: src/components/participant/MicrophoneTest.tsx:391 +msgid "participant.modal.change.mic.confirmation.text" +msgstr "You have changed the mic. Doing this will save your audio till this point and restart your recording." + +#: src/components/project/ProjectAnalysisRunStatus.tsx:101 +#~ msgid "You have some conversations that have not been processed yet. Regenerate the library to process them." +#~ msgstr "You have some conversations that have not been processed yet. Regenerate the library to process them." + +#: src/routes/project/unsubscribe/ProjectUnsubscribe.tsx:64 +msgid "You have successfully unsubscribed." +msgstr "You have successfully unsubscribed." + +#: src/routes/participant/ParticipantPostConversation.tsx:136 +msgid "You may also choose to record another conversation." +msgstr "You may also choose to record another conversation." + +#: src/components/project/ProjectTranscriptSettings.tsx:18 +#~ msgid "You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts." +#~ msgstr "You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts." + +#: src/routes/auth/Login.tsx:172 +msgid "You must login with the same provider you used to sign up. If you face any issues, please contact support." +msgstr "You must login with the same provider you used to sign up. If you face any issues, please contact support." + +#: src/components/participant/ParticipantBody.tsx:142 +msgid "You seem to be offline, please check your internet connection" +msgstr "You seem to be offline, please check your internet connection" + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:17 +msgid "participant.concrete.instructions.receive.artefact" +msgstr "You'll soon get {objectLabel} to make them concrete." + +#. js-lingui-explicit-id +#: src/components/participant/verify/VerifyInstructions.tsx:52 +msgid "participant.concrete.instructions.approval.helps" +msgstr "Your approval helps us understand what you really think!" + +#: src/routes/project/conversation/ProjectConversationTranscript.tsx:735 +#~ msgid "Your conversation is currently being transcribed. Please check back in a few moments." +#~ msgstr "Your conversation is currently being transcribed. Please check back in a few moments." + +#: src/components/report/CreateReportForm.tsx:99 +#~ msgid "Your Conversations" +#~ msgstr "Your Conversations" + +#: src/components/form/SaveStatus.tsx:55 +msgid "Your inputs will be saved automatically." +msgstr "Your inputs will be saved automatically." + +#: src/routes/project/library/ProjectLibrary.tsx:272 +#~ msgid "Your library is empty. Create a library to see your first insights." +#~ msgstr "Your library is empty. Create a library to see your first insights." + +#: src/routes/participant/ParticipantPostConversation.tsx:133 +msgid "Your response has been recorded. You may now close this tab." +msgstr "Your response has been recorded. You may now close this tab." + +#: src/components/participant/ParticipantBody.tsx:239 +msgid "Your responses" +msgstr "Your responses" + +#: src/components/view/CreateViewForm.tsx:104 +msgid "Your view has been created. Please wait as we process and analyse the data." +msgstr "Your view has been created. Please wait as we process and analyse the data." + +#. js-lingui-explicit-id +#: src/routes/project/library/ProjectLibrary.tsx:262 +msgid "library.views.title" +msgstr "Your Views" + +#: src/routes/project/library/ProjectLibrary.tsx:192 +#~ msgid "Your Views" +#~ msgstr "Your Views" diff --git a/echo/frontend/src/locales/it-IT.ts b/echo/frontend/src/locales/it-IT.ts new file mode 100644 index 00000000..9a2d01ea --- /dev/null +++ b/echo/frontend/src/locales/it-IT.ts @@ -0,0 +1 @@ +/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"You are not authenticated\"],\"You don't have permission to access this.\":[\"You don't have permission to access this.\"],\"Resource not found\":[\"Resource not found\"],\"Server error\":[\"Server error\"],\"Something went wrong\":[\"Something went wrong\"],\"We're preparing your workspace.\":[\"We're preparing your workspace.\"],\"Preparing your dashboard\":[\"Preparing your dashboard\"],\"Welcome back\":[\"Welcome back\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"Beta\"],\"participant.button.go.deeper\":[\"Go deeper\"],\"participant.button.make.concrete\":[\"Make it concrete\"],\"library.generate.duration.message\":[\" Generating library can take up to an hour.\"],\"uDvV8j\":[\" Submit\"],\"aMNEbK\":[\" Unsubscribe from Notifications\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.concrete\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refine\\\" available soon\"],\"2NWk7n\":[\"(for enhanced audio processing)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" ready\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Edited \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" selected\"],\"P1pDS8\":[[\"diffInDays\"],\"d ago\"],\"bT6AxW\":[[\"diffInHours\"],\"h ago\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Currently \",\"#\",\" conversation is ready to be analyzed.\"],\"other\":[\"Currently \",\"#\",\" conversations are ready to be analyzed.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"TVD5At\":[[\"readingNow\"],\" reading now\"],\"U7Iesw\":[[\"seconds\"],\" seconds\"],\"library.conversations.still.processing\":[[\"unfinishedConversationsCount\"],\" still processing.\"],\"ZpJ0wx\":[\"*Transcription in progress.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wait \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Account password\"],\"L5gswt\":[\"Action By\"],\"UQXw0W\":[\"Action On\"],\"7L01XJ\":[\"Actions\"],\"m16xKo\":[\"Add\"],\"1m+3Z3\":[\"Add additional context (Optional)\"],\"Se1KZw\":[\"Add all that apply\"],\"1xDwr8\":[\"Add key terms or proper nouns to improve transcript quality and accuracy.\"],\"ndpRPm\":[\"Add new recordings to this project. Files you upload here will be processed and appear in conversations.\"],\"Ralayn\":[\"Add Tag\"],\"IKoyMv\":[\"Add Tags\"],\"NffMsn\":[\"Add to this chat\"],\"Na90E+\":[\"Added emails\"],\"SJCAsQ\":[\"Adding Context:\"],\"OaKXud\":[\"Advanced (Tips and best practices)\"],\"TBpbDp\":[\"Advanced (Tips and tricks)\"],\"JiIKww\":[\"Advanced Settings\"],\"cF7bEt\":[\"All actions\"],\"O1367B\":[\"All collections\"],\"Cmt62w\":[\"All conversations ready\"],\"u/fl/S\":[\"All files were uploaded successfully.\"],\"baQJ1t\":[\"All Insights\"],\"3goDnD\":[\"Allow participants using the link to start new conversations\"],\"bruUug\":[\"Almost there\"],\"H7cfSV\":[\"Already added to this chat\"],\"jIoHDG\":[\"An email notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"G54oFr\":[\"An email Notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"8q/YVi\":[\"An error occurred while loading the Portal. Please contact the support team.\"],\"XyOToQ\":[\"An error occurred.\"],\"QX6zrA\":[\"Analysis\"],\"F4cOH1\":[\"Analysis Language\"],\"1x2m6d\":[\"Analyze these elements with depth and nuance. Please:\\n\\nFocus on unexpected connections and contrasts\\nGo beyond obvious surface-level comparisons\\nIdentify hidden patterns that most analyses miss\\nMaintain analytical rigor while being engaging\\nUse examples that illuminate deeper principles\\nStructure the analysis to build understanding\\nDraw insights that challenge conventional wisdom\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"Dzr23X\":[\"Announcements\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Approve\"],\"conversation.verified.approved\":[\"Approved\"],\"Q5Z2wp\":[\"Are you sure you want to delete this conversation? This action cannot be undone.\"],\"kWiPAC\":[\"Are you sure you want to delete this project?\"],\"YF1Re1\":[\"Are you sure you want to delete this project? This action cannot be undone.\"],\"B8ymes\":[\"Are you sure you want to delete this recording?\"],\"G2gLnJ\":[\"Are you sure you want to delete this tag?\"],\"aUsm4A\":[\"Are you sure you want to delete this tag? This will remove the tag from existing conversations that contain it.\"],\"participant.modal.finish.message.text.mode\":[\"Are you sure you want to finish the conversation?\"],\"xu5cdS\":[\"Are you sure you want to finish?\"],\"sOql0x\":[\"Are you sure you want to generate the library? This will take a while and overwrite your current views and insights.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Are you sure you want to regenerate the summary? You will lose the current summary.\"],\"JHgUuT\":[\"Artefact approved successfully!\"],\"IbpaM+\":[\"Artefact reloaded successfully!\"],\"Qcm/Tb\":[\"Artefact revised successfully!\"],\"uCzCO2\":[\"Artefact updated successfully!\"],\"KYehbE\":[\"artefacts\"],\"jrcxHy\":[\"Artefacts\"],\"F+vBv0\":[\"Ask\"],\"Rjlwvz\":[\"Ask for Name?\"],\"5gQcdD\":[\"Ask participants to provide their name when they start a conversation\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspects\"],\"kskjVK\":[\"Assistant is typing...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"At least one topic must be selected to enable Make it concrete\"],\"DMBYlw\":[\"Audio Processing In Progress\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Audio recordings are scheduled to be deleted after 30 days from the recording date\"],\"IOBCIN\":[\"Audio Tip\"],\"y2W2Hg\":[\"Audit logs\"],\"aL1eBt\":[\"Audit logs exported to CSV\"],\"mS51hl\":[\"Audit logs exported to JSON\"],\"z8CQX2\":[\"Authenticator code\"],\"/iCiQU\":[\"Auto-select\"],\"3D5FPO\":[\"Auto-select disabled\"],\"ajAMbT\":[\"Auto-select enabled\"],\"jEqKwR\":[\"Auto-select sources to add to the chat\"],\"vtUY0q\":[\"Automatically includes relevant conversations for analysis without manual selection\"],\"csDS2L\":[\"Available\"],\"participant.button.back.microphone\":[\"Back\"],\"participant.button.back\":[\"Back\"],\"iH8pgl\":[\"Back\"],\"/9nVLo\":[\"Back to Selection\"],\"wVO5q4\":[\"Basic (Essential tutorial slides)\"],\"epXTwc\":[\"Basic Settings\"],\"GML8s7\":[\"Begin!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture - Themes & patterns\"],\"YgG3yv\":[\"Brainstorm Ideas\"],\"ba5GvN\":[\"By deleting this project, you will delete all the data associated with it. This action cannot be undone. Are you ABSOLUTELY sure you want to delete this project?\"],\"dEgA5A\":[\"Cancel\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Cancel\"],\"participant.concrete.action.button.cancel\":[\"Cancel\"],\"participant.concrete.instructions.button.cancel\":[\"Cancel\"],\"RKD99R\":[\"Cannot add empty conversation\"],\"JFFJDJ\":[\"Changes are saved automatically as you continue to use the app. <0/>Once you have some unsaved changes, you can click anywhere to save the changes. <1/>You will also see a button to Cancel the changes.\"],\"u0IJto\":[\"Changes will be saved automatically\"],\"xF/jsW\":[\"Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Check microphone access\"],\"+e4Yxz\":[\"Check microphone access\"],\"v4fiSg\":[\"Check your email\"],\"pWT04I\":[\"Checking...\"],\"DakUDF\":[\"Choose your preferred theme for the interface\"],\"0ngaDi\":[\"Citing the following sources\"],\"B2pdef\":[\"Click \\\"Upload Files\\\" when you're ready to start the upload process.\"],\"BPrdpc\":[\"Clone project\"],\"9U86tL\":[\"Clone Project\"],\"yz7wBu\":[\"Close\"],\"q+hNag\":[\"Collection\"],\"Wqc3zS\":[\"Compare & Contrast\"],\"jlZul5\":[\"Compare and contrast the following items provided in the context.\"],\"bD8I7O\":[\"Complete\"],\"6jBoE4\":[\"Concrete Topics\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Confirm\"],\"yjkELF\":[\"Confirm New Password\"],\"p2/GCq\":[\"Confirm Password\"],\"puQ8+/\":[\"Confirm Publishing\"],\"L0k594\":[\"Confirm your password to generate a new secret for your authenticator app.\"],\"JhzMcO\":[\"Connecting to report services...\"],\"wX/BfX\":[\"Connection healthy\"],\"WimHuY\":[\"Connection unhealthy\"],\"DFFB2t\":[\"Contact sales\"],\"VlCTbs\":[\"Contact your sales representative to activate this feature today!\"],\"M73whl\":[\"Context\"],\"VHSco4\":[\"Context added:\"],\"participant.button.continue\":[\"Continue\"],\"xGVfLh\":[\"Continue\"],\"F1pfAy\":[\"conversation\"],\"EiHu8M\":[\"Conversation added to chat\"],\"ggJDqH\":[\"Conversation Audio\"],\"participant.conversation.ended\":[\"Conversation Ended\"],\"BsHMTb\":[\"Conversation Ended\"],\"26Wuwb\":[\"Conversation processing\"],\"OtdHFE\":[\"Conversation removed from chat\"],\"zTKMNm\":[\"Conversation Status\"],\"Rdt7Iv\":[\"Conversation Status Details\"],\"a7zH70\":[\"conversations\"],\"EnJuK0\":[\"Conversations\"],\"TQ8ecW\":[\"Conversations from QR Code\"],\"nmB3V3\":[\"Conversations from Upload\"],\"participant.refine.cooling.down\":[\"Cooling down. Available in \",[\"0\"]],\"6V3Ea3\":[\"Copied\"],\"he3ygx\":[\"Copy\"],\"y1eoq1\":[\"Copy link\"],\"Dj+aS5\":[\"Copy link to share this report\"],\"vAkFou\":[\"Copy secret\"],\"v3StFl\":[\"Copy Summary\"],\"/4gGIX\":[\"Copy to clipboard\"],\"rG2gDo\":[\"Copy transcript\"],\"OvEjsP\":[\"Copying...\"],\"hYgDIe\":[\"Create\"],\"CSQPC0\":[\"Create an Account\"],\"library.create\":[\"Create Library\"],\"O671Oh\":[\"Create Library\"],\"library.create.view.modal.title\":[\"Create new view\"],\"vY2Gfm\":[\"Create new view\"],\"bsfMt3\":[\"Create Report\"],\"library.create.view\":[\"Create View\"],\"3D0MXY\":[\"Create View\"],\"45O6zJ\":[\"Created on\"],\"8Tg/JR\":[\"Custom\"],\"o1nIYK\":[\"Custom Filename\"],\"ZQKLI1\":[\"Danger Zone\"],\"ovBPCi\":[\"Default\"],\"ucTqrC\":[\"Default - No tutorial (Only privacy statements)\"],\"project.sidebar.chat.delete\":[\"Delete\"],\"cnGeoo\":[\"Delete\"],\"2DzmAq\":[\"Delete Conversation\"],\"++iDlT\":[\"Delete Project\"],\"+m7PfT\":[\"Deleted successfully\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane is powered by AI. Please double-check responses.\"],\"67znul\":[\"Dembrane Reply\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Develop a strategic framework that drives meaningful outcomes. Please:\\n\\nIdentify core objectives and their interdependencies\\nMap out implementation pathways with realistic timelines\\nAnticipate potential obstacles and mitigation strategies\\nDefine clear metrics for success beyond vanity indicators\\nHighlight resource requirements and allocation priorities\\nStructure the plan for both immediate action and long-term vision\\nInclude decision gates and pivot points\\n\\nNote: Focus on strategies that create sustainable competitive advantages, not just incremental improvements.\"],\"qERl58\":[\"Disable 2FA\"],\"yrMawf\":[\"Disable two-factor authentication\"],\"E/QGRL\":[\"Disabled\"],\"LnL5p2\":[\"Do you want to contribute to this project?\"],\"JeOjN4\":[\"Do you want to stay in the loop?\"],\"TvY/XA\":[\"Documentation\"],\"mzI/c+\":[\"Download\"],\"5YVf7S\":[\"Download all conversation transcripts generated for this project.\"],\"5154Ap\":[\"Download All Transcripts\"],\"8fQs2Z\":[\"Download as\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Download Audio\"],\"+bBcKo\":[\"Download transcript\"],\"5XW2u5\":[\"Download Transcript Options\"],\"hUO5BY\":[\"Drag audio files here or click to select files\"],\"KIjvtr\":[\"Dutch\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo is powered by AI. Please double-check responses.\"],\"o6tfKZ\":[\"ECHO is powered by AI. Please double-check responses.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Edit Conversation\"],\"/8fAkm\":[\"Edit file name\"],\"G2KpGE\":[\"Edit Project\"],\"DdevVt\":[\"Edit Report Content\"],\"0YvCPC\":[\"Edit Resource\"],\"report.editor.description\":[\"Edit the report content using the rich text editor below. You can format text, add links, images, and more.\"],\"F6H6Lg\":[\"Editing mode\"],\"O3oNi5\":[\"Email\"],\"wwiTff\":[\"Email Verification\"],\"Ih5qq/\":[\"Email Verification | Dembrane\"],\"iF3AC2\":[\"Email verified successfully. You will be redirected to the login page in 5 seconds. If you are not redirected, please click <0>here.\"],\"g2N9MJ\":[\"email@work.com\"],\"N2S1rs\":[\"Empty\"],\"DCRKbe\":[\"Enable 2FA\"],\"ycR/52\":[\"Enable Dembrane Echo\"],\"mKGCnZ\":[\"Enable Dembrane ECHO\"],\"Dh2kHP\":[\"Enable Dembrane Reply\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Enable Go deeper\"],\"wGA7d4\":[\"Enable Make it concrete\"],\"G3dSLc\":[\"Enable Report Notifications\"],\"dashboard.dembrane.concrete.description\":[\"Enable this feature to allow participants to create and approve \\\"concrete objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with concrete objects and review them in the overview.\"],\"Idlt6y\":[\"Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed.\"],\"g2qGhy\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Echo\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"pB03mG\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"ECHO\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"dWv3hs\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Get Reply\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"rkE6uN\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Go deeper\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"329BBO\":[\"Enable two-factor authentication\"],\"RxzN1M\":[\"Enabled\"],\"IxzwiB\":[\"End of list • All \",[\"0\"],\" conversations loaded\"],\"lYGfRP\":[\"English\"],\"GboWYL\":[\"Enter a key term or proper noun\"],\"TSHJTb\":[\"Enter a name for the new conversation\"],\"KovX5R\":[\"Enter a name for your cloned project\"],\"34YqUw\":[\"Enter a valid code to turn off two-factor authentication.\"],\"2FPsPl\":[\"Enter filename (without extension)\"],\"vT+QoP\":[\"Enter new name for the chat:\"],\"oIn7d4\":[\"Enter the 6-digit code from your authenticator app.\"],\"q1OmsR\":[\"Enter the current six-digit code from your authenticator app.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Enter your password\"],\"42tLXR\":[\"Enter your query\"],\"SlfejT\":[\"Error\"],\"Ne0Dr1\":[\"Error cloning project\"],\"AEkJ6x\":[\"Error creating report\"],\"S2MVUN\":[\"Error loading announcements\"],\"xcUDac\":[\"Error loading insights\"],\"edh3aY\":[\"Error loading project\"],\"3Uoj83\":[\"Error loading quotes\"],\"z05QRC\":[\"Error updating report\"],\"hmk+3M\":[\"Error uploading \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Everything looks good – you can continue.\"],\"/PykH1\":[\"Everything looks good – you can continue.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimental\"],\"/bsogT\":[\"Explore themes & patterns across all conversations\"],\"sAod0Q\":[\"Exploring \",[\"conversationCount\"],\" conversations\"],\"GS+Mus\":[\"Export\"],\"7Bj3x9\":[\"Failed\"],\"bh2Vob\":[\"Failed to add conversation to chat\"],\"ajvYcJ\":[\"Failed to add conversation to chat\",[\"0\"]],\"9GMUFh\":[\"Failed to approve artefact. Please try again.\"],\"RBpcoc\":[\"Failed to copy chat. Please try again.\"],\"uvu6eC\":[\"Failed to copy transcript. Please try again.\"],\"BVzTya\":[\"Failed to delete response\"],\"p+a077\":[\"Failed to disable Auto Select for this chat\"],\"iS9Cfc\":[\"Failed to enable Auto Select for this chat\"],\"Gu9mXj\":[\"Failed to finish conversation. Please try again.\"],\"vx5bTP\":[\"Failed to generate \",[\"label\"],\". Please try again.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Failed to generate the summary. Please try again later.\"],\"DKxr+e\":[\"Failed to get announcements\"],\"TSt/Iq\":[\"Failed to get the latest announcement\"],\"D4Bwkb\":[\"Failed to get unread announcements count\"],\"AXRzV1\":[\"Failed to load audio or the audio is not available\"],\"T7KYJY\":[\"Failed to mark all announcements as read\"],\"eGHX/x\":[\"Failed to mark announcement as read\"],\"SVtMXb\":[\"Failed to regenerate the summary. Please try again later.\"],\"h49o9M\":[\"Failed to reload. Please try again.\"],\"kE1PiG\":[\"Failed to remove conversation from chat\"],\"+piK6h\":[\"Failed to remove conversation from chat\",[\"0\"]],\"SmP70M\":[\"Failed to retranscribe conversation. Please try again.\"],\"hhLiKu\":[\"Failed to revise artefact. Please try again.\"],\"wMEdO3\":[\"Failed to stop recording on device change. Please try again.\"],\"wH6wcG\":[\"Failed to verify email status. Please try again.\"],\"participant.modal.refine.info.title\":[\"Feature available soon\"],\"87gcCP\":[\"File \\\"\",[\"0\"],\"\\\" exceeds the maximum size of \",[\"1\"],\".\"],\"ena+qV\":[\"File \\\"\",[\"0\"],\"\\\" has an unsupported format. Only audio files are allowed.\"],\"LkIAge\":[\"File \\\"\",[\"0\"],\"\\\" is not a supported audio format. Only audio files are allowed.\"],\"RW2aSn\":[\"File \\\"\",[\"0\"],\"\\\" is too small (\",[\"1\"],\"). Minimum size is \",[\"2\"],\".\"],\"+aBwxq\":[\"File size: Min \",[\"0\"],\", Max \",[\"1\"],\", up to \",[\"MAX_FILES\"],\" files\"],\"o7J4JM\":[\"Filter\"],\"5g0xbt\":[\"Filter audit logs by action\"],\"9clinz\":[\"Filter audit logs by collection\"],\"O39Ph0\":[\"Filter by action\"],\"DiDNkt\":[\"Filter by collection\"],\"participant.button.stop.finish\":[\"Finish\"],\"participant.button.finish.text.mode\":[\"Finish\"],\"participant.button.finish\":[\"Finish\"],\"JmZ/+d\":[\"Finish\"],\"participant.modal.finish.title.text.mode\":[\"Finish Conversation\"],\"4dQFvz\":[\"Finished\"],\"kODvZJ\":[\"First Name\"],\"MKEPCY\":[\"Follow\"],\"JnPIOr\":[\"Follow playback\"],\"glx6on\":[\"Forgot your password?\"],\"nLC6tu\":[\"French\"],\"tSA0hO\":[\"Generate insights from your conversations\"],\"QqIxfi\":[\"Generate secret\"],\"tM4cbZ\":[\"Generate structured meeting notes based on the following discussion points provided in the context.\"],\"gitFA/\":[\"Generate Summary\"],\"kzY+nd\":[\"Generating the summary. Please wait...\"],\"DDcvSo\":[\"German\"],\"u9yLe/\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"participant.refine.go.deeper.description\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"TAXdgS\":[\"Give me a list of 5-10 topics that are being discussed.\"],\"CKyk7Q\":[\"Go back\"],\"participant.concrete.artefact.action.button.go.back\":[\"Go back\"],\"IL8LH3\":[\"Go deeper\"],\"participant.refine.go.deeper\":[\"Go deeper\"],\"iWpEwy\":[\"Go home\"],\"A3oCMz\":[\"Go to new conversation\"],\"5gqNQl\":[\"Grid view\"],\"ZqBGoi\":[\"Has verified artifacts\"],\"ng2Unt\":[\"Hi, \",[\"0\"]],\"D+zLDD\":[\"Hidden\"],\"G1UUQY\":[\"Hidden gem\"],\"LqWHk1\":[\"Hide \",[\"0\"]],\"u5xmYC\":[\"Hide all\"],\"txCbc+\":[\"Hide all insights\"],\"0lRdEo\":[\"Hide Conversations Without Content\"],\"eHo/Jc\":[\"Hide data\"],\"g4tIdF\":[\"Hide revision data\"],\"i0qMbr\":[\"Home\"],\"LSCWlh\":[\"How would you describe to a colleague what are you trying to accomplish with this project?\\n* What is the north star goal or key metric\\n* What does success look like\"],\"participant.button.i.understand\":[\"I understand\"],\"WsoNdK\":[\"Identify and analyze the recurring themes in this content. Please:\\n\\nExtract patterns that appear consistently across multiple sources\\nLook for underlying principles that connect different ideas\\nIdentify themes that challenge conventional thinking\\nStructure the analysis to show how themes evolve or repeat\\nFocus on insights that reveal deeper organizational or conceptual patterns\\nMaintain analytical depth while being accessible\\nHighlight themes that could inform future decision-making\\n\\nNote: If the content lacks sufficient thematic consistency, let me know we need more diverse material to identify meaningful patterns.\"],\"KbXMDK\":[\"Identify recurring themes, topics, and arguments that appear consistently across conversations. Analyze their frequency, intensity, and consistency. Expected output: 3-7 aspects for small datasets, 5-12 for medium datasets, 8-15 for large datasets. Processing guidance: Focus on distinct patterns that emerge across multiple conversations.\"],\"participant.concrete.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"QJUjB0\":[\"In order to better navigate through the quotes, create additional views. The quotes will then be clustered based on your view.\"],\"IJUcvx\":[\"In the meantime, if you want to analyze the conversations that are still processing, you can use the Chat feature\"],\"aOhF9L\":[\"Include portal link in report\"],\"Dvf4+M\":[\"Include timestamps\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Insight Library\"],\"ZVY8fB\":[\"Insight not found\"],\"sJa5f4\":[\"insights\"],\"3hJypY\":[\"Insights\"],\"crUYYp\":[\"Invalid code. Please request a new one.\"],\"jLr8VJ\":[\"Invalid credentials.\"],\"aZ3JOU\":[\"Invalid token. Please try again.\"],\"1xMiTU\":[\"IP Address\"],\"participant.conversation.error.deleted\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"zT7nbS\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"library.not.available.message\":[\"It looks like the library is not available for your account. Please request access to unlock this feature.\"],\"participant.concrete.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"MbKzYA\":[\"It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly.\"],\"clXffu\":[\"Join \",[\"0\"],\" on Dembrane\"],\"uocCon\":[\"Just a moment\"],\"OSBXx5\":[\"Just now\"],\"0ohX1R\":[\"Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account.\"],\"vXIe7J\":[\"Language\"],\"UXBCwc\":[\"Last Name\"],\"0K/D0Q\":[\"Last saved \",[\"0\"]],\"K7P0jz\":[\"Last Updated\"],\"PIhnIP\":[\"Let us know!\"],\"qhQjFF\":[\"Let's Make Sure We Can Hear You\"],\"exYcTF\":[\"Library\"],\"library.title\":[\"Library\"],\"T50lwc\":[\"Library creation is in progress\"],\"yUQgLY\":[\"Library is currently being processed\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn Post (Experimental)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live audio level:\"],\"TkFXaN\":[\"Live audio level:\"],\"n9yU9X\":[\"Live Preview\"],\"participant.concrete.instructions.loading\":[\"Loading\"],\"yQE2r9\":[\"Loading\"],\"yQ9yN3\":[\"Loading actions...\"],\"participant.concrete.loading.artefact\":[\"Loading artefact\"],\"JOvnq+\":[\"Loading audit logs…\"],\"y+JWgj\":[\"Loading collections...\"],\"ATTcN8\":[\"Loading concrete topics…\"],\"FUK4WT\":[\"Loading microphones...\"],\"H+bnrh\":[\"Loading transcript...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"loading...\"],\"Z3FXyt\":[\"Loading...\"],\"Pwqkdw\":[\"Loading…\"],\"z0t9bb\":[\"Login\"],\"zfB1KW\":[\"Login | Dembrane\"],\"Wd2LTk\":[\"Login as an existing user\"],\"nOhz3x\":[\"Logout\"],\"jWXlkr\":[\"Longest First\"],\"dashboard.dembrane.concrete.title\":[\"Make it concrete\"],\"participant.refine.make.concrete\":[\"Make it concrete\"],\"JSxZVX\":[\"Mark all read\"],\"+s1J8k\":[\"Mark as read\"],\"VxyuRJ\":[\"Meeting Notes\"],\"08d+3x\":[\"Messages from \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Microphone access is still denied. Please check your settings and try again.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Mode\"],\"zMx0gF\":[\"More templates\"],\"QWdKwH\":[\"Move\"],\"CyKTz9\":[\"Move Conversation\"],\"wUTBdx\":[\"Move to Another Project\"],\"Ksvwy+\":[\"Move to Project\"],\"6YtxFj\":[\"Name\"],\"e3/ja4\":[\"Name A-Z\"],\"c5Xt89\":[\"Name Z-A\"],\"isRobC\":[\"New\"],\"Wmq4bZ\":[\"New Conversation Name\"],\"library.new.conversations\":[\"New conversations have been added since the creation of the library. Create a new view to add these to the analysis.\"],\"P/+jkp\":[\"New conversations have been added since the library was generated. Regenerate the library to process them.\"],\"7vhWI8\":[\"New Password\"],\"+VXUp8\":[\"New Project\"],\"+RfVvh\":[\"Newest First\"],\"participant.button.next\":[\"Next\"],\"participant.ready.to.begin.button.text\":[\"Next\"],\"participant.concrete.selection.button.next\":[\"Next\"],\"participant.concrete.instructions.button.next\":[\"Next\"],\"hXzOVo\":[\"Next\"],\"participant.button.finish.no.text.mode\":[\"No\"],\"riwuXX\":[\"No actions found\"],\"WsI5bo\":[\"No announcements available\"],\"Em+3Ls\":[\"No audit logs match the current filters.\"],\"project.sidebar.chat.empty.description\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"YM6Wft\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"Qqhl3R\":[\"No collections found\"],\"zMt5AM\":[\"No concrete topics available.\"],\"zsslJv\":[\"No content\"],\"1pZsdx\":[\"No conversations available to create library\"],\"library.no.conversations\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"zM3DDm\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"EtMtH/\":[\"No conversations found.\"],\"BuikQT\":[\"No conversations found. Start a conversation using the participation invite link from the <0><1>project overview.\"],\"meAa31\":[\"No conversations yet\"],\"VInleh\":[\"No insights available. Generate insights for this conversation by visiting<0><1> the project library.\"],\"yTx6Up\":[\"No key terms or proper nouns have been added yet. Add them using the input above to improve transcript accuracy.\"],\"jfhDAK\":[\"No new feedback detected yet. Please continue your discussion and try again soon.\"],\"T3TyGx\":[\"No projects found \",[\"0\"]],\"y29l+b\":[\"No projects found for search term\"],\"ghhtgM\":[\"No quotes available. Generate quotes for this conversation by visiting\"],\"yalI52\":[\"No quotes available. Generate quotes for this conversation by visiting<0><1> the project library.\"],\"ctlSnm\":[\"No report found\"],\"EhV94J\":[\"No resources found.\"],\"Ev2r9A\":[\"No results\"],\"WRRjA9\":[\"No tags found\"],\"LcBe0w\":[\"No tags have been added to this project yet. Add a tag using the text input above to get started.\"],\"bhqKwO\":[\"No Transcript Available\"],\"TmTivZ\":[\"No transcript available for this conversation.\"],\"vq+6l+\":[\"No transcript exists for this conversation yet. Please check back later.\"],\"MPZkyF\":[\"No transcripts are selected for this chat\"],\"AotzsU\":[\"No tutorial (only Privacy statements)\"],\"OdkUBk\":[\"No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"No verification topics are configured for this project.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Not available\"],\"cH5kXP\":[\"Now\"],\"9+6THi\":[\"Oldest First\"],\"participant.concrete.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.concrete.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"conversation.ongoing\":[\"Ongoing\"],\"J6n7sl\":[\"Ongoing\"],\"uTmEDj\":[\"Ongoing Conversations\"],\"QvvnWK\":[\"Only the \",[\"0\"],\" finished \",[\"1\"],\" will be included in the report right now. \"],\"participant.alert.microphone.access.failure\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"J17dTs\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"1TNIig\":[\"Open\"],\"NRLF9V\":[\"Open Documentation\"],\"2CyWv2\":[\"Open for Participation?\"],\"participant.button.open.troubleshooting.guide\":[\"Open troubleshooting guide\"],\"7yrRHk\":[\"Open troubleshooting guide\"],\"Hak8r6\":[\"Open your authenticator app and enter the current six-digit code.\"],\"0zpgxV\":[\"Options\"],\"6/dCYd\":[\"Overview\"],\"/fAXQQ\":[\"Overview - Themes & patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Page Content\"],\"8F1i42\":[\"Page not found\"],\"6+Py7/\":[\"Page Title\"],\"v8fxDX\":[\"Participant\"],\"Uc9fP1\":[\"Participant Features\"],\"y4n1fB\":[\"Participants will be able to select tags when creating conversations\"],\"8ZsakT\":[\"Password\"],\"w3/J5c\":[\"Password protect portal (request feature)\"],\"lpIMne\":[\"Passwords do not match\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Pause reading\"],\"UbRKMZ\":[\"Pending\"],\"6v5aT9\":[\"Pick the approach that fits your question\"],\"participant.alert.microphone.access\":[\"Please allow microphone access to start the test.\"],\"3flRk2\":[\"Please allow microphone access to start the test.\"],\"SQSc5o\":[\"Please check back later or contact the project owner for more information.\"],\"T8REcf\":[\"Please check your inputs for errors.\"],\"S6iyis\":[\"Please do not close your browser\"],\"n6oAnk\":[\"Please enable participation to enable sharing\"],\"fwrPh4\":[\"Please enter a valid email.\"],\"iMWXJN\":[\"Please keep this screen lit up (black screen = not recording)\"],\"D90h1s\":[\"Please login to continue.\"],\"mUGRqu\":[\"Please provide a concise summary of the following provided in the context.\"],\"ps5D2F\":[\"Please record your response by clicking the \\\"Record\\\" button below. You may also choose to respond in text by clicking the text icon. \\n**Please keep this screen lit up** \\n(black screen = not recording)\"],\"TsuUyf\":[\"Please record your response by clicking the \\\"Start Recording\\\" button below. You may also choose to respond in text by clicking the text icon.\"],\"4TVnP7\":[\"Please select a language for your report\"],\"N63lmJ\":[\"Please select a language for your updated report\"],\"XvD4FK\":[\"Please select at least one source\"],\"hxTGLS\":[\"Please select conversations from the sidebar to proceed\"],\"GXZvZ7\":[\"Please wait \",[\"timeStr\"],\" before requesting another echo.\"],\"Am5V3+\":[\"Please wait \",[\"timeStr\"],\" before requesting another Echo.\"],\"CE1Qet\":[\"Please wait \",[\"timeStr\"],\" before requesting another ECHO.\"],\"Fx1kHS\":[\"Please wait \",[\"timeStr\"],\" before requesting another reply.\"],\"MgJuP2\":[\"Please wait while we generate your report. You will automatically be redirected to the report page.\"],\"library.processing.request\":[\"Please wait while we process your request. You requested to create the library on \",[\"0\"]],\"04DMtb\":[\"Please wait while we process your retranscription request. You will be redirected to the new conversation when ready.\"],\"ei5r44\":[\"Please wait while we update your report. You will automatically be redirected to the report page.\"],\"j5KznP\":[\"Please wait while we verify your email address.\"],\"uRFMMc\":[\"Portal Content\"],\"qVypVJ\":[\"Portal Editor\"],\"g2UNkE\":[\"Powered by\"],\"MPWj35\":[\"Preparing your conversations... This may take a moment.\"],\"/SM3Ws\":[\"Preparing your experience\"],\"ANWB5x\":[\"Print this report\"],\"zwqetg\":[\"Privacy Statements\"],\"qAGp2O\":[\"Proceed\"],\"stk3Hv\":[\"processing\"],\"vrnnn9\":[\"Processing\"],\"kvs/6G\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat.\"],\"q11K6L\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat. Last Known Status: \",[\"0\"]],\"NQiPr4\":[\"Processing Transcript\"],\"48px15\":[\"Processing your report...\"],\"gzGDMM\":[\"Processing your retranscription request...\"],\"Hie0VV\":[\"Project Created\"],\"xJMpjP\":[\"Project Library | Dembrane\"],\"OyIC0Q\":[\"Project name\"],\"6Z2q2Y\":[\"Project name must be at least 4 characters long\"],\"n7JQEk\":[\"Project not found\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Project Overview | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Project Settings\"],\"+0B+ue\":[\"Projects\"],\"Eb7xM7\":[\"Projects | Dembrane\"],\"JQVviE\":[\"Projects Home\"],\"nyEOdh\":[\"Provide an overview of the main topics and recurring themes\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publish\"],\"u3wRF+\":[\"Published\"],\"E7YTYP\":[\"Pull out the most impactful quotes from this session\"],\"eWLklq\":[\"Quotes\"],\"wZxwNu\":[\"Read aloud\"],\"participant.ready.to.begin\":[\"Ready to Begin?\"],\"ZKOO0I\":[\"Ready to Begin?\"],\"hpnYpo\":[\"Recommended apps\"],\"participant.button.record\":[\"Record\"],\"w80YWM\":[\"Record\"],\"s4Sz7r\":[\"Record another conversation\"],\"participant.modal.pause.title\":[\"Recording Paused\"],\"view.recreate.tooltip\":[\"Recreate View\"],\"view.recreate.modal.title\":[\"Recreate View\"],\"CqnkB0\":[\"Recurring Themes\"],\"9aloPG\":[\"References\"],\"participant.button.refine\":[\"Refine\"],\"lCF0wC\":[\"Refresh\"],\"ZMXpAp\":[\"Refresh audit logs\"],\"844H5I\":[\"Regenerate Library\"],\"bluvj0\":[\"Regenerate Summary\"],\"participant.concrete.regenerating.artefact\":[\"Regenerating the artefact\"],\"oYlYU+\":[\"Regenerating the summary. Please wait...\"],\"wYz80B\":[\"Register | Dembrane\"],\"w3qEvq\":[\"Register as a new user\"],\"7dZnmw\":[\"Relevance\"],\"participant.button.reload.page.text.mode\":[\"Reload Page\"],\"participant.button.reload\":[\"Reload Page\"],\"participant.concrete.artefact.action.button.reload\":[\"Reload Page\"],\"hTDMBB\":[\"Reload Page\"],\"Kl7//J\":[\"Remove Email\"],\"cILfnJ\":[\"Remove file\"],\"CJgPtd\":[\"Remove from this chat\"],\"project.sidebar.chat.rename\":[\"Rename\"],\"2wxgft\":[\"Rename\"],\"XyN13i\":[\"Reply Prompt\"],\"gjpdaf\":[\"Report\"],\"Q3LOVJ\":[\"Report an issue\"],\"DUmD+q\":[\"Report Created - \",[\"0\"]],\"KFQLa2\":[\"Report generation is currently in beta and limited to projects with fewer than 10 hours of recording.\"],\"hIQOLx\":[\"Report Notifications\"],\"lNo4U2\":[\"Report Updated - \",[\"0\"]],\"library.request.access\":[\"Request Access\"],\"uLZGK+\":[\"Request Access\"],\"dglEEO\":[\"Request Password Reset\"],\"u2Hh+Y\":[\"Request Password Reset | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Requesting microphone access to detect available devices...\"],\"MepchF\":[\"Requesting microphone access to detect available devices...\"],\"xeMrqw\":[\"Reset All Options\"],\"KbS2K9\":[\"Reset Password\"],\"UMMxwo\":[\"Reset Password | Dembrane\"],\"L+rMC9\":[\"Reset to default\"],\"s+MGs7\":[\"Resources\"],\"participant.button.stop.resume\":[\"Resume\"],\"v39wLo\":[\"Resume\"],\"sVzC0H\":[\"Retranscribe\"],\"ehyRtB\":[\"Retranscribe conversation\"],\"1JHQpP\":[\"Retranscribe Conversation\"],\"MXwASV\":[\"Retranscription started. New conversation will be available soon.\"],\"6gRgw8\":[\"Retry\"],\"H1Pyjd\":[\"Retry Upload\"],\"9VUzX4\":[\"Review activity for your workspace. Filter by collection or action, and export the current view for further investigation.\"],\"UZVWVb\":[\"Review files before uploading\"],\"3lYF/Z\":[\"Review processing status for every conversation collected in this project.\"],\"participant.concrete.action.button.revise\":[\"Revise\"],\"OG3mVO\":[\"Revision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Rows per page\"],\"participant.concrete.action.button.save\":[\"Save\"],\"tfDRzk\":[\"Save\"],\"2VA/7X\":[\"Save Error!\"],\"XvjC4F\":[\"Saving...\"],\"nHeO/c\":[\"Scan the QR code or copy the secret into your app.\"],\"oOi11l\":[\"Scroll to bottom\"],\"A1taO8\":[\"Search\"],\"OWm+8o\":[\"Search conversations\"],\"blFttG\":[\"Search projects\"],\"I0hU01\":[\"Search Projects\"],\"RVZJWQ\":[\"Search projects...\"],\"lnWve4\":[\"Search tags\"],\"pECIKL\":[\"Search templates...\"],\"uSvNyU\":[\"Searched through the most relevant sources\"],\"Wj2qJm\":[\"Searching through the most relevant sources\"],\"Y1y+VB\":[\"Secret copied\"],\"Eyh9/O\":[\"See conversation status details\"],\"0sQPzI\":[\"See you soon\"],\"1ZTiaz\":[\"Segments\"],\"H/diq7\":[\"Select a microphone\"],\"NK2YNj\":[\"Select Audio Files to Upload\"],\"/3ntVG\":[\"Select conversations and find exact quotes\"],\"LyHz7Q\":[\"Select conversations from sidebar\"],\"n4rh8x\":[\"Select Project\"],\"ekUnNJ\":[\"Select tags\"],\"CG1cTZ\":[\"Select the instructions that will be shown to participants when they start a conversation\"],\"qxzrcD\":[\"Select the type of feedback or engagement you want to encourage.\"],\"QdpRMY\":[\"Select tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Select which topics participants can use for \\\"Make it concrete\\\".\"],\"participant.select.microphone\":[\"Select your microphone:\"],\"vKH1Ye\":[\"Select your microphone:\"],\"gU5H9I\":[\"Selected Files (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Selected microphone:\"],\"JlFcis\":[\"Send\"],\"VTmyvi\":[\"Sentiment\"],\"NprC8U\":[\"Session Name\"],\"DMl1JW\":[\"Setting up your first project\"],\"Tz0i8g\":[\"Settings\"],\"participant.settings.modal.title\":[\"Settings\"],\"PErdpz\":[\"Settings | Dembrane\"],\"Z8lGw6\":[\"Share\"],\"/XNQag\":[\"Share this report\"],\"oX3zgA\":[\"Share your details here\"],\"Dc7GM4\":[\"Share your voice\"],\"swzLuF\":[\"Share your voice by scanning the QR code below.\"],\"+tz9Ky\":[\"Shortest First\"],\"h8lzfw\":[\"Show \",[\"0\"]],\"lZw9AX\":[\"Show all\"],\"w1eody\":[\"Show audio player\"],\"pzaNzD\":[\"Show data\"],\"yrhNQG\":[\"Show duration\"],\"Qc9KX+\":[\"Show IP addresses\"],\"6lGV3K\":[\"Show less\"],\"fMPkxb\":[\"Show more\"],\"3bGwZS\":[\"Show references\"],\"OV2iSn\":[\"Show revision data\"],\"3Sg56r\":[\"Show timeline in report (request feature)\"],\"DLEIpN\":[\"Show timestamps (experimental)\"],\"Tqzrjk\":[\"Showing \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" of \",[\"totalItems\"],\" entries\"],\"dbWo0h\":[\"Sign in with Google\"],\"participant.mic.check.button.skip\":[\"Skip\"],\"6Uau97\":[\"Skip\"],\"lH0eLz\":[\"Skip data privacy slide (Host manages consent)\"],\"b6NHjr\":[\"Skip data privacy slide (Host manages legal base)\"],\"4Q9po3\":[\"Some conversations are still being processed. Auto-select will work optimally once audio processing is complete.\"],\"q+pJ6c\":[\"Some files were already selected and won't be added twice.\"],\"nwtY4N\":[\"Something went wrong\"],\"participant.conversation.error.text.mode\":[\"Something went wrong\"],\"participant.conversation.error\":[\"Something went wrong\"],\"avSWtK\":[\"Something went wrong while exporting audit logs.\"],\"q9A2tm\":[\"Something went wrong while generating the secret.\"],\"JOKTb4\":[\"Something went wrong while uploading the file: \",[\"0\"]],\"KeOwCj\":[\"Something went wrong with the conversation. Please try refreshing the page or contact support if the issue persists\"],\"participant.go.deeper.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>Go deeper button, or contact support if the issue continues.\"],\"fWsBTs\":[\"Something went wrong. Please try again.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"f6Hub0\":[\"Sort\"],\"/AhHDE\":[\"Source \",[\"0\"]],\"u7yVRn\":[\"Sources:\"],\"65A04M\":[\"Spanish\"],\"zuoIYL\":[\"Speaker\"],\"z5/5iO\":[\"Specific Context\"],\"mORM2E\":[\"Specific Details\"],\"Etejcu\":[\"Specific Details - Selected conversations\"],\"participant.button.start.new.conversation.text.mode\":[\"Start New Conversation\"],\"participant.button.start.new.conversation\":[\"Start New Conversation\"],\"c6FrMu\":[\"Start New Conversation\"],\"i88wdJ\":[\"Start over\"],\"pHVkqA\":[\"Start Recording\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stop\"],\"participant.button.stop\":[\"Stop\"],\"kimwwT\":[\"Strategic Planning\"],\"hQRttt\":[\"Submit\"],\"participant.button.submit.text.mode\":[\"Submit\"],\"0Pd4R1\":[\"Submitted via text input\"],\"zzDlyQ\":[\"Success\"],\"bh1eKt\":[\"Suggested:\"],\"F1nkJm\":[\"Summarize\"],\"4ZpfGe\":[\"Summarize key insights from my interviews\"],\"5Y4tAB\":[\"Summarize this interview into a shareable article\"],\"dXoieq\":[\"Summary\"],\"g6o+7L\":[\"Summary generated successfully.\"],\"kiOob5\":[\"Summary not available yet\"],\"OUi+O3\":[\"Summary regenerated successfully.\"],\"Pqa6KW\":[\"Summary will be available once the conversation is transcribed\"],\"6ZHOF8\":[\"Supported formats: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Switch to text input\"],\"D+NlUC\":[\"System\"],\"OYHzN1\":[\"Tags\"],\"nlxlmH\":[\"Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation.\"],\"eyu39U\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"participant.refine.make.concrete.description\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"QCchuT\":[\"Template applied\"],\"iTylMl\":[\"Templates\"],\"xeiujy\":[\"Text\"],\"CPN34F\":[\"Thank you for participating!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Thank You Page Content\"],\"5KEkUQ\":[\"Thank you! We'll notify you when the report is ready.\"],\"2yHHa6\":[\"That code didn't work. Try again with a fresh code from your authenticator app.\"],\"TQCE79\":[\"The code didn't work, please try again.\"],\"participant.conversation.error.loading.text.mode\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"participant.conversation.error.loading\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"nO942E\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"Jo19Pu\":[\"The following conversations were automatically added to the context\"],\"Lngj9Y\":[\"The Portal is the website that loads when participants scan the QR code.\"],\"bWqoQ6\":[\"the project library.\"],\"hTCMdd\":[\"The summary is being generated. Please wait for it to be available.\"],\"+AT8nl\":[\"The summary is being regenerated. Please wait for it to be available.\"],\"iV8+33\":[\"The summary is being regenerated. Please wait for the new summary to be available.\"],\"AgC2rn\":[\"The summary is being regenerated. Please wait upto 2 minutes for the new summary to be available.\"],\"PTNxDe\":[\"The transcript for this conversation is being processed. Please check back later.\"],\"FEr96N\":[\"Theme\"],\"T8rsM6\":[\"There was an error cloning your project. Please try again or contact support.\"],\"JDFjCg\":[\"There was an error creating your report. Please try again or contact support.\"],\"e3JUb8\":[\"There was an error generating your report. In the meantime, you can analyze all your data using the library or select specific conversations to chat with.\"],\"7qENSx\":[\"There was an error updating your report. Please try again or contact support.\"],\"V7zEnY\":[\"There was an error verifying your email. Please try again.\"],\"gtlVJt\":[\"These are some helpful preset templates to get you started.\"],\"sd848K\":[\"These are your default view templates. Once you create your library these will be your first two views.\"],\"8xYB4s\":[\"These default view templates will be generated when you create your first library.\"],\"Ed99mE\":[\"Thinking...\"],\"conversation.linked_conversations.description\":[\"This conversation has the following copies:\"],\"conversation.linking_conversations.description\":[\"This conversation is a copy of\"],\"dt1MDy\":[\"This conversation is still being processed. It will be available for analysis and chat shortly.\"],\"5ZpZXq\":[\"This conversation is still being processed. It will be available for analysis and chat shortly. \"],\"SzU1mG\":[\"This email is already in the list.\"],\"JtPxD5\":[\"This email is already subscribed to notifications.\"],\"participant.modal.refine.info.available.in\":[\"This feature will be available in \",[\"remainingTime\"],\" seconds.\"],\"QR7hjh\":[\"This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes.\"],\"library.description\":[\"This is your project library. Create views to analyse your entire project at once.\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"This is your project library. Currently,\",[\"0\"],\" conversations are waiting to be processed.\"],\"tJL2Lh\":[\"This language will be used for the Participant's Portal and transcription.\"],\"BAUPL8\":[\"This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"This language will be used for the Participant's Portal.\"],\"9ww6ML\":[\"This page is shown after the participant has completed the conversation.\"],\"1gmHmj\":[\"This page is shown to participants when they start a conversation after they successfully complete the tutorial.\"],\"bEbdFh\":[\"This project library was generated on\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage.\"],\"Yig29e\":[\"This report is not yet available. \"],\"GQTpnY\":[\"This report was opened by \",[\"0\"],\" people\"],\"okY/ix\":[\"This summary is AI-generated and brief, for thorough analysis, use the Chat or Library.\"],\"hwyBn8\":[\"This title is shown to participants when they start a conversation\"],\"Dj5ai3\":[\"This will clear your current input. Are you sure?\"],\"NrRH+W\":[\"This will create a copy of the current project. Only settings and tags are copied. Reports, chats and conversations are not included in the clone. You will be redirected to the new project after cloning.\"],\"hsNXnX\":[\"This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged.\"],\"participant.concrete.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.concrete.loading.artefact.description\":[\"This will just take a moment\"],\"n4l4/n\":[\"This will replace personally identifiable information with .\"],\"Ww6cQ8\":[\"Time Created\"],\"8TMaZI\":[\"Timestamp\"],\"rm2Cxd\":[\"Tip\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"To assign a new tag, please create it first in the project overview.\"],\"o3rowT\":[\"To generate a report, please start by adding conversations in your project\"],\"sFMBP5\":[\"Topics\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcribing...\"],\"DDziIo\":[\"Transcript\"],\"hfpzKV\":[\"Transcript copied to clipboard\"],\"AJc6ig\":[\"Transcript not available\"],\"N/50DC\":[\"Transcript Settings\"],\"FRje2T\":[\"Transcription in progress...\"],\"0l9syB\":[\"Transcription in progress…\"],\"H3fItl\":[\"Transform these transcripts into a LinkedIn post that cuts through the noise. Please:\\n\\nExtract the most compelling insights - skip anything that sounds like standard business advice\\nWrite it like a seasoned leader who challenges conventional wisdom, not a motivational poster\\nFind one genuinely unexpected observation that would make even experienced professionals pause\\nMaintain intellectual depth while being refreshingly direct\\nOnly use data points that actually challenge assumptions\\nKeep formatting clean and professional (minimal emojis, thoughtful spacing)\\nStrike a tone that suggests both deep expertise and real-world experience\\n\\nNote: If the content doesn't contain any substantive insights, please let me know we need stronger source material. I'm looking to contribute real value to the conversation, not add to the noise.\"],\"53dSNP\":[\"Transform this content into insights that actually matter. Please:\\n\\nExtract core ideas that challenge standard thinking\\nWrite like someone who understands nuance, not a textbook\\nFocus on the non-obvious implications\\nKeep it sharp and substantive\\nOnly highlight truly meaningful patterns\\nStructure for clarity and impact\\nBalance depth with accessibility\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"uK9JLu\":[\"Transform this discussion into actionable intelligence. Please:\\n\\nCapture the strategic implications, not just talking points\\nStructure it like a thought leader's analysis, not minutes\\nHighlight decision points that challenge standard thinking\\nKeep the signal-to-noise ratio high\\nFocus on insights that drive real change\\nOrganize for clarity and future reference\\nBalance tactical details with strategic vision\\n\\nNote: If the discussion lacks substantial decision points or insights, flag it for deeper exploration next time.\"],\"qJb6G2\":[\"Try Again\"],\"eP1iDc\":[\"Try asking\"],\"goQEqo\":[\"Try moving a bit closer to your microphone for better sound quality.\"],\"EIU345\":[\"Two-factor authentication\"],\"NwChk2\":[\"Two-factor authentication disabled\"],\"qwpE/S\":[\"Two-factor authentication enabled\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Type a message...\"],\"EvmL3X\":[\"Type your response here\"],\"participant.concrete.artefact.error.title\":[\"Unable to Load Artefact\"],\"MksxNf\":[\"Unable to load audit logs.\"],\"8vqTzl\":[\"Unable to load the generated artefact. Please try again.\"],\"nGxDbq\":[\"Unable to process this chunk\"],\"9uI/rE\":[\"Undo\"],\"Ef7StM\":[\"Unknown\"],\"H899Z+\":[\"unread announcement\"],\"0pinHa\":[\"unread announcements\"],\"sCTlv5\":[\"Unsaved changes\"],\"SMaFdc\":[\"Unsubscribe\"],\"jlrVDp\":[\"Untitled Conversation\"],\"EkH9pt\":[\"Update\"],\"3RboBp\":[\"Update Report\"],\"4loE8L\":[\"Update the report to include the latest data\"],\"Jv5s94\":[\"Update your report to include the latest changes in your project. The link to share the report would remain the same.\"],\"kwkhPe\":[\"Upgrade\"],\"UkyAtj\":[\"Upgrade to unlock Auto-select and analyze 10x more conversations in half the time—no more manual selection, just deeper insights instantly.\"],\"ONWvwQ\":[\"Upload\"],\"8XD6tj\":[\"Upload Audio\"],\"kV3A2a\":[\"Upload Complete\"],\"4Fr6DA\":[\"Upload conversations\"],\"pZq3aX\":[\"Upload failed. Please try again.\"],\"HAKBY9\":[\"Upload Files\"],\"Wft2yh\":[\"Upload in progress\"],\"JveaeL\":[\"Upload resources\"],\"3wG7HI\":[\"Uploaded\"],\"k/LaWp\":[\"Uploading Audio Files...\"],\"VdaKZe\":[\"Use experimental features\"],\"rmMdgZ\":[\"Use PII Redaction\"],\"ngdRFH\":[\"Use Shift + Enter to add a new line\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verified\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verified artifacts\"],\"4LFZoj\":[\"Verify code\"],\"jpctdh\":[\"View\"],\"+fxiY8\":[\"View conversation details\"],\"H1e6Hv\":[\"View Conversation Status\"],\"SZw9tS\":[\"View Details\"],\"D4e7re\":[\"View your responses\"],\"tzEbkt\":[\"Wait \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Want to add a template to \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Want to add a template to ECHO?\"],\"r6y+jM\":[\"Warning\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"SrJOPD\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"Ul0g2u\":[\"We couldn’t disable two-factor authentication. Try again with a fresh code.\"],\"sM2pBB\":[\"We couldn’t enable two-factor authentication. Double-check your code and try again.\"],\"Ewk6kb\":[\"We couldn't load the audio. Please try again later.\"],\"xMeAeQ\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder.\"],\"9qYWL7\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact evelien@dembrane.com\"],\"3fS27S\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"We need a bit more context to help you refine effectively. Please continue recording so we can provide better suggestions.\"],\"dni8nq\":[\"We will only send you a message if your host generates a report, we never share your details with anyone. You can opt out at any time.\"],\"participant.test.microphone.description\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"tQtKw5\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"+eLc52\":[\"We’re picking up some silence. Try speaking up so your voice comes through clearly.\"],\"6jfS51\":[\"Welcome\"],\"9eF5oV\":[\"Welcome back\"],\"i1hzzO\":[\"Welcome to Big Picture Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Details mode.\"],\"fwEAk/\":[\"Welcome to Dembrane Chat! Use the sidebar to select resources and conversations that you want to analyse. Then, you can ask questions about the selected resources and conversations.\"],\"AKBU2w\":[\"Welcome to Dembrane!\"],\"TACmoL\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Deep Dive mode.\"],\"u4aLOz\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Context mode.\"],\"Bck6Du\":[\"Welcome to Reports!\"],\"aEpQkt\":[\"Welcome to Your Home! Here you can see all your projects and get access to tutorial resources. Currently, you have no projects. Click \\\"Create\\\" to configure to get started!\"],\"klH6ct\":[\"Welcome!\"],\"Tfxjl5\":[\"What are the main themes across all conversations?\"],\"participant.concrete.selection.title\":[\"What do you want to make concrete?\"],\"fyMvis\":[\"What patterns emerge from the data?\"],\"qGrqH9\":[\"What were the key moments in this conversation?\"],\"FXZcgH\":[\"What would you like to explore?\"],\"KcnIXL\":[\"will be included in your report\"],\"participant.button.finish.yes.text.mode\":[\"Yes\"],\"kWJmRL\":[\"You\"],\"Dl7lP/\":[\"You are already unsubscribed or your link is invalid.\"],\"E71LBI\":[\"You can only upload up to \",[\"MAX_FILES\"],\" files at a time. Only the first \",[\"0\"],\" files will be added.\"],\"tbeb1Y\":[\"You can still use the Ask feature to chat with any conversation\"],\"participant.modal.change.mic.confirmation.text\":[\"You have changed the mic. Doing this will save your audio till this point and restart your recording.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"You have successfully unsubscribed.\"],\"lTDtES\":[\"You may also choose to record another conversation.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"You must login with the same provider you used to sign up. If you face any issues, please contact support.\"],\"snMcrk\":[\"You seem to be offline, please check your internet connection\"],\"participant.concrete.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to make them concrete.\"],\"participant.concrete.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"Pw2f/0\":[\"Your conversation is currently being transcribed. Please check back in a few moments.\"],\"OFDbfd\":[\"Your Conversations\"],\"aZHXuZ\":[\"Your inputs will be saved automatically.\"],\"PUWgP9\":[\"Your library is empty. Create a library to see your first insights.\"],\"B+9EHO\":[\"Your response has been recorded. You may now close this tab.\"],\"wurHZF\":[\"Your responses\"],\"B8Q/i2\":[\"Your view has been created. Please wait as we process and analyse the data.\"],\"library.views.title\":[\"Your Views\"],\"lZNgiw\":[\"Your Views\"]}")as Messages; \ No newline at end of file From af04c6a7924eba601b9714030d32ee750f69ddd8 Mon Sep 17 00:00:00 2001 From: Usama Date: Thu, 11 Dec 2025 11:58:02 +0000 Subject: [PATCH 3/3] - translations for "help us improve" and "italian" text --- echo/frontend/src/locales/de-DE.po | 174 +++++++++++++++-------------- echo/frontend/src/locales/de-DE.ts | 2 +- echo/frontend/src/locales/en-US.po | 174 +++++++++++++++-------------- echo/frontend/src/locales/en-US.ts | 2 +- echo/frontend/src/locales/es-ES.po | 174 +++++++++++++++-------------- echo/frontend/src/locales/es-ES.ts | 2 +- echo/frontend/src/locales/fr-FR.po | 174 +++++++++++++++-------------- echo/frontend/src/locales/fr-FR.ts | 2 +- echo/frontend/src/locales/it-IT.po | 174 +++++++++++++++-------------- echo/frontend/src/locales/it-IT.ts | 2 +- echo/frontend/src/locales/nl-NL.po | 174 +++++++++++++++-------------- echo/frontend/src/locales/nl-NL.ts | 2 +- 12 files changed, 552 insertions(+), 504 deletions(-) diff --git a/echo/frontend/src/locales/de-DE.po b/echo/frontend/src/locales/de-DE.po index a493e445..55f9a53a 100644 --- a/echo/frontend/src/locales/de-DE.po +++ b/echo/frontend/src/locales/de-DE.po @@ -109,7 +109,7 @@ msgstr "\"Verfeinern\" bald verfügbar" #: src/routes/project/chat/ProjectChatRoute.tsx:559 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 -#: src/components/project/ProjectPortalEditor.tsx:432 +#: src/components/project/ProjectPortalEditor.tsx:433 #: src/components/chat/References.tsx:29 msgid "{0}" msgstr "{0}" @@ -198,7 +198,7 @@ msgstr "Zusätzlichen Kontext hinzufügen (Optional)" msgid "Add all that apply" msgstr "Alle zutreffenden hinzufügen" -#: src/components/project/ProjectPortalEditor.tsx:126 +#: src/components/project/ProjectPortalEditor.tsx:127 msgid "Add key terms or proper nouns to improve transcript quality and accuracy." msgstr "Fügen Sie Schlüsselbegriffe oder Eigennamen hinzu, um die Qualität und Genauigkeit der Transkription zu verbessern." @@ -226,7 +226,7 @@ msgstr "Hinzugefügte E-Mails" msgid "Adding Context:" msgstr "Kontext wird hinzugefügt:" -#: src/components/project/ProjectPortalEditor.tsx:543 +#: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Erweitert (Tipps und best practices)" @@ -234,7 +234,7 @@ msgstr "Erweitert (Tipps und best practices)" #~ msgid "Advanced (Tips and tricks)" #~ msgstr "Erweitert (Tipps und Tricks)" -#: src/components/project/ProjectPortalEditor.tsx:1053 +#: src/components/project/ProjectPortalEditor.tsx:1055 msgid "Advanced Settings" msgstr "Erweiterte Einstellungen" @@ -328,7 +328,7 @@ msgid "participant.concrete.action.button.approve" msgstr "Freigeben" #. js-lingui-explicit-id -#: src/components/conversation/VerifiedArtefactsSection.tsx:113 +#: src/components/conversation/VerifiedArtefactsSection.tsx:114 msgid "conversation.verified.approved" msgstr "Genehmigt" @@ -382,11 +382,11 @@ msgstr "Artefakt erfolgreich überarbeitet!" msgid "Artefact updated successfully!" msgstr "Artefakt erfolgreich aktualisiert!" -#: src/components/conversation/VerifiedArtefactsSection.tsx:92 +#: src/components/conversation/VerifiedArtefactsSection.tsx:93 msgid "artefacts" msgstr "Artefakte" -#: src/components/conversation/VerifiedArtefactsSection.tsx:87 +#: src/components/conversation/VerifiedArtefactsSection.tsx:88 msgid "Artefacts" msgstr "Artefakte" @@ -394,11 +394,11 @@ msgstr "Artefakte" msgid "Ask" msgstr "Fragen" -#: src/components/project/ProjectPortalEditor.tsx:480 +#: src/components/project/ProjectPortalEditor.tsx:482 msgid "Ask for Name?" msgstr "Nach Namen fragen?" -#: src/components/project/ProjectPortalEditor.tsx:493 +#: src/components/project/ProjectPortalEditor.tsx:495 msgid "Ask participants to provide their name when they start a conversation" msgstr "Teilnehmer bitten, ihren Namen anzugeben, wenn sie ein Gespräch beginnen" @@ -418,7 +418,7 @@ msgstr "Aspekte" #~ msgid "At least one topic must be selected to enable Dembrane Verify" #~ msgstr "At least one topic must be selected to enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:877 +#: src/components/project/ProjectPortalEditor.tsx:879 msgid "At least one topic must be selected to enable Make it concrete" msgstr "Wähle mindestens ein Thema, um Konkret machen zu aktivieren" @@ -476,12 +476,12 @@ msgid "Available" msgstr "Verfügbar" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:360 +#: src/components/participant/ParticipantOnboardingCards.tsx:385 msgid "participant.button.back.microphone" msgstr "Zurück" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:381 +#: src/components/participant/ParticipantOnboardingCards.tsx:406 #: src/components/layout/ParticipantHeader.tsx:67 msgid "participant.button.back" msgstr "Zurück" @@ -493,11 +493,11 @@ msgstr "Zurück" msgid "Back to Selection" msgstr "Zurück zur Auswahl" -#: src/components/project/ProjectPortalEditor.tsx:539 +#: src/components/project/ProjectPortalEditor.tsx:541 msgid "Basic (Essential tutorial slides)" msgstr "Grundlegend (Wesentliche Tutorial-Folien)" -#: src/components/project/ProjectPortalEditor.tsx:446 +#: src/components/project/ProjectPortalEditor.tsx:447 msgid "Basic Settings" msgstr "Grundlegende Einstellungen" @@ -513,8 +513,8 @@ msgid "Beta" msgstr "Beta" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:568 -#: src/components/project/ProjectPortalEditor.tsx:768 +#: src/components/project/ProjectPortalEditor.tsx:570 +#: src/components/project/ProjectPortalEditor.tsx:770 msgid "dashboard.dembrane.concrete.beta" msgstr "Beta" @@ -524,7 +524,7 @@ msgstr "Beta" #~ msgid "Big Picture - Themes & patterns" #~ msgstr "Big Picture – Themen & Muster" -#: src/components/project/ProjectPortalEditor.tsx:686 +#: src/components/project/ProjectPortalEditor.tsx:688 msgid "Brainstorm Ideas" msgstr "Ideen brainstormen" @@ -569,7 +569,7 @@ msgstr "Leeres Gespräch kann nicht hinzugefügt werden" msgid "Changes will be saved automatically" msgstr "Änderungen werden automatisch gespeichert" -#: src/components/language/LanguagePicker.tsx:71 +#: src/components/language/LanguagePicker.tsx:77 msgid "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" msgstr "Das Ändern der Sprache während eines aktiven Chats kann unerwartete Ergebnisse hervorrufen. Es wird empfohlen, ein neues Gespräch zu beginnen, nachdem die Sprache geändert wurde. Sind Sie sicher, dass Sie fortfahren möchten?" @@ -650,7 +650,7 @@ msgstr "Vergleichen & Gegenüberstellen" msgid "Complete" msgstr "Abgeschlossen" -#: src/components/project/ProjectPortalEditor.tsx:815 +#: src/components/project/ProjectPortalEditor.tsx:817 msgid "Concrete Topics" msgstr "Konkrete Themen" @@ -704,7 +704,7 @@ msgid "Context added:" msgstr "Kontext hinzugefügt:" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:368 +#: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 msgid "participant.button.continue" msgstr "Weiter" @@ -775,7 +775,7 @@ msgid "participant.refine.cooling.down" msgstr "Abkühlung läuft. Verfügbar in {0}" #: src/components/settings/TwoFactorSettingsCard.tsx:431 -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 #: src/components/conversation/CopyConversationTranscript.tsx:47 #: src/components/common/CopyRichTextIconButton.tsx:29 #: src/components/common/CopyIconButton.tsx:17 @@ -787,7 +787,7 @@ msgstr "Kopiert" msgid "Copy" msgstr "Kopieren" -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 msgid "Copy link" msgstr "Link kopieren" @@ -857,7 +857,7 @@ msgstr "Ansicht erstellen" msgid "Created on" msgstr "Erstellt am" -#: src/components/project/ProjectPortalEditor.tsx:715 +#: src/components/project/ProjectPortalEditor.tsx:717 msgid "Custom" msgstr "Benutzerdefiniert" @@ -880,11 +880,11 @@ msgstr "Benutzerdefinierter Dateiname" #~ msgid "dashboard.dembrane.verify.topic.select" #~ msgstr "Select which topics participants can use for verification." -#: src/components/project/ProjectPortalEditor.tsx:655 +#: src/components/project/ProjectPortalEditor.tsx:657 msgid "Default" msgstr "Standard" -#: src/components/project/ProjectPortalEditor.tsx:535 +#: src/components/project/ProjectPortalEditor.tsx:537 msgid "Default - No tutorial (Only privacy statements)" msgstr "Standard - Kein Tutorial (Nur Datenschutzbestimmungen)" @@ -970,7 +970,7 @@ msgstr "Möchten Sie zu diesem Projekt beitragen?" msgid "Do you want to stay in the loop?" msgstr "Möchten Sie auf dem Laufenden bleiben?" -#: src/components/layout/Header.tsx:181 +#: src/components/layout/Header.tsx:182 msgid "Documentation" msgstr "Dokumentation" @@ -1006,7 +1006,7 @@ msgstr "Transkript-Download-Optionen" msgid "Drag audio files here or click to select files" msgstr "Ziehen Sie Audio-Dateien hier oder klicken Sie, um Dateien auszuwählen" -#: src/components/project/ProjectPortalEditor.tsx:464 +#: src/components/project/ProjectPortalEditor.tsx:465 msgid "Dutch" msgstr "Niederländisch" @@ -1091,24 +1091,24 @@ msgstr "2FA aktivieren" #~ msgid "Enable Dembrane Verify" #~ msgstr "Enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:592 +#: src/components/project/ProjectPortalEditor.tsx:594 msgid "Enable Go deeper" msgstr "Tiefer eintauchen aktivieren" -#: src/components/project/ProjectPortalEditor.tsx:792 +#: src/components/project/ProjectPortalEditor.tsx:794 msgid "Enable Make it concrete" msgstr "Konkret machen aktivieren" -#: src/components/project/ProjectPortalEditor.tsx:930 +#: src/components/project/ProjectPortalEditor.tsx:932 msgid "Enable Report Notifications" msgstr "Benachrichtigungen für Berichte aktivieren" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:775 +#: src/components/project/ProjectPortalEditor.tsx:777 msgid "dashboard.dembrane.concrete.description" msgstr "Aktiviere diese Funktion, damit Teilnehmende konkrete Ergebnisse aus ihrem Gespräch erstellen können. Sie können nach der Aufnahme ein Thema auswählen und gemeinsam ein Artefakt erstellen, das ihre Ideen festhält." -#: src/components/project/ProjectPortalEditor.tsx:914 +#: src/components/project/ProjectPortalEditor.tsx:916 msgid "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." msgstr "Aktivieren Sie diese Funktion, um Teilnehmern zu ermöglichen, Benachrichtigungen zu erhalten, wenn ein Bericht veröffentlicht oder aktualisiert wird. Teilnehmer können ihre E-Mail-Adresse eingeben, um Updates zu abonnieren und informiert zu bleiben." @@ -1121,7 +1121,7 @@ msgstr "Aktivieren Sie diese Funktion, um Teilnehmern zu ermöglichen, Benachric #~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." #~ msgstr "Aktivieren Sie diese Funktion, um Teilnehmern die Möglichkeit zu geben, AI-gesteuerte Antworten während ihres Gesprächs anzufordern. Teilnehmer können nach Aufnahme ihrer Gedanken auf \"Dembrane Antwort\" klicken, um kontextbezogene Rückmeldungen zu erhalten, die tiefere Reflexion und Engagement fördern. Ein Abkühlungszeitraum gilt zwischen Anfragen." -#: src/components/project/ProjectPortalEditor.tsx:575 +#: src/components/project/ProjectPortalEditor.tsx:577 msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." msgstr "Aktiviere das, damit Teilnehmende in ihrem Gespräch KI-Antworten anfordern können. Nach ihrer Aufnahme können sie auf „Tiefer eintauchen“ klicken und bekommen Feedback im Kontext, das zu mehr Reflexion und Beteiligung anregt. Zwischen den Anfragen gibt es eine kurze Wartezeit." @@ -1137,11 +1137,11 @@ msgstr "Aktiviert" #~ msgid "End of list • All {0} conversations loaded" #~ msgstr "Ende der Liste • Alle {0} Gespräche geladen" -#: src/components/project/ProjectPortalEditor.tsx:463 +#: src/components/project/ProjectPortalEditor.tsx:464 msgid "English" msgstr "Englisch" -#: src/components/project/ProjectPortalEditor.tsx:133 +#: src/components/project/ProjectPortalEditor.tsx:134 msgid "Enter a key term or proper noun" msgstr "Geben Sie einen Schlüsselbegriff oder Eigennamen ein" @@ -1286,7 +1286,7 @@ msgstr "Fehler beim Aktivieren des Automatischen Auswählens für diesen Chat" msgid "Failed to finish conversation. Please try again." msgstr "Fehler beim Beenden des Gesprächs. Bitte versuchen Sie es erneut." -#: src/components/participant/verify/VerifySelection.tsx:141 +#: src/components/participant/verify/VerifySelection.tsx:142 msgid "Failed to generate {label}. Please try again." msgstr "Fehler beim Generieren von {label}. Bitte versuchen Sie es erneut." @@ -1444,7 +1444,7 @@ msgstr "Vorname" msgid "Forgot your password?" msgstr "Passwort vergessen?" -#: src/components/project/ProjectPortalEditor.tsx:467 +#: src/components/project/ProjectPortalEditor.tsx:468 msgid "French" msgstr "Französisch" @@ -1467,7 +1467,7 @@ msgstr "Zusammenfassung generieren" msgid "Generating the summary. Please wait..." msgstr "Zusammenfassung wird erstellt. Kurz warten ..." -#: src/components/project/ProjectPortalEditor.tsx:465 +#: src/components/project/ProjectPortalEditor.tsx:466 msgid "German" msgstr "Deutsch" @@ -1493,7 +1493,7 @@ msgstr "Go back" msgid "participant.concrete.artefact.action.button.go.back" msgstr "Zurück" -#: src/components/project/ProjectPortalEditor.tsx:564 +#: src/components/project/ProjectPortalEditor.tsx:566 msgid "Go deeper" msgstr "Tiefer eintauchen" @@ -1517,8 +1517,12 @@ msgstr "Zur neuen Unterhaltung gehen" msgid "Has verified artifacts" msgstr "Hat verifizierte Artefakte" +#: src/components/layout/Header.tsx:194 +msgid "Help us translate" +msgstr "Helfen Sie uns zu übersetzen" + #. placeholder {0}: user.first_name ?? "User" -#: src/components/layout/Header.tsx:159 +#: src/components/layout/Header.tsx:160 msgid "Hi, {0}" msgstr "Hallo, {0}" @@ -1526,7 +1530,7 @@ msgstr "Hallo, {0}" msgid "Hidden" msgstr "Verborgen" -#: src/components/participant/verify/VerifySelection.tsx:113 +#: src/components/participant/verify/VerifySelection.tsx:114 msgid "Hidden gem" msgstr "Verborgener Schatz" @@ -1661,8 +1665,12 @@ msgstr "Fehler beim Laden des Artefakts. Versuch es gleich nochmal." msgid "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." msgstr "Es klingt, als würden mehrere Personen sprechen. Wenn Sie abwechselnd sprechen, können wir alle deutlich hören." +#: src/components/project/ProjectPortalEditor.tsx:469 +msgid "Italian" +msgstr "Italienisch" + #. placeholder {0}: project?.default_conversation_title ?? "the conversation" -#: src/components/project/ProjectQRCode.tsx:99 +#: src/components/project/ProjectQRCode.tsx:103 msgid "Join {0} on Dembrane" msgstr "Treten Sie {0} auf Dembrane bei" @@ -1677,7 +1685,7 @@ msgstr "Einen Moment bitte" msgid "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." msgstr "Halten Sie den Zugriff sicher mit einem Einmalcode aus Ihrer Authentifizierungs-App. Aktivieren oder deaktivieren Sie die Zwei-Faktor-Authentifizierung für dieses Konto." -#: src/components/project/ProjectPortalEditor.tsx:456 +#: src/components/project/ProjectPortalEditor.tsx:457 msgid "Language" msgstr "Sprache" @@ -1752,7 +1760,7 @@ msgstr "Live Audiopegel:" #~ msgid "Live audio level:" #~ msgstr "Live Audiopegel:" -#: src/components/project/ProjectPortalEditor.tsx:1124 +#: src/components/project/ProjectPortalEditor.tsx:1126 msgid "Live Preview" msgstr "Live Vorschau" @@ -1782,7 +1790,7 @@ msgstr "Audit-Protokolle werden geladen…" msgid "Loading collections..." msgstr "Sammlungen werden geladen..." -#: src/components/project/ProjectPortalEditor.tsx:831 +#: src/components/project/ProjectPortalEditor.tsx:833 msgid "Loading concrete topics…" msgstr "Konkrete Themen werden geladen…" @@ -1807,7 +1815,7 @@ msgstr "wird geladen..." msgid "Loading..." msgstr "Laden..." -#: src/components/participant/verify/VerifySelection.tsx:247 +#: src/components/participant/verify/VerifySelection.tsx:248 msgid "Loading…" msgstr "Laden…" @@ -1823,7 +1831,7 @@ msgstr "Anmelden | Dembrane" msgid "Login as an existing user" msgstr "Als bestehender Benutzer anmelden" -#: src/components/layout/Header.tsx:191 +#: src/components/layout/Header.tsx:201 msgid "Logout" msgstr "Abmelden" @@ -1832,7 +1840,7 @@ msgid "Longest First" msgstr "Längste zuerst" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:762 +#: src/components/project/ProjectPortalEditor.tsx:764 msgid "dashboard.dembrane.concrete.title" msgstr "Konkrete Themen" @@ -1866,7 +1874,7 @@ msgstr "Der Mikrofonzugriff ist weiterhin verweigert. Bitte überprüfen Sie Ihr #~ msgid "min" #~ msgstr "min" -#: src/components/project/ProjectPortalEditor.tsx:615 +#: src/components/project/ProjectPortalEditor.tsx:617 msgid "Mode" msgstr "Modus" @@ -1936,7 +1944,7 @@ msgid "Newest First" msgstr "Neueste zuerst" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:396 +#: src/components/participant/ParticipantOnboardingCards.tsx:421 msgid "participant.button.next" msgstr "Weiter" @@ -1946,7 +1954,7 @@ msgid "participant.ready.to.begin.button.text" msgstr "Bereit zum Beginn" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:249 +#: src/components/participant/verify/VerifySelection.tsx:250 msgid "participant.concrete.selection.button.next" msgstr "Weiter" @@ -1987,7 +1995,7 @@ msgstr "Keine Chats gefunden. Starten Sie einen Chat mit dem \"Fragen\"-Button." msgid "No collections found" msgstr "Keine Sammlungen gefunden" -#: src/components/project/ProjectPortalEditor.tsx:835 +#: src/components/project/ProjectPortalEditor.tsx:837 msgid "No concrete topics available." msgstr "Keine konkreten Themen verfügbar." @@ -2085,7 +2093,7 @@ msgstr "Noch kein Transkript für dieses Gespräch vorhanden. Bitte später erne msgid "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." msgstr "Es wurden keine gültigen Audio-Dateien ausgewählt. Bitte wählen Sie nur Audio-Dateien (MP3, WAV, OGG, etc.) aus." -#: src/components/participant/verify/VerifySelection.tsx:211 +#: src/components/participant/verify/VerifySelection.tsx:212 msgid "No verification topics are configured for this project." msgstr "Für dieses Projekt sind keine Verifizierungsthemen konfiguriert." @@ -2175,7 +2183,7 @@ msgstr "Übersicht" msgid "Overview - Themes & patterns" msgstr "Overview – Themes & Patterns" -#: src/components/project/ProjectPortalEditor.tsx:990 +#: src/components/project/ProjectPortalEditor.tsx:992 msgid "Page Content" msgstr "Seiteninhalt" @@ -2183,7 +2191,7 @@ msgstr "Seiteninhalt" msgid "Page not found" msgstr "Seite nicht gefunden" -#: src/components/project/ProjectPortalEditor.tsx:967 +#: src/components/project/ProjectPortalEditor.tsx:969 msgid "Page Title" msgstr "Seitentitel" @@ -2192,7 +2200,7 @@ msgstr "Seitentitel" msgid "Participant" msgstr "Teilnehmer" -#: src/components/project/ProjectPortalEditor.tsx:558 +#: src/components/project/ProjectPortalEditor.tsx:560 msgid "Participant Features" msgstr "Teilnehmer-Funktionen" @@ -2358,7 +2366,7 @@ msgstr "Bitte überprüfen Sie Ihre Eingaben auf Fehler." #~ msgid "Please do not close your browser" #~ msgstr "Bitte schließen Sie Ihren Browser nicht" -#: src/components/project/ProjectQRCode.tsx:129 +#: src/components/project/ProjectQRCode.tsx:133 msgid "Please enable participation to enable sharing" msgstr "Bitte aktivieren Sie die Teilnahme, um das Teilen zu ermöglichen" @@ -2436,11 +2444,11 @@ msgstr "Bitte warten Sie, während wir Ihren Bericht aktualisieren. Sie werden a msgid "Please wait while we verify your email address." msgstr "Bitte warten Sie, während wir Ihre E-Mail-Adresse verifizieren." -#: src/components/project/ProjectPortalEditor.tsx:957 +#: src/components/project/ProjectPortalEditor.tsx:959 msgid "Portal Content" msgstr "Portal Inhalt" -#: src/components/project/ProjectPortalEditor.tsx:415 +#: src/components/project/ProjectPortalEditor.tsx:416 #: src/components/layout/ProjectOverviewLayout.tsx:43 msgid "Portal Editor" msgstr "Portal Editor" @@ -2560,7 +2568,7 @@ msgid "Read aloud" msgstr "Vorlesen" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:259 +#: src/components/participant/ParticipantOnboardingCards.tsx:284 msgid "participant.ready.to.begin" msgstr "Bereit zum Beginn" @@ -2612,7 +2620,7 @@ msgstr "Referenzen" msgid "participant.button.refine" msgstr "Verfeinern" -#: src/components/project/ProjectPortalEditor.tsx:1132 +#: src/components/project/ProjectPortalEditor.tsx:1134 msgid "Refresh" msgstr "Aktualisieren" @@ -2685,7 +2693,7 @@ msgstr "Umbenennen" #~ msgid "Rename" #~ msgstr "Umbenennen" -#: src/components/project/ProjectPortalEditor.tsx:730 +#: src/components/project/ProjectPortalEditor.tsx:732 msgid "Reply Prompt" msgstr "Antwort Prompt" @@ -2695,7 +2703,7 @@ msgstr "Antwort Prompt" msgid "Report" msgstr "Bericht" -#: src/components/layout/Header.tsx:75 +#: src/components/layout/Header.tsx:76 msgid "Report an issue" msgstr "Ein Problem melden" @@ -2708,7 +2716,7 @@ msgstr "Bericht erstellt - {0}" msgid "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." msgstr "Berichtgenerierung befindet sich derzeit in der Beta und ist auf Projekte mit weniger als 10 Stunden Aufnahme beschränkt." -#: src/components/project/ProjectPortalEditor.tsx:911 +#: src/components/project/ProjectPortalEditor.tsx:913 msgid "Report Notifications" msgstr "Berichtsbenachrichtigungen" @@ -2888,7 +2896,7 @@ msgstr "Geheimnis kopiert" #~ msgid "See conversation status details" #~ msgstr "Gesprächstatusdetails ansehen" -#: src/components/layout/Header.tsx:105 +#: src/components/layout/Header.tsx:106 msgid "See you soon" msgstr "Bis bald" @@ -2919,20 +2927,20 @@ msgstr "Projekt auswählen" msgid "Select tags" msgstr "Tags auswählen" -#: src/components/project/ProjectPortalEditor.tsx:524 +#: src/components/project/ProjectPortalEditor.tsx:526 msgid "Select the instructions that will be shown to participants when they start a conversation" msgstr "Wählen Sie die Anweisungen aus, die den Teilnehmern beim Starten eines Gesprächs angezeigt werden" -#: src/components/project/ProjectPortalEditor.tsx:620 +#: src/components/project/ProjectPortalEditor.tsx:622 msgid "Select the type of feedback or engagement you want to encourage." msgstr "Wählen Sie den Typ der Rückmeldung oder der Beteiligung, die Sie fördern möchten." -#: src/components/project/ProjectPortalEditor.tsx:512 +#: src/components/project/ProjectPortalEditor.tsx:514 msgid "Select tutorial" msgstr "Tutorial auswählen" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:824 +#: src/components/project/ProjectPortalEditor.tsx:826 msgid "dashboard.dembrane.concrete.topic.select" msgstr "Wähl ein konkretes Thema aus." @@ -2973,7 +2981,7 @@ msgstr "Ihr erstes Projekt einrichten" #: src/routes/settings/UserSettingsRoute.tsx:39 #: src/components/layout/ParticipantHeader.tsx:93 #: src/components/layout/ParticipantHeader.tsx:94 -#: src/components/layout/Header.tsx:170 +#: src/components/layout/Header.tsx:171 msgid "Settings" msgstr "Einstellungen" @@ -2986,7 +2994,7 @@ msgstr "Einstellungen" msgid "Settings | Dembrane" msgstr "Settings | Dembrane" -#: src/components/project/ProjectQRCode.tsx:104 +#: src/components/project/ProjectQRCode.tsx:108 msgid "Share" msgstr "Teilen" @@ -3063,7 +3071,7 @@ msgstr "{displayFrom}–{displayTo} von {totalItems} Einträgen werden angezeigt #~ msgstr "Mit Google anmelden" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:281 +#: src/components/participant/ParticipantOnboardingCards.tsx:306 msgid "participant.mic.check.button.skip" msgstr "Überspringen" @@ -3074,7 +3082,7 @@ msgstr "Überspringen" #~ msgid "Skip data privacy slide (Host manages consent)" #~ msgstr "Datenschutzkarte überspringen (Organisation verwaltet Zustimmung)" -#: src/components/project/ProjectPortalEditor.tsx:531 +#: src/components/project/ProjectPortalEditor.tsx:533 msgid "Skip data privacy slide (Host manages legal base)" msgstr "Datenschutzkarte überspringen (Organisation verwaltet Zustimmung)" @@ -3143,14 +3151,14 @@ msgstr "Quelle {0}" #~ msgid "Sources:" #~ msgstr "Quellen:" -#: src/components/project/ProjectPortalEditor.tsx:466 +#: src/components/project/ProjectPortalEditor.tsx:467 msgid "Spanish" msgstr "Spanisch" #~ msgid "Speaker" #~ msgstr "Sprecher" -#: src/components/project/ProjectPortalEditor.tsx:124 +#: src/components/project/ProjectPortalEditor.tsx:125 msgid "Specific Context" msgstr "Spezifischer Kontext" @@ -3302,7 +3310,7 @@ msgstr "Text" msgid "Thank you for participating!" msgstr "Vielen Dank für Ihre Teilnahme!" -#: src/components/project/ProjectPortalEditor.tsx:1020 +#: src/components/project/ProjectPortalEditor.tsx:1022 msgid "Thank You Page Content" msgstr "Danke-Seite Inhalt" @@ -3427,7 +3435,7 @@ msgstr "Diese E-Mail ist bereits in der Liste." msgid "participant.modal.refine.info.available.in" msgstr "Diese Funktion wird in {remainingTime} Sekunden verfügbar sein." -#: src/components/project/ProjectPortalEditor.tsx:1136 +#: src/components/project/ProjectPortalEditor.tsx:1138 msgid "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." msgstr "Dies ist eine Live-Vorschau des Teilnehmerportals. Sie müssen die Seite aktualisieren, um die neuesten Änderungen zu sehen." @@ -3448,22 +3456,22 @@ msgstr "Bibliothek" #~ msgid "This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead." #~ msgstr "Diese Sprache wird für das Teilnehmerportal, die Transkription und die Analyse verwendet. Um die Sprache dieser Anwendung zu ändern, verwenden Sie bitte stattdessen die Sprachauswahl im Benutzermenü der Kopfzeile." -#: src/components/project/ProjectPortalEditor.tsx:461 +#: src/components/project/ProjectPortalEditor.tsx:462 msgid "This language will be used for the Participant's Portal." msgstr "Diese Sprache wird für das Teilnehmerportal verwendet." -#: src/components/project/ProjectPortalEditor.tsx:1030 +#: src/components/project/ProjectPortalEditor.tsx:1032 msgid "This page is shown after the participant has completed the conversation." msgstr "Diese Seite wird angezeigt, nachdem der Teilnehmer das Gespräch beendet hat." -#: src/components/project/ProjectPortalEditor.tsx:1000 +#: src/components/project/ProjectPortalEditor.tsx:1002 msgid "This page is shown to participants when they start a conversation after they successfully complete the tutorial." msgstr "Diese Seite wird den Teilnehmern angezeigt, wenn sie nach erfolgreichem Abschluss des Tutorials ein Gespräch beginnen." #~ msgid "This project library was generated on" #~ msgstr "Diese Projektbibliothek wurde generiert am" -#: src/components/project/ProjectPortalEditor.tsx:741 +#: src/components/project/ProjectPortalEditor.tsx:743 msgid "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." msgstr "Dieser Prompt leitet ein, wie die KI auf die Teilnehmer reagiert. Passen Sie ihn an, um den Typ der Rückmeldung oder Engagement zu bestimmen, den Sie fördern möchten." @@ -3479,7 +3487,7 @@ msgstr "Dieser Bericht wurde von {0} Personen geöffnet" #~ msgid "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." #~ msgstr "Diese Zusammenfassung ist KI-generiert und kurz, für eine gründliche Analyse verwenden Sie den Chat oder die Bibliothek." -#: src/components/project/ProjectPortalEditor.tsx:978 +#: src/components/project/ProjectPortalEditor.tsx:980 msgid "This title is shown to participants when they start a conversation" msgstr "Dieser Titel wird den Teilnehmern angezeigt, wenn sie ein Gespräch beginnen" @@ -3944,7 +3952,7 @@ msgid "What are the main themes across all conversations?" msgstr "Was sind die Hauptthemen über alle Gespräche hinweg?" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:195 +#: src/components/participant/verify/VerifySelection.tsx:196 msgid "participant.concrete.selection.title" msgstr "Was möchtest du konkret machen?" diff --git a/echo/frontend/src/locales/de-DE.ts b/echo/frontend/src/locales/de-DE.ts index 2fadadec..934f98a4 100644 --- a/echo/frontend/src/locales/de-DE.ts +++ b/echo/frontend/src/locales/de-DE.ts @@ -1 +1 @@ -/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"Sie sind nicht authentifiziert\"],\"You don't have permission to access this.\":[\"Sie haben keine Berechtigung, darauf zuzugreifen.\"],\"Resource not found\":[\"Ressource nicht gefunden\"],\"Server error\":[\"Serverfehler\"],\"Something went wrong\":[\"Etwas ist schief gelaufen\"],\"We're preparing your workspace.\":[\"Wir bereiten deinen Arbeitsbereich vor.\"],\"Preparing your dashboard\":[\"Dein Dashboard wird vorbereitet\"],\"Welcome back\":[\"Willkommen zurück\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"dashboard.dembrane.concrete.experimental\"],\"participant.button.go.deeper\":[\"Tiefer eintauchen\"],\"participant.button.make.concrete\":[\"Konkret machen\"],\"library.generate.duration.message\":[\"Die Bibliothek wird \",[\"duration\"],\" dauern.\"],\"uDvV8j\":[\" Absenden\"],\"aMNEbK\":[\" Von Benachrichtigungen abmelden\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"Tiefer eintauchen\"],\"participant.modal.refine.info.title.concrete\":[\"Konkret machen\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Verfeinern\\\" bald verfügbar\"],\"2NWk7n\":[\"(für verbesserte Audioverarbeitung)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" bereit\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Gespräche • Bearbeitet \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" ausgewählt\"],\"P1pDS8\":[[\"diffInDays\"],\" Tage zuvor\"],\"bT6AxW\":[[\"diffInHours\"],\" Stunden zuvor\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Derzeit ist \",\"#\",\" Unterhaltung bereit zur Analyse.\"],\"other\":[\"Derzeit sind \",\"#\",\" Unterhaltungen bereit zur Analyse.\"]}]],\"fyE7Au\":[[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"TVD5At\":[[\"readingNow\"],\" liest gerade\"],\"U7Iesw\":[[\"seconds\"],\" Sekunden\"],\"library.conversations.still.processing\":[[\"0\"],\" werden noch verarbeitet.\"],\"ZpJ0wx\":[\"*Transkription wird durchgeführt.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Warte \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspekte\"],\"DX/Wkz\":[\"Konto-Passwort\"],\"L5gswt\":[\"Aktion von\"],\"UQXw0W\":[\"Aktion am\"],\"7L01XJ\":[\"Aktionen\"],\"m16xKo\":[\"Hinzufügen\"],\"1m+3Z3\":[\"Zusätzlichen Kontext hinzufügen (Optional)\"],\"Se1KZw\":[\"Alle zutreffenden hinzufügen\"],\"1xDwr8\":[\"Fügen Sie Schlüsselbegriffe oder Eigennamen hinzu, um die Qualität und Genauigkeit der Transkription zu verbessern.\"],\"ndpRPm\":[\"Neue Aufnahmen zu diesem Projekt hinzufügen. Dateien, die Sie hier hochladen, werden verarbeitet und in Gesprächen erscheinen.\"],\"Ralayn\":[\"Tag hinzufügen\"],\"IKoyMv\":[\"Tags hinzufügen\"],\"NffMsn\":[\"Zu diesem Chat hinzufügen\"],\"Na90E+\":[\"Hinzugefügte E-Mails\"],\"SJCAsQ\":[\"Kontext wird hinzugefügt:\"],\"OaKXud\":[\"Erweitert (Tipps und best practices)\"],\"TBpbDp\":[\"Erweitert (Tipps und Tricks)\"],\"JiIKww\":[\"Erweiterte Einstellungen\"],\"cF7bEt\":[\"Alle Aktionen\"],\"O1367B\":[\"Alle Sammlungen\"],\"Cmt62w\":[\"Alle Gespräche bereit\"],\"u/fl/S\":[\"Alle Dateien wurden erfolgreich hochgeladen.\"],\"baQJ1t\":[\"Alle Erkenntnisse\"],\"3goDnD\":[\"Teilnehmern erlauben, über den Link neue Gespräche zu beginnen\"],\"bruUug\":[\"Fast geschafft\"],\"H7cfSV\":[\"Bereits zu diesem Chat hinzugefügt\"],\"jIoHDG\":[\"Eine E-Mail-Benachrichtigung wird an \",[\"0\"],\" Teilnehmer\",[\"1\"],\" gesendet. Möchten Sie fortfahren?\"],\"G54oFr\":[\"Eine E-Mail-Benachrichtigung wird an \",[\"0\"],\" Teilnehmer\",[\"1\"],\" gesendet. Möchten Sie fortfahren?\"],\"8q/YVi\":[\"Beim Laden des Portals ist ein Fehler aufgetreten. Bitte kontaktieren Sie das Support-Team.\"],\"XyOToQ\":[\"Ein Fehler ist aufgetreten.\"],\"QX6zrA\":[\"Analyse\"],\"F4cOH1\":[\"Analyse Sprache\"],\"1x2m6d\":[\"Analyse diese Elemente mit Tiefe und Nuance. Bitte:\\n\\nFokussieren Sie sich auf unerwartete Verbindungen und Gegenüberstellungen\\nGehen Sie über offensichtliche Oberflächenvergleiche hinaus\\nIdentifizieren Sie versteckte Muster, die die meisten Analysen übersehen\\nBleiben Sie analytisch rigoros, während Sie ansprechend bleiben\\nVerwenden Sie Beispiele, die tiefere Prinzipien erhellen\\nStrukturieren Sie die Analyse, um Verständnis zu erlangen\\nZiehen Sie Erkenntnisse hervor, die konventionelle Weisheiten herausfordern\\n\\nHinweis: Wenn die Ähnlichkeiten/Unterschiede zu oberflächlich sind, lassen Sie es mich wissen, wir brauchen komplexeres Material zu analysieren.\"],\"Dzr23X\":[\"Ankündigungen\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Freigeben\"],\"conversation.verified.approved\":[\"Genehmigt\"],\"Q5Z2wp\":[\"Sind Sie sicher, dass Sie dieses Gespräch löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden.\"],\"kWiPAC\":[\"Sind Sie sicher, dass Sie dieses Projekt löschen möchten?\"],\"YF1Re1\":[\"Sind Sie sicher, dass Sie dieses Projekt löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden.\"],\"B8ymes\":[\"Sind Sie sicher, dass Sie diese Aufnahme löschen möchten?\"],\"G2gLnJ\":[\"Are you sure you want to delete this tag?\"],\"aUsm4A\":[\"Sind Sie sicher, dass Sie diesen Tag löschen möchten? Dies wird den Tag aus den bereits enthaltenen Gesprächen entfernen.\"],\"participant.modal.finish.message.text.mode\":[\"Sind Sie sicher, dass Sie das Gespräch beenden möchten?\"],\"xu5cdS\":[\"Sind Sie sicher, dass Sie fertig sind?\"],\"sOql0x\":[\"Sind Sie sicher, dass Sie die Bibliothek generieren möchten? Dies wird eine Weile dauern und Ihre aktuellen Ansichten und Erkenntnisse überschreiben.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Sind Sie sicher, dass Sie das Zusammenfassung erneut generieren möchten? Sie werden die aktuelle Zusammenfassung verlieren.\"],\"JHgUuT\":[\"Artefakt erfolgreich freigegeben!\"],\"IbpaM+\":[\"Artefakt erfolgreich neu geladen!\"],\"Qcm/Tb\":[\"Artefakt erfolgreich überarbeitet!\"],\"uCzCO2\":[\"Artefakt erfolgreich aktualisiert!\"],\"KYehbE\":[\"Artefakte\"],\"jrcxHy\":[\"Artefakte\"],\"F+vBv0\":[\"Fragen\"],\"Rjlwvz\":[\"Nach Namen fragen?\"],\"5gQcdD\":[\"Teilnehmer bitten, ihren Namen anzugeben, wenn sie ein Gespräch beginnen\"],\"84NoFa\":[\"Aspekt\"],\"HkigHK\":[\"Aspekte\"],\"kskjVK\":[\"Assistent schreibt...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"Wähle mindestens ein Thema, um Konkret machen zu aktivieren\"],\"DMBYlw\":[\"Audioverarbeitung wird durchgeführt\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Audioaufnahmen werden 30 Tage nach dem Aufnahmedatum gelöscht\"],\"IOBCIN\":[\"Audio-Tipp\"],\"y2W2Hg\":[\"Audit-Protokolle\"],\"aL1eBt\":[\"Audit-Protokolle als CSV exportiert\"],\"mS51hl\":[\"Audit-Protokolle als JSON exportiert\"],\"z8CQX2\":[\"Authentifizierungscode\"],\"/iCiQU\":[\"Automatisch auswählen\"],\"3D5FPO\":[\"Automatisch auswählen deaktiviert\"],\"ajAMbT\":[\"Automatisch auswählen aktiviert\"],\"jEqKwR\":[\"Quellen automatisch auswählen, um dem Chat hinzuzufügen\"],\"vtUY0q\":[\"Relevante Gespräche automatisch für die Analyse ohne manuelle Auswahl einschließt\"],\"csDS2L\":[\"Verfügbar\"],\"participant.button.back.microphone\":[\"Zurück\"],\"participant.button.back\":[\"Zurück\"],\"iH8pgl\":[\"Zurück\"],\"/9nVLo\":[\"Zurück zur Auswahl\"],\"wVO5q4\":[\"Grundlegend (Wesentliche Tutorial-Folien)\"],\"epXTwc\":[\"Grundlegende Einstellungen\"],\"GML8s7\":[\"Beginnen!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture – Themen & Muster\"],\"YgG3yv\":[\"Ideen brainstormen\"],\"ba5GvN\":[\"Durch das Löschen dieses Projekts werden alle damit verbundenen Daten gelöscht. Diese Aktion kann nicht rückgängig gemacht werden. Sind Sie ABSOLUT sicher, dass Sie dieses Projekt löschen möchten?\"],\"dEgA5A\":[\"Abbrechen\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Abbrechen\"],\"participant.concrete.action.button.cancel\":[\"Abbrechen\"],\"participant.concrete.instructions.button.cancel\":[\"Abbrechen\"],\"RKD99R\":[\"Leeres Gespräch kann nicht hinzugefügt werden\"],\"JFFJDJ\":[\"Änderungen werden automatisch gespeichert, während Sie die App weiter nutzen. <0/>Sobald Sie ungespeicherte Änderungen haben, können Sie überall klicken, um die Änderungen zu speichern. <1/>Sie sehen auch einen Button zum Abbrechen der Änderungen.\"],\"u0IJto\":[\"Änderungen werden automatisch gespeichert\"],\"xF/jsW\":[\"Das Ändern der Sprache während eines aktiven Chats kann unerwartete Ergebnisse hervorrufen. Es wird empfohlen, ein neues Gespräch zu beginnen, nachdem die Sprache geändert wurde. Sind Sie sicher, dass Sie fortfahren möchten?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chat\"],\"project.sidebar.chat.title\":[\"Chat\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Mikrofonzugriff prüfen\"],\"+e4Yxz\":[\"Mikrofonzugriff prüfen\"],\"v4fiSg\":[\"Überprüfen Sie Ihre E-Mail\"],\"pWT04I\":[\"Überprüfe...\"],\"DakUDF\":[\"Wähl dein Theme für das Interface\"],\"0ngaDi\":[\"Quellen zitieren\"],\"B2pdef\":[\"Klicken Sie auf \\\"Dateien hochladen\\\", wenn Sie bereit sind, den Upload-Prozess zu starten.\"],\"BPrdpc\":[\"Projekt klonen\"],\"9U86tL\":[\"Projekt klonen\"],\"yz7wBu\":[\"Schließen\"],\"q+hNag\":[\"Sammlung\"],\"Wqc3zS\":[\"Vergleichen & Gegenüberstellen\"],\"jlZul5\":[\"Vergleichen und stellen Sie die folgenden im Kontext bereitgestellten Elemente gegenüber.\"],\"bD8I7O\":[\"Abgeschlossen\"],\"6jBoE4\":[\"Konkrete Themen\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Weiter\"],\"yjkELF\":[\"Neues Passwort bestätigen\"],\"p2/GCq\":[\"Passwort bestätigen\"],\"puQ8+/\":[\"Veröffentlichung bestätigen\"],\"L0k594\":[\"Bestätigen Sie Ihr Passwort, um ein neues Geheimnis für Ihre Authentifizierungs-App zu generieren.\"],\"JhzMcO\":[\"Verbindung zu den Berichtsdiensten wird hergestellt...\"],\"wX/BfX\":[\"Verbindung gesund\"],\"WimHuY\":[\"Verbindung ungesund\"],\"DFFB2t\":[\"Kontakt zu Verkaufsvertretern\"],\"VlCTbs\":[\"Kontaktieren Sie Ihren Verkaufsvertreter, um diese Funktion heute zu aktivieren!\"],\"M73whl\":[\"Kontext\"],\"VHSco4\":[\"Kontext hinzugefügt:\"],\"participant.button.continue\":[\"Weiter\"],\"xGVfLh\":[\"Weiter\"],\"F1pfAy\":[\"Gespräch\"],\"EiHu8M\":[\"Gespräch zum Chat hinzugefügt\"],\"ggJDqH\":[\"Audio der Konversation\"],\"participant.conversation.ended\":[\"Gespräch beendet\"],\"BsHMTb\":[\"Gespräch beendet\"],\"26Wuwb\":[\"Gespräch wird verarbeitet\"],\"OtdHFE\":[\"Gespräch aus dem Chat entfernt\"],\"zTKMNm\":[\"Gesprächstatus\"],\"Rdt7Iv\":[\"Gesprächstatusdetails\"],\"a7zH70\":[\"Gespräche\"],\"EnJuK0\":[\"Gespräche\"],\"TQ8ecW\":[\"Gespräche aus QR-Code\"],\"nmB3V3\":[\"Gespräche aus Upload\"],\"participant.refine.cooling.down\":[\"Abkühlung läuft. Verfügbar in \",[\"0\"]],\"6V3Ea3\":[\"Kopiert\"],\"he3ygx\":[\"Kopieren\"],\"y1eoq1\":[\"Link kopieren\"],\"Dj+aS5\":[\"Link zum Teilen dieses Berichts kopieren\"],\"vAkFou\":[\"Geheimnis kopieren\"],\"v3StFl\":[\"Zusammenfassung kopieren\"],\"/4gGIX\":[\"In die Zwischenablage kopieren\"],\"rG2gDo\":[\"Transkript kopieren\"],\"OvEjsP\":[\"Kopieren...\"],\"hYgDIe\":[\"Erstellen\"],\"CSQPC0\":[\"Konto erstellen\"],\"library.create\":[\"Bibliothek erstellen\"],\"O671Oh\":[\"Bibliothek erstellen\"],\"library.create.view.modal.title\":[\"Neue Ansicht erstellen\"],\"vY2Gfm\":[\"Neue Ansicht erstellen\"],\"bsfMt3\":[\"Bericht erstellen\"],\"library.create.view\":[\"Ansicht erstellen\"],\"3D0MXY\":[\"Ansicht erstellen\"],\"45O6zJ\":[\"Erstellt am\"],\"8Tg/JR\":[\"Benutzerdefiniert\"],\"o1nIYK\":[\"Benutzerdefinierter Dateiname\"],\"ZQKLI1\":[\"Gefahrenbereich\"],\"ovBPCi\":[\"Standard\"],\"ucTqrC\":[\"Standard - Kein Tutorial (Nur Datenschutzbestimmungen)\"],\"project.sidebar.chat.delete\":[\"Chat löschen\"],\"cnGeoo\":[\"Löschen\"],\"2DzmAq\":[\"Gespräch löschen\"],\"++iDlT\":[\"Projekt löschen\"],\"+m7PfT\":[\"Erfolgreich gelöscht\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane läuft mit KI. Prüf die Antworten noch mal gegen.\"],\"67znul\":[\"Dembrane Antwort\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Entwickeln Sie ein strategisches Framework, das bedeutende Ergebnisse fördert. Bitte:\\n\\nIdentifizieren Sie die Kernziele und ihre Abhängigkeiten\\nEntwickeln Sie Implementierungspfade mit realistischen Zeiträumen\\nVorhersagen Sie potenzielle Hindernisse und Minderungsstrategien\\nDefinieren Sie klare Metriken für Erfolg, die über Vanity-Indikatoren hinausgehen\\nHervorheben Sie Ressourcenanforderungen und Allokationsprioritäten\\nStrukturieren Sie das Planung für sowohl sofortige Maßnahmen als auch langfristige Vision\\nEntscheidungsgrenzen und Pivot-Punkte einschließen\\n\\nHinweis: Focus on strategies that create sustainable competitive advantages, not just incremental improvements.\"],\"qERl58\":[\"2FA deaktivieren\"],\"yrMawf\":[\"Zwei-Faktor-Authentifizierung deaktivieren\"],\"E/QGRL\":[\"Deaktiviert\"],\"LnL5p2\":[\"Möchten Sie zu diesem Projekt beitragen?\"],\"JeOjN4\":[\"Möchten Sie auf dem Laufenden bleiben?\"],\"TvY/XA\":[\"Dokumentation\"],\"mzI/c+\":[\"Herunterladen\"],\"5YVf7S\":[\"Alle Transkripte der Gespräche, die für dieses Projekt generiert wurden, herunterladen.\"],\"5154Ap\":[\"Alle Transkripte herunterladen\"],\"8fQs2Z\":[\"Herunterladen als\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Audio herunterladen\"],\"+bBcKo\":[\"Transkript herunterladen\"],\"5XW2u5\":[\"Transkript-Download-Optionen\"],\"hUO5BY\":[\"Ziehen Sie Audio-Dateien hier oder klicken Sie, um Dateien auszuwählen\"],\"KIjvtr\":[\"Niederländisch\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo wird durch AI unterstützt. Bitte überprüfen Sie die Antworten.\"],\"o6tfKZ\":[\"ECHO wird durch AI unterstützt. Bitte überprüfen Sie die Antworten.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Gespräch bearbeiten\"],\"/8fAkm\":[\"Dateiname bearbeiten\"],\"G2KpGE\":[\"Projekt bearbeiten\"],\"DdevVt\":[\"Bericht bearbeiten\"],\"0YvCPC\":[\"Ressource bearbeiten\"],\"report.editor.description\":[\"Bearbeiten Sie den Berichts-Inhalt mit dem Rich-Text-Editor unten. Sie können Text formatieren, Links, Bilder und mehr hinzufügen.\"],\"F6H6Lg\":[\"Bearbeitungsmodus\"],\"O3oNi5\":[\"E-Mail\"],\"wwiTff\":[\"E-Mail-Verifizierung\"],\"Ih5qq/\":[\"E-Mail-Verifizierung | Dembrane\"],\"iF3AC2\":[\"E-Mail erfolgreich verifiziert. Sie werden in 5 Sekunden zur Login-Seite weitergeleitet. Wenn Sie nicht weitergeleitet werden, klicken Sie bitte <0>hier.\"],\"g2N9MJ\":[\"email@work.com\"],\"N2S1rs\":[\"Leer\"],\"DCRKbe\":[\"2FA aktivieren\"],\"ycR/52\":[\"Dembrane Echo aktivieren\"],\"mKGCnZ\":[\"Dembrane ECHO aktivieren\"],\"Dh2kHP\":[\"Dembrane Antwort aktivieren\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Tiefer eintauchen aktivieren\"],\"wGA7d4\":[\"Konkret machen aktivieren\"],\"G3dSLc\":[\"Benachrichtigungen für Berichte aktivieren\"],\"dashboard.dembrane.concrete.description\":[\"Aktiviere diese Funktion, damit Teilnehmende konkrete Ergebnisse aus ihrem Gespräch erstellen können. Sie können nach der Aufnahme ein Thema auswählen und gemeinsam ein Artefakt erstellen, das ihre Ideen festhält.\"],\"Idlt6y\":[\"Aktivieren Sie diese Funktion, um Teilnehmern zu ermöglichen, Benachrichtigungen zu erhalten, wenn ein Bericht veröffentlicht oder aktualisiert wird. Teilnehmer können ihre E-Mail-Adresse eingeben, um Updates zu abonnieren und informiert zu bleiben.\"],\"g2qGhy\":[\"Aktivieren Sie diese Funktion, um Teilnehmern die Möglichkeit zu geben, KI-gesteuerte Antworten während ihres Gesprächs anzufordern. Teilnehmer können nach Aufnahme ihrer Gedanken auf \\\"Echo\\\" klicken, um kontextbezogene Rückmeldungen zu erhalten, die tiefere Reflexion und Engagement fördern. Ein Abkühlungszeitraum gilt zwischen Anfragen.\"],\"pB03mG\":[\"Aktivieren Sie diese Funktion, um Teilnehmern die Möglichkeit zu geben, KI-gesteuerte Antworten während ihres Gesprächs anzufordern. Teilnehmer können nach Aufnahme ihrer Gedanken auf \\\"ECHO\\\" klicken, um kontextbezogene Rückmeldungen zu erhalten, die tiefere Reflexion und Engagement fördern. Ein Abkühlungszeitraum gilt zwischen Anfragen.\"],\"dWv3hs\":[\"Aktivieren Sie diese Funktion, um Teilnehmern die Möglichkeit zu geben, AI-gesteuerte Antworten während ihres Gesprächs anzufordern. Teilnehmer können nach Aufnahme ihrer Gedanken auf \\\"Dembrane Antwort\\\" klicken, um kontextbezogene Rückmeldungen zu erhalten, die tiefere Reflexion und Engagement fördern. Ein Abkühlungszeitraum gilt zwischen Anfragen.\"],\"rkE6uN\":[\"Aktiviere das, damit Teilnehmende in ihrem Gespräch KI-Antworten anfordern können. Nach ihrer Aufnahme können sie auf „Tiefer eintauchen“ klicken und bekommen Feedback im Kontext, das zu mehr Reflexion und Beteiligung anregt. Zwischen den Anfragen gibt es eine kurze Wartezeit.\"],\"329BBO\":[\"Zwei-Faktor-Authentifizierung aktivieren\"],\"RxzN1M\":[\"Aktiviert\"],\"IxzwiB\":[\"Ende der Liste • Alle \",[\"0\"],\" Gespräche geladen\"],\"lYGfRP\":[\"Englisch\"],\"GboWYL\":[\"Geben Sie einen Schlüsselbegriff oder Eigennamen ein\"],\"TSHJTb\":[\"Geben Sie einen Namen für das neue Gespräch ein\"],\"KovX5R\":[\"Geben Sie einen Namen für Ihr geklontes Projekt ein\"],\"34YqUw\":[\"Geben Sie einen gültigen Code ein, um die Zwei-Faktor-Authentifizierung zu deaktivieren.\"],\"2FPsPl\":[\"Dateiname eingeben (ohne Erweiterung)\"],\"vT+QoP\":[\"Geben Sie einen neuen Namen für den Chat ein:\"],\"oIn7d4\":[\"Geben Sie den 6-stelligen Code aus Ihrer Authentifizierungs-App ein.\"],\"q1OmsR\":[\"Geben Sie den aktuellen 6-stelligen Code aus Ihrer Authentifizierungs-App ein.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Geben Sie Ihr Passwort ein\"],\"42tLXR\":[\"Geben Sie Ihre Anfrage ein\"],\"SlfejT\":[\"Fehler\"],\"Ne0Dr1\":[\"Fehler beim Klonen des Projekts\"],\"AEkJ6x\":[\"Fehler beim Erstellen des Berichts\"],\"S2MVUN\":[\"Fehler beim Laden der Ankündigungen\"],\"xcUDac\":[\"Fehler beim Laden der Erkenntnisse\"],\"edh3aY\":[\"Fehler beim Laden des Projekts\"],\"3Uoj83\":[\"Fehler beim Laden der Zitate\"],\"z05QRC\":[\"Fehler beim Aktualisieren des Berichts\"],\"hmk+3M\":[\"Fehler beim Hochladen von \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Alles sieht gut aus – Sie können fortfahren.\"],\"/PykH1\":[\"Alles sieht gut aus – Sie können fortfahren.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimentell\"],\"/bsogT\":[\"Entdecke Themen und Muster über alle Gespräche hinweg\"],\"sAod0Q\":[[\"conversationCount\"],\" Gespräche werden analysiert\"],\"GS+Mus\":[\"Exportieren\"],\"7Bj3x9\":[\"Fehlgeschlagen\"],\"bh2Vob\":[\"Fehler beim Hinzufügen des Gesprächs zum Chat\"],\"ajvYcJ\":[\"Fehler beim Hinzufügen des Gesprächs zum Chat\",[\"0\"]],\"9GMUFh\":[\"Artefakt konnte nicht freigegeben werden. Bitte versuchen Sie es erneut.\"],\"RBpcoc\":[\"Fehler beim Kopieren des Chats. Bitte versuchen Sie es erneut.\"],\"uvu6eC\":[\"Transkript konnte nicht kopiert werden. Versuch es noch mal.\"],\"BVzTya\":[\"Fehler beim Löschen der Antwort\"],\"p+a077\":[\"Fehler beim Deaktivieren des Automatischen Auswählens für diesen Chat\"],\"iS9Cfc\":[\"Fehler beim Aktivieren des Automatischen Auswählens für diesen Chat\"],\"Gu9mXj\":[\"Fehler beim Beenden des Gesprächs. Bitte versuchen Sie es erneut.\"],\"vx5bTP\":[\"Fehler beim Generieren von \",[\"label\"],\". Bitte versuchen Sie es erneut.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Zusammenfassung konnte nicht erstellt werden. Versuch es später noch mal.\"],\"DKxr+e\":[\"Fehler beim Laden der Ankündigungen\"],\"TSt/Iq\":[\"Fehler beim Laden der neuesten Ankündigung\"],\"D4Bwkb\":[\"Fehler beim Laden der Anzahl der ungelesenen Ankündigungen\"],\"AXRzV1\":[\"Fehler beim Laden des Audio oder das Audio ist nicht verfügbar\"],\"T7KYJY\":[\"Fehler beim Markieren aller Ankündigungen als gelesen\"],\"eGHX/x\":[\"Fehler beim Markieren der Ankündigung als gelesen\"],\"SVtMXb\":[\"Fehler beim erneuten Generieren der Zusammenfassung. Bitte versuchen Sie es erneut.\"],\"h49o9M\":[\"Neu laden fehlgeschlagen. Bitte versuchen Sie es erneut.\"],\"kE1PiG\":[\"Fehler beim Entfernen des Gesprächs aus dem Chat\"],\"+piK6h\":[\"Fehler beim Entfernen des Gesprächs aus dem Chat\",[\"0\"]],\"SmP70M\":[\"Fehler beim Hertranskribieren des Gesprächs. Bitte versuchen Sie es erneut.\"],\"hhLiKu\":[\"Artefakt konnte nicht überarbeitet werden. Bitte versuchen Sie es erneut.\"],\"wMEdO3\":[\"Fehler beim Beenden der Aufnahme bei Änderung des Mikrofons. Bitte versuchen Sie es erneut.\"],\"wH6wcG\":[\"E-Mail-Status konnte nicht überprüft werden. Bitte versuchen Sie es erneut.\"],\"participant.modal.refine.info.title\":[\"Funktion bald verfügbar\"],\"87gcCP\":[\"Datei \\\"\",[\"0\"],\"\\\" überschreitet die maximale Größe von \",[\"1\"],\".\"],\"ena+qV\":[\"Datei \\\"\",[\"0\"],\"\\\" hat ein nicht unterstütztes Format. Nur Audio-Dateien sind erlaubt.\"],\"LkIAge\":[\"Datei \\\"\",[\"0\"],\"\\\" ist kein unterstütztes Audio-Format. Nur Audio-Dateien sind erlaubt.\"],\"RW2aSn\":[\"Datei \\\"\",[\"0\"],\"\\\" ist zu klein (\",[\"1\"],\"). Mindestgröße ist \",[\"2\"],\".\"],\"+aBwxq\":[\"Dateigröße: Min \",[\"0\"],\", Max \",[\"1\"],\", bis zu \",[\"MAX_FILES\"],\" Dateien\"],\"o7J4JM\":[\"Filter\"],\"5g0xbt\":[\"Audit-Protokolle nach Aktion filtern\"],\"9clinz\":[\"Audit-Protokolle nach Sammlung filtern\"],\"O39Ph0\":[\"Nach Aktion filtern\"],\"DiDNkt\":[\"Nach Sammlung filtern\"],\"participant.button.stop.finish\":[\"Beenden\"],\"participant.button.finish.text.mode\":[\"Beenden\"],\"participant.button.finish\":[\"Beenden\"],\"JmZ/+d\":[\"Beenden\"],\"participant.modal.finish.title.text.mode\":[\"Gespräch beenden\"],\"4dQFvz\":[\"Beendet\"],\"kODvZJ\":[\"Vorname\"],\"MKEPCY\":[\"Folgen\"],\"JnPIOr\":[\"Folgen der Wiedergabe\"],\"glx6on\":[\"Passwort vergessen?\"],\"nLC6tu\":[\"Französisch\"],\"tSA0hO\":[\"Erkenntnisse aus Ihren Gesprächen generieren\"],\"QqIxfi\":[\"Geheimnis generieren\"],\"tM4cbZ\":[\"Generieren Sie strukturierte Besprechungsnotizen basierend auf den im Kontext bereitgestellten Diskussionspunkten.\"],\"gitFA/\":[\"Zusammenfassung generieren\"],\"kzY+nd\":[\"Zusammenfassung wird erstellt. Kurz warten ...\"],\"DDcvSo\":[\"Deutsch\"],\"u9yLe/\":[\"Erhalte eine sofortige Antwort von Dembrane, um das Gespräch zu vertiefen.\"],\"participant.refine.go.deeper.description\":[\"Erhalte eine sofortige Antwort von Dembrane, um das Gespräch zu vertiefen.\"],\"TAXdgS\":[\"Geben Sie mir eine Liste von 5-10 Themen, die diskutiert werden.\"],\"CKyk7Q\":[\"Go back\"],\"participant.concrete.artefact.action.button.go.back\":[\"Zurück\"],\"IL8LH3\":[\"Tiefer eintauchen\"],\"participant.refine.go.deeper\":[\"Tiefer eintauchen\"],\"iWpEwy\":[\"Zur Startseite\"],\"A3oCMz\":[\"Zur neuen Unterhaltung gehen\"],\"5gqNQl\":[\"Rasteransicht\"],\"ZqBGoi\":[\"Hat verifizierte Artefakte\"],\"ng2Unt\":[\"Hallo, \",[\"0\"]],\"D+zLDD\":[\"Verborgen\"],\"G1UUQY\":[\"Verborgener Schatz\"],\"LqWHk1\":[\"Verstecken \",[\"0\"]],\"u5xmYC\":[\"Alle ausblenden\"],\"txCbc+\":[\"Alle Erkenntnisse ausblenden\"],\"0lRdEo\":[\"Gespräche ohne Inhalt ausblenden\"],\"eHo/Jc\":[\"Daten verbergen\"],\"g4tIdF\":[\"Revisionsdaten verbergen\"],\"i0qMbr\":[\"Startseite\"],\"LSCWlh\":[\"Wie würden Sie einem Kollegen beschreiben, was Sie mit diesem Projekt erreichen möchten?\\n* Was ist das übergeordnete Ziel oder die wichtigste Kennzahl\\n* Wie sieht Erfolg aus\"],\"participant.button.i.understand\":[\"Ich verstehe\"],\"WsoNdK\":[\"Identifizieren und analysieren Sie die wiederkehrenden Themen in diesem Inhalt. Bitte:\\n\"],\"KbXMDK\":[\"Identifizieren Sie wiederkehrende Themen, Themen und Argumente, die in Gesprächen konsistent auftreten. Analysieren Sie ihre Häufigkeit, Intensität und Konsistenz. Erwartete Ausgabe: 3-7 Aspekte für kleine Datensätze, 5-12 für mittlere Datensätze, 8-15 für große Datensätze. Verarbeitungsanleitung: Konzentrieren Sie sich auf unterschiedliche Muster, die in mehreren Gesprächen auftreten.\"],\"participant.concrete.instructions.approve.artefact\":[\"Gib dieses Artefakt frei, wenn es für dich passt.\"],\"QJUjB0\":[\"Um besser durch die Zitate navigieren zu können, erstellen Sie zusätzliche Ansichten. Die Zitate werden dann basierend auf Ihrer Ansicht gruppiert.\"],\"IJUcvx\":[\"Währenddessen können Sie die Chat-Funktion verwenden, um die Gespräche zu analysieren, die noch verarbeitet werden.\"],\"aOhF9L\":[\"Link zur Portal-Seite in Bericht einschließen\"],\"Dvf4+M\":[\"Zeitstempel einschließen\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Erkenntnisbibliothek\"],\"ZVY8fB\":[\"Erkenntnis nicht gefunden\"],\"sJa5f4\":[\"Erkenntnisse\"],\"3hJypY\":[\"Erkenntnisse\"],\"crUYYp\":[\"Ungültiger Code. Bitte fordern Sie einen neuen an.\"],\"jLr8VJ\":[\"Ungültige Anmeldedaten.\"],\"aZ3JOU\":[\"Ungültiges Token. Bitte versuchen Sie es erneut.\"],\"1xMiTU\":[\"IP-Adresse\"],\"participant.conversation.error.deleted\":[\"Das Gespräch wurde während der Aufnahme gelöscht. Wir haben die Aufnahme beendet, um Probleme zu vermeiden. Sie können jederzeit ein neues Gespräch starten.\"],\"zT7nbS\":[\"Es scheint, dass das Gespräch während der Aufnahme gelöscht wurde. Wir haben die Aufnahme beendet, um Probleme zu vermeiden. Sie können jederzeit ein neues Gespräch starten.\"],\"library.not.available.message\":[\"Es scheint, dass die Bibliothek für Ihr Konto nicht verfügbar ist. Bitte fordern Sie Zugriff an, um dieses Feature zu entsperren.\"],\"participant.concrete.artefact.error.description\":[\"Fehler beim Laden des Artefakts. Versuch es gleich nochmal.\"],\"MbKzYA\":[\"Es klingt, als würden mehrere Personen sprechen. Wenn Sie abwechselnd sprechen, können wir alle deutlich hören.\"],\"clXffu\":[\"Treten Sie \",[\"0\"],\" auf Dembrane bei\"],\"uocCon\":[\"Einen Moment bitte\"],\"OSBXx5\":[\"Gerade eben\"],\"0ohX1R\":[\"Halten Sie den Zugriff sicher mit einem Einmalcode aus Ihrer Authentifizierungs-App. Aktivieren oder deaktivieren Sie die Zwei-Faktor-Authentifizierung für dieses Konto.\"],\"vXIe7J\":[\"Sprache\"],\"UXBCwc\":[\"Nachname\"],\"0K/D0Q\":[\"Zuletzt gespeichert am \",[\"0\"]],\"K7P0jz\":[\"Zuletzt aktualisiert\"],\"PIhnIP\":[\"Lassen Sie uns wissen!\"],\"qhQjFF\":[\"Lass uns sicherstellen, dass wir Sie hören können\"],\"exYcTF\":[\"Bibliothek\"],\"library.title\":[\"Bibliothek\"],\"T50lwc\":[\"Bibliothekserstellung läuft\"],\"yUQgLY\":[\"Bibliothek wird derzeit verarbeitet\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn-Beitrag (Experimentell)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live Audiopegel:\"],\"TkFXaN\":[\"Live Audiopegel:\"],\"n9yU9X\":[\"Live Vorschau\"],\"participant.concrete.instructions.loading\":[\"Anweisungen werden geladen…\"],\"yQE2r9\":[\"Laden\"],\"yQ9yN3\":[\"Aktionen werden geladen...\"],\"participant.concrete.loading.artefact\":[\"Artefakt wird geladen…\"],\"JOvnq+\":[\"Audit-Protokolle werden geladen…\"],\"y+JWgj\":[\"Sammlungen werden geladen...\"],\"ATTcN8\":[\"Konkrete Themen werden geladen…\"],\"FUK4WT\":[\"Mikrofone werden geladen...\"],\"H+bnrh\":[\"Transkript wird geladen ...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"wird geladen...\"],\"Z3FXyt\":[\"Laden...\"],\"Pwqkdw\":[\"Laden…\"],\"z0t9bb\":[\"Anmelden\"],\"zfB1KW\":[\"Anmelden | Dembrane\"],\"Wd2LTk\":[\"Als bestehender Benutzer anmelden\"],\"nOhz3x\":[\"Abmelden\"],\"jWXlkr\":[\"Längste zuerst\"],\"dashboard.dembrane.concrete.title\":[\"Konkrete Themen\"],\"participant.refine.make.concrete\":[\"Konkret machen\"],\"JSxZVX\":[\"Alle als gelesen markieren\"],\"+s1J8k\":[\"Als gelesen markieren\"],\"VxyuRJ\":[\"Besprechungsnotizen\"],\"08d+3x\":[\"Nachrichten von \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Der Mikrofonzugriff ist weiterhin verweigert. Bitte überprüfen Sie Ihre Einstellungen und versuchen Sie es erneut.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Modus\"],\"zMx0gF\":[\"Mehr Vorlagen\"],\"QWdKwH\":[\"Verschieben\"],\"CyKTz9\":[\"Gespräch verschieben\"],\"wUTBdx\":[\"Gespräch zu einem anderen Projekt verschieben\"],\"Ksvwy+\":[\"Gespräch zu einem anderen Projekt verschieben\"],\"6YtxFj\":[\"Name\"],\"e3/ja4\":[\"Name A-Z\"],\"c5Xt89\":[\"Name Z-A\"],\"isRobC\":[\"Neu\"],\"Wmq4bZ\":[\"Neuer Gespräch Name\"],\"library.new.conversations\":[\"Seit der Erstellung der Bibliothek wurden neue Gespräche hinzugefügt. Generieren Sie die Bibliothek neu, um diese zu verarbeiten.\"],\"P/+jkp\":[\"Seit der Erstellung der Bibliothek wurden neue Gespräche hinzugefügt. Generieren Sie die Bibliothek neu, um diese zu verarbeiten.\"],\"7vhWI8\":[\"Neues Passwort\"],\"+VXUp8\":[\"Neues Projekt\"],\"+RfVvh\":[\"Neueste zuerst\"],\"participant.button.next\":[\"Weiter\"],\"participant.ready.to.begin.button.text\":[\"Bereit zum Beginn\"],\"participant.concrete.selection.button.next\":[\"Weiter\"],\"participant.concrete.instructions.button.next\":[\"Weiter\"],\"hXzOVo\":[\"Weiter\"],\"participant.button.finish.no.text.mode\":[\"Nein\"],\"riwuXX\":[\"Keine Aktionen gefunden\"],\"WsI5bo\":[\"Keine Ankündigungen verfügbar\"],\"Em+3Ls\":[\"Keine Audit-Protokolle entsprechen den aktuellen Filtern.\"],\"project.sidebar.chat.empty.description\":[\"Keine Chats gefunden. Starten Sie einen Chat mit dem \\\"Fragen\\\"-Button.\"],\"YM6Wft\":[\"Keine Chats gefunden. Starten Sie einen Chat mit dem \\\"Fragen\\\"-Button.\"],\"Qqhl3R\":[\"Keine Sammlungen gefunden\"],\"zMt5AM\":[\"Keine konkreten Themen verfügbar.\"],\"zsslJv\":[\"Kein Inhalt\"],\"1pZsdx\":[\"Keine Gespräche verfügbar, um eine Bibliothek zu erstellen\"],\"library.no.conversations\":[\"Keine Gespräche verfügbar, um eine Bibliothek zu erstellen\"],\"zM3DDm\":[\"Keine Gespräche verfügbar, um eine Bibliothek zu erstellen. Bitte fügen Sie einige Gespräche hinzu, um zu beginnen.\"],\"EtMtH/\":[\"Keine Gespräche gefunden.\"],\"BuikQT\":[\"Keine Gespräche gefunden. Starten Sie ein Gespräch über den Teilnahme-Einladungslink aus der <0><1>Projektübersicht.\"],\"meAa31\":[\"Noch keine Gespräche\"],\"VInleh\":[\"Keine Erkenntnisse verfügbar. Generieren Sie Erkenntnisse für dieses Gespräch, indem Sie <0><1>die Projektbibliothek besuchen.\"],\"yTx6Up\":[\"Es wurden noch keine Schlüsselbegriffe oder Eigennamen hinzugefügt. Fügen Sie sie über die obige Eingabe hinzu, um die Transkriptgenauigkeit zu verbessern.\"],\"jfhDAK\":[\"Noch kein neues Feedback erkannt. Bitte fahren Sie mit Ihrer Diskussion fort und versuchen Sie es später erneut.\"],\"T3TyGx\":[\"Keine Projekte gefunden \",[\"0\"]],\"y29l+b\":[\"Keine Projekte für den Suchbegriff gefunden\"],\"ghhtgM\":[\"Keine Zitate verfügbar. Generieren Sie Zitate für dieses Gespräch, indem Sie\"],\"yalI52\":[\"Keine Zitate verfügbar. Generieren Sie Zitate für dieses Gespräch, indem Sie <0><1>die Projektbibliothek besuchen.\"],\"ctlSnm\":[\"Kein Bericht gefunden\"],\"EhV94J\":[\"Keine Ressourcen gefunden.\"],\"Ev2r9A\":[\"Keine Ergebnisse\"],\"WRRjA9\":[\"Keine Tags gefunden\"],\"LcBe0w\":[\"Diesem Projekt wurden noch keine Tags hinzugefügt. Fügen Sie ein Tag über die Texteingabe oben hinzu, um zu beginnen.\"],\"bhqKwO\":[\"Kein Transkript verfügbar\"],\"TmTivZ\":[\"Kein Transkript für dieses Gespräch verfügbar.\"],\"vq+6l+\":[\"Noch kein Transkript für dieses Gespräch vorhanden. Bitte später erneut prüfen.\"],\"MPZkyF\":[\"Für diesen Chat sind keine Transkripte ausgewählt\"],\"AotzsU\":[\"Kein Tutorial (nur Datenschutzerklärungen)\"],\"OdkUBk\":[\"Es wurden keine gültigen Audio-Dateien ausgewählt. Bitte wählen Sie nur Audio-Dateien (MP3, WAV, OGG, etc.) aus.\"],\"tNWcWM\":[\"Für dieses Projekt sind keine Verifizierungsthemen konfiguriert.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Nicht verfügbar\"],\"cH5kXP\":[\"Jetzt\"],\"9+6THi\":[\"Älteste zuerst\"],\"participant.concrete.instructions.revise.artefact\":[\"Überarbeite den Text, bis er zu dir passt.\"],\"participant.concrete.instructions.read.aloud\":[\"Lies den Text laut vor.\"],\"conversation.ongoing\":[\"Laufend\"],\"J6n7sl\":[\"Laufend\"],\"uTmEDj\":[\"Laufende Gespräche\"],\"QvvnWK\":[\"Nur die \",[\"0\"],\" beendeten \",[\"1\"],\" werden im Bericht enthalten. \"],\"participant.alert.microphone.access.failure\":[\"Ups! Es scheint, dass der Mikrofonzugriff verweigert wurde. Keine Sorge! Wir haben einen praktischen Fehlerbehebungsleitfaden für Sie. Schauen Sie ihn sich an. Sobald Sie das Problem behoben haben, kommen Sie zurück und besuchen Sie diese Seite erneut, um zu überprüfen, ob Ihr Mikrofon bereit ist.\"],\"J17dTs\":[\"Ups! Es scheint, dass der Mikrofonzugriff verweigert wurde. Keine Sorge! Wir haben einen praktischen Fehlerbehebungsleitfaden für Sie. Schauen Sie ihn sich an. Sobald Sie das Problem behoben haben, kommen Sie zurück und besuchen Sie diese Seite erneut, um zu überprüfen, ob Ihr Mikrofon bereit ist.\"],\"1TNIig\":[\"Öffnen\"],\"NRLF9V\":[\"Dokumentation öffnen\"],\"2CyWv2\":[\"Offen für Teilnahme?\"],\"participant.button.open.troubleshooting.guide\":[\"Fehlerbehebungsleitfaden öffnen\"],\"7yrRHk\":[\"Fehlerbehebungsleitfaden öffnen\"],\"Hak8r6\":[\"Öffnen Sie Ihre Authentifizierungs-App und geben Sie den aktuellen 6-stelligen Code ein.\"],\"0zpgxV\":[\"Optionen\"],\"6/dCYd\":[\"Übersicht\"],\"/fAXQQ\":[\"Overview – Themes & Patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Seiteninhalt\"],\"8F1i42\":[\"Seite nicht gefunden\"],\"6+Py7/\":[\"Seitentitel\"],\"v8fxDX\":[\"Teilnehmer\"],\"Uc9fP1\":[\"Teilnehmer-Funktionen\"],\"y4n1fB\":[\"Teilnehmer können beim Erstellen von Gesprächen Tags auswählen\"],\"8ZsakT\":[\"Passwort\"],\"w3/J5c\":[\"Portal mit Passwort schützen (Feature-Anfrage)\"],\"lpIMne\":[\"Passwörter stimmen nicht überein\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Vorlesen pausieren\"],\"UbRKMZ\":[\"Ausstehend\"],\"6v5aT9\":[\"Wähl den Ansatz, der zu deiner Frage passt\"],\"participant.alert.microphone.access\":[\"Bitte erlauben Sie den Mikrofonzugriff, um den Test zu starten.\"],\"3flRk2\":[\"Bitte erlauben Sie den Mikrofonzugriff, um den Test zu starten.\"],\"SQSc5o\":[\"Bitte prüfen Sie später erneut oder wenden Sie sich an den Projektbesitzer für weitere Informationen.\"],\"T8REcf\":[\"Bitte überprüfen Sie Ihre Eingaben auf Fehler.\"],\"S6iyis\":[\"Bitte schließen Sie Ihren Browser nicht\"],\"n6oAnk\":[\"Bitte aktivieren Sie die Teilnahme, um das Teilen zu ermöglichen\"],\"fwrPh4\":[\"Bitte geben Sie eine gültige E-Mail-Adresse ein.\"],\"iMWXJN\":[\"Please keep this screen lit up (black screen = not recording)\"],\"D90h1s\":[\"Bitte melden Sie sich an, um fortzufahren.\"],\"mUGRqu\":[\"Bitte geben Sie eine prägnante Zusammenfassung des im Kontext Bereitgestellten.\"],\"ps5D2F\":[\"Bitte nehmen Sie Ihre Antwort auf, indem Sie unten auf die Schaltfläche \\\"Aufnehmen\\\" klicken. Sie können auch durch Klicken auf das Textsymbol in Textform antworten. \\n**Bitte lassen Sie diesen Bildschirm beleuchtet** \\n(schwarzer Bildschirm = keine Aufnahme)\"],\"TsuUyf\":[\"Bitte nehmen Sie Ihre Antwort auf, indem Sie unten auf den \\\"Aufnahme starten\\\"-Button klicken. Sie können auch durch Klicken auf das Textsymbol in Textform antworten.\"],\"4TVnP7\":[\"Bitte wählen Sie eine Sprache für Ihren Bericht\"],\"N63lmJ\":[\"Bitte wählen Sie eine Sprache für Ihren aktualisierten Bericht\"],\"XvD4FK\":[\"Bitte wählen Sie mindestens eine Quelle\"],\"hxTGLS\":[\"Wähl Gespräche in der Seitenleiste aus, um weiterzumachen\"],\"GXZvZ7\":[\"Bitte warten Sie \",[\"timeStr\"],\", bevor Sie ein weiteres Echo anfordern.\"],\"Am5V3+\":[\"Bitte warten Sie \",[\"timeStr\"],\", bevor Sie ein weiteres Echo anfordern.\"],\"CE1Qet\":[\"Bitte warten Sie \",[\"timeStr\"],\", bevor Sie ein weiteres ECHO anfordern.\"],\"Fx1kHS\":[\"Bitte warten Sie \",[\"timeStr\"],\", bevor Sie eine weitere Antwort anfordern.\"],\"MgJuP2\":[\"Bitte warten Sie, während wir Ihren Bericht generieren. Sie werden automatisch zur Berichtsseite weitergeleitet.\"],\"library.processing.request\":[\"Bibliothek wird verarbeitet\"],\"04DMtb\":[\"Bitte warten Sie, während wir Ihre Hertranskription anfragen verarbeiten. Sie werden automatisch zur neuen Konversation weitergeleitet, wenn fertig.\"],\"ei5r44\":[\"Bitte warten Sie, während wir Ihren Bericht aktualisieren. Sie werden automatisch zur Berichtsseite weitergeleitet.\"],\"j5KznP\":[\"Bitte warten Sie, während wir Ihre E-Mail-Adresse verifizieren.\"],\"uRFMMc\":[\"Portal Inhalt\"],\"qVypVJ\":[\"Portal Editor\"],\"g2UNkE\":[\"Powered by\"],\"MPWj35\":[\"Deine Gespräche werden vorbereitet … kann einen Moment dauern.\"],\"/SM3Ws\":[\"Ihre Erfahrung wird vorbereitet\"],\"ANWB5x\":[\"Diesen Bericht drucken\"],\"zwqetg\":[\"Datenschutzerklärungen\"],\"qAGp2O\":[\"Fortfahren\"],\"stk3Hv\":[\"verarbeitet\"],\"vrnnn9\":[\"Verarbeitet\"],\"kvs/6G\":[\"Verarbeitung für dieses Gespräch fehlgeschlagen. Dieses Gespräch ist für die Analyse und den Chat nicht verfügbar.\"],\"q11K6L\":[\"Verarbeitung für dieses Gespräch fehlgeschlagen. Dieses Gespräch ist für die Analyse und den Chat nicht verfügbar. Letzter bekannter Status: \",[\"0\"]],\"NQiPr4\":[\"Transkript wird verarbeitet\"],\"48px15\":[\"Bericht wird verarbeitet...\"],\"gzGDMM\":[\"Ihre Hertranskription anfragen werden verarbeitet...\"],\"Hie0VV\":[\"Projekt erstellt\"],\"xJMpjP\":[\"Projektbibliothek | Dembrane\"],\"OyIC0Q\":[\"Projektname\"],\"6Z2q2Y\":[\"Der Projektname muss mindestens 4 Zeichen lang sein\"],\"n7JQEk\":[\"Projekt nicht gefunden\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Projektübersicht | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Projekt Einstellungen\"],\"+0B+ue\":[\"Projekte\"],\"Eb7xM7\":[\"Projekte | Dembrane\"],\"JQVviE\":[\"Projekte Startseite\"],\"nyEOdh\":[\"Bieten Sie eine Übersicht über die Hauptthemen und wiederkehrende Themen\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Veröffentlichen\"],\"u3wRF+\":[\"Veröffentlicht\"],\"E7YTYP\":[\"Hol dir die wichtigsten Zitate aus dieser Session\"],\"eWLklq\":[\"Zitate\"],\"wZxwNu\":[\"Vorlesen\"],\"participant.ready.to.begin\":[\"Bereit zum Beginn\"],\"ZKOO0I\":[\"Bereit zum Beginn?\"],\"hpnYpo\":[\"Empfohlene Apps\"],\"participant.button.record\":[\"Aufnehmen\"],\"w80YWM\":[\"Aufnehmen\"],\"s4Sz7r\":[\"Ein weiteres Gespräch aufnehmen\"],\"participant.modal.pause.title\":[\"Aufnahme pausiert\"],\"view.recreate.tooltip\":[\"Ansicht neu erstellen\"],\"view.recreate.modal.title\":[\"Ansicht neu erstellen\"],\"CqnkB0\":[\"Wiederkehrende Themen\"],\"9aloPG\":[\"Referenzen\"],\"participant.button.refine\":[\"Verfeinern\"],\"lCF0wC\":[\"Aktualisieren\"],\"ZMXpAp\":[\"Audit-Protokolle aktualisieren\"],\"844H5I\":[\"Bibliothek neu generieren\"],\"bluvj0\":[\"Zusammenfassung neu generieren\"],\"participant.concrete.regenerating.artefact\":[\"Artefakt wird neu erstellt…\"],\"oYlYU+\":[\"Zusammenfassung wird neu erstellt. Kurz warten ...\"],\"wYz80B\":[\"Registrieren | Dembrane\"],\"w3qEvq\":[\"Als neuer Benutzer registrieren\"],\"7dZnmw\":[\"Relevanz\"],\"participant.button.reload.page.text.mode\":[\"Seite neu laden\"],\"participant.button.reload\":[\"Seite neu laden\"],\"participant.concrete.artefact.action.button.reload\":[\"Neu laden\"],\"hTDMBB\":[\"Seite neu laden\"],\"Kl7//J\":[\"E-Mail entfernen\"],\"cILfnJ\":[\"Datei entfernen\"],\"CJgPtd\":[\"Aus diesem Chat entfernen\"],\"project.sidebar.chat.rename\":[\"Umbenennen\"],\"2wxgft\":[\"Umbenennen\"],\"XyN13i\":[\"Antwort Prompt\"],\"gjpdaf\":[\"Bericht\"],\"Q3LOVJ\":[\"Ein Problem melden\"],\"DUmD+q\":[\"Bericht erstellt - \",[\"0\"]],\"KFQLa2\":[\"Berichtgenerierung befindet sich derzeit in der Beta und ist auf Projekte mit weniger als 10 Stunden Aufnahme beschränkt.\"],\"hIQOLx\":[\"Berichtsbenachrichtigungen\"],\"lNo4U2\":[\"Bericht aktualisiert - \",[\"0\"]],\"library.request.access\":[\"Zugriff anfordern\"],\"uLZGK+\":[\"Zugriff anfordern\"],\"dglEEO\":[\"Passwort zurücksetzen anfordern\"],\"u2Hh+Y\":[\"Passwort zurücksetzen anfordern | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Mikrofonzugriff wird angefragt...\"],\"MepchF\":[\"Mikrofonzugriff anfordern, um verfügbare Geräte zu erkennen...\"],\"xeMrqw\":[\"Alle Optionen zurücksetzen\"],\"KbS2K9\":[\"Passwort zurücksetzen\"],\"UMMxwo\":[\"Passwort zurücksetzen | Dembrane\"],\"L+rMC9\":[\"Auf Standard zurücksetzen\"],\"s+MGs7\":[\"Ressourcen\"],\"participant.button.stop.resume\":[\"Fortsetzen\"],\"v39wLo\":[\"Fortsetzen\"],\"sVzC0H\":[\"Hertranskribieren\"],\"ehyRtB\":[\"Gespräch hertranskribieren\"],\"1JHQpP\":[\"Gespräch hertranskribieren\"],\"MXwASV\":[\"Hertranskription gestartet. Das neue Gespräch wird bald verfügbar sein.\"],\"6gRgw8\":[\"Erneut versuchen\"],\"H1Pyjd\":[\"Upload erneut versuchen\"],\"9VUzX4\":[\"Überprüfen Sie die Aktivität für Ihren Arbeitsbereich. Filtern Sie nach Sammlung oder Aktion und exportieren Sie die aktuelle Ansicht für weitere Untersuchungen.\"],\"UZVWVb\":[\"Dateien vor dem Hochladen überprüfen\"],\"3lYF/Z\":[\"Überprüfen Sie den Status der Verarbeitung für jedes Gespräch, das in diesem Projekt gesammelt wurde.\"],\"participant.concrete.action.button.revise\":[\"Überarbeiten\"],\"OG3mVO\":[\"Revision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Zeilen pro Seite\"],\"participant.concrete.action.button.save\":[\"Speichern\"],\"tfDRzk\":[\"Speichern\"],\"2VA/7X\":[\"Speichern fehlgeschlagen!\"],\"XvjC4F\":[\"Speichern...\"],\"nHeO/c\":[\"Scannen Sie den QR-Code oder kopieren Sie das Geheimnis in Ihre App.\"],\"oOi11l\":[\"Nach unten scrollen\"],\"A1taO8\":[\"Suchen\"],\"OWm+8o\":[\"Gespräche suchen\"],\"blFttG\":[\"Projekte suchen\"],\"I0hU01\":[\"Projekte suchen\"],\"RVZJWQ\":[\"Projekte suchen...\"],\"lnWve4\":[\"Tags suchen\"],\"pECIKL\":[\"Vorlagen suchen...\"],\"uSvNyU\":[\"Durchsucht die relevantesten Quellen\"],\"Wj2qJm\":[\"Durchsucht die relevantesten Quellen\"],\"Y1y+VB\":[\"Geheimnis kopiert\"],\"Eyh9/O\":[\"Gesprächstatusdetails ansehen\"],\"0sQPzI\":[\"Bis bald\"],\"1ZTiaz\":[\"Segmente\"],\"H/diq7\":[\"Mikrofon auswählen\"],\"NK2YNj\":[\"Audio-Dateien auswählen\"],\"/3ntVG\":[\"Wähle Gespräche aus und finde genaue Zitate\"],\"LyHz7Q\":[\"Gespräche in der Seitenleiste auswählen\"],\"n4rh8x\":[\"Projekt auswählen\"],\"ekUnNJ\":[\"Tags auswählen\"],\"CG1cTZ\":[\"Wählen Sie die Anweisungen aus, die den Teilnehmern beim Starten eines Gesprächs angezeigt werden\"],\"qxzrcD\":[\"Wählen Sie den Typ der Rückmeldung oder der Beteiligung, die Sie fördern möchten.\"],\"QdpRMY\":[\"Tutorial auswählen\"],\"dashboard.dembrane.concrete.topic.select\":[\"Wähl ein konkretes Thema aus.\"],\"participant.select.microphone\":[\"Mikrofon auswählen\"],\"vKH1Ye\":[\"Wählen Sie Ihr Mikrofon:\"],\"gU5H9I\":[\"Ausgewählte Dateien (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Ausgewähltes Mikrofon\"],\"JlFcis\":[\"Senden\"],\"VTmyvi\":[\"Stimmung\"],\"NprC8U\":[\"Sitzungsname\"],\"DMl1JW\":[\"Ihr erstes Projekt einrichten\"],\"Tz0i8g\":[\"Einstellungen\"],\"participant.settings.modal.title\":[\"Einstellungen\"],\"PErdpz\":[\"Settings | Dembrane\"],\"Z8lGw6\":[\"Teilen\"],\"/XNQag\":[\"Diesen Bericht teilen\"],\"oX3zgA\":[\"Teilen Sie hier Ihre Daten\"],\"Dc7GM4\":[\"Ihre Stimme teilen\"],\"swzLuF\":[\"Teilen Sie Ihre Stimme, indem Sie den unten stehenden QR-Code scannen.\"],\"+tz9Ky\":[\"Kürzeste zuerst\"],\"h8lzfw\":[\"Zeige \",[\"0\"]],\"lZw9AX\":[\"Alle anzeigen\"],\"w1eody\":[\"Audio-Player anzeigen\"],\"pzaNzD\":[\"Daten anzeigen\"],\"yrhNQG\":[\"Dauer anzeigen\"],\"Qc9KX+\":[\"IP-Adressen anzeigen\"],\"6lGV3K\":[\"Weniger anzeigen\"],\"fMPkxb\":[\"Mehr anzeigen\"],\"3bGwZS\":[\"Referenzen anzeigen\"],\"OV2iSn\":[\"Revisionsdaten anzeigen\"],\"3Sg56r\":[\"Zeitachse im Bericht anzeigen (Feature-Anfrage)\"],\"DLEIpN\":[\"Zeitstempel anzeigen (experimentell)\"],\"Tqzrjk\":[[\"displayFrom\"],\"–\",[\"displayTo\"],\" von \",[\"totalItems\"],\" Einträgen werden angezeigt\"],\"dbWo0h\":[\"Mit Google anmelden\"],\"participant.mic.check.button.skip\":[\"Überspringen\"],\"6Uau97\":[\"Überspringen\"],\"lH0eLz\":[\"Datenschutzkarte überspringen (Organisation verwaltet Zustimmung)\"],\"b6NHjr\":[\"Datenschutzkarte überspringen (Organisation verwaltet Zustimmung)\"],\"4Q9po3\":[\"Einige Gespräche werden noch verarbeitet. Die automatische Auswahl wird optimal funktionieren, sobald die Audioverarbeitung abgeschlossen ist.\"],\"q+pJ6c\":[\"Einige Dateien wurden bereits ausgewählt und werden nicht erneut hinzugefügt.\"],\"nwtY4N\":[\"Etwas ist schief gelaufen\"],\"participant.conversation.error.text.mode\":[\"Etwas ist schief gelaufen\"],\"participant.conversation.error\":[\"Etwas ist schief gelaufen\"],\"avSWtK\":[\"Beim Exportieren der Audit-Protokolle ist ein Fehler aufgetreten.\"],\"q9A2tm\":[\"Beim Generieren des Geheimnisses ist ein Fehler aufgetreten.\"],\"JOKTb4\":[\"Beim Hochladen der Datei ist ein Fehler aufgetreten: \",[\"0\"]],\"KeOwCj\":[\"Beim Gespräch ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support, wenn das Problem weiterhin besteht\"],\"participant.go.deeper.generic.error.message\":[\"Da ist was schiefgelaufen. Versuch es gleich nochmal.\"],\"fWsBTs\":[\"Etwas ist schief gelaufen. Bitte versuchen Sie es erneut.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Der Inhalt verstößt gegen unsere Richtlinien. Änder den Text und versuch es nochmal.\"],\"f6Hub0\":[\"Sortieren\"],\"/AhHDE\":[\"Quelle \",[\"0\"]],\"u7yVRn\":[\"Quellen:\"],\"65A04M\":[\"Spanisch\"],\"zuoIYL\":[\"Sprecher\"],\"z5/5iO\":[\"Spezifischer Kontext\"],\"mORM2E\":[\"Konkrete Details\"],\"Etejcu\":[\"Konkrete Details – ausgewählte Gespräche\"],\"participant.button.start.new.conversation.text.mode\":[\"Neues Gespräch starten\"],\"participant.button.start.new.conversation\":[\"Neues Gespräch starten\"],\"c6FrMu\":[\"Neues Gespräch starten\"],\"i88wdJ\":[\"Neu beginnen\"],\"pHVkqA\":[\"Aufnahme starten\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stopp\"],\"participant.button.stop\":[\"Beenden\"],\"kimwwT\":[\"Strategische Planung\"],\"hQRttt\":[\"Absenden\"],\"participant.button.submit.text.mode\":[\"Absenden\"],\"0Pd4R1\":[\"Über Text eingereicht\"],\"zzDlyQ\":[\"Erfolg\"],\"bh1eKt\":[\"Vorgeschlagen:\"],\"F1nkJm\":[\"Zusammenfassen\"],\"4ZpfGe\":[\"Fass die wichtigsten Erkenntnisse aus meinen Interviews zusammen\"],\"5Y4tAB\":[\"Fass dieses Interview als teilbaren Artikel zusammen\"],\"dXoieq\":[\"Zusammenfassung\"],\"g6o+7L\":[\"Zusammenfassung erstellt.\"],\"kiOob5\":[\"Zusammenfassung noch nicht verfügbar\"],\"OUi+O3\":[\"Zusammenfassung neu erstellt.\"],\"Pqa6KW\":[\"Die Zusammenfassung ist verfügbar, sobald das Gespräch transkribiert ist.\"],\"6ZHOF8\":[\"Unterstützte Formate: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Zur Texteingabe wechseln\"],\"D+NlUC\":[\"System\"],\"OYHzN1\":[\"Tags\"],\"nlxlmH\":[\"Nimm dir Zeit, ein konkretes Ergebnis zu erstellen, das deinen Beitrag festhält, oder erhalte eine sofortige Antwort von Dembrane, um das Gespräch zu vertiefen.\"],\"eyu39U\":[\"Nimm dir Zeit, ein konkretes Ergebnis zu erstellen, das deinen Beitrag festhält.\"],\"participant.refine.make.concrete.description\":[\"Nimm dir Zeit, ein konkretes Ergebnis zu erstellen, das deinen Beitrag festhält.\"],\"QCchuT\":[\"Template übernommen\"],\"iTylMl\":[\"Vorlagen\"],\"xeiujy\":[\"Text\"],\"CPN34F\":[\"Vielen Dank für Ihre Teilnahme!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Danke-Seite Inhalt\"],\"5KEkUQ\":[\"Vielen Dank! Wir werden Sie benachrichtigen, wenn der Bericht fertig ist.\"],\"2yHHa6\":[\"Der Code hat nicht funktioniert. Versuchen Sie es erneut mit einem neuen Code aus Ihrer Authentifizierungs-App.\"],\"TQCE79\":[\"Der Code hat nicht funktioniert, versuch’s nochmal.\"],\"participant.conversation.error.loading.text.mode\":[\"Das Gespräch konnte nicht geladen werden. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"participant.conversation.error.loading\":[\"Das Gespräch konnte nicht geladen werden. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"nO942E\":[\"Das Gespräch konnte nicht geladen werden. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"Jo19Pu\":[\"Die folgenden Gespräche wurden automatisch zum Kontext hinzugefügt\"],\"Lngj9Y\":[\"Das Portal ist die Website, die geladen wird, wenn Teilnehmer den QR-Code scannen.\"],\"bWqoQ6\":[\"die Projektbibliothek.\"],\"hTCMdd\":[\"Die Zusammenfassung wird erstellt. Warte, bis sie verfügbar ist.\"],\"+AT8nl\":[\"Die Zusammenfassung wird neu erstellt. Warte, bis sie verfügbar ist.\"],\"iV8+33\":[\"Die Zusammenfassung wird neu generiert. Bitte warten Sie, bis die neue Zusammenfassung verfügbar ist.\"],\"AgC2rn\":[\"Die Zusammenfassung wird neu generiert. Bitte warten Sie bis zu 2 Minuten, bis die neue Zusammenfassung verfügbar ist.\"],\"PTNxDe\":[\"Das Transkript für dieses Gespräch wird verarbeitet. Bitte später erneut prüfen.\"],\"FEr96N\":[\"Design\"],\"T8rsM6\":[\"Beim Klonen Ihres Projekts ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"JDFjCg\":[\"Beim Erstellen Ihres Berichts ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"e3JUb8\":[\"Beim Erstellen Ihres Berichts ist ein Fehler aufgetreten. In der Zwischenzeit können Sie alle Ihre Daten mithilfe der Bibliothek oder spezifische Gespräche auswählen, um mit ihnen zu chatten.\"],\"7qENSx\":[\"Beim Aktualisieren Ihres Berichts ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"V7zEnY\":[\"Bei der Verifizierung Ihrer E-Mail ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.\"],\"gtlVJt\":[\"Diese sind einige hilfreiche voreingestellte Vorlagen, mit denen Sie beginnen können.\"],\"sd848K\":[\"Diese sind Ihre Standard-Ansichtsvorlagen. Sobald Sie Ihre Bibliothek erstellen, werden dies Ihre ersten beiden Ansichten sein.\"],\"8xYB4s\":[\"Diese Standard-Ansichtsvorlagen werden generiert, wenn Sie Ihre erste Bibliothek erstellen.\"],\"Ed99mE\":[\"Denke nach...\"],\"conversation.linked_conversations.description\":[\"Dieses Gespräch hat die folgenden Kopien:\"],\"conversation.linking_conversations.description\":[\"Dieses Gespräch ist eine Kopie von\"],\"dt1MDy\":[\"Dieses Gespräch wird noch verarbeitet. Es wird bald für die Analyse und das Chatten verfügbar sein.\"],\"5ZpZXq\":[\"Dieses Gespräch wird noch verarbeitet. Es wird bald für die Analyse und das Chatten verfügbar sein. \"],\"SzU1mG\":[\"Diese E-Mail ist bereits in der Liste.\"],\"JtPxD5\":[\"Diese E-Mail ist bereits für Benachrichtigungen angemeldet.\"],\"participant.modal.refine.info.available.in\":[\"Diese Funktion wird in \",[\"remainingTime\"],\" Sekunden verfügbar sein.\"],\"QR7hjh\":[\"Dies ist eine Live-Vorschau des Teilnehmerportals. Sie müssen die Seite aktualisieren, um die neuesten Änderungen zu sehen.\"],\"library.description\":[\"Bibliothek\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"Dies ist Ihre Projektbibliothek. Derzeit warten \",[\"0\"],\" Gespräche auf die Verarbeitung.\"],\"tJL2Lh\":[\"Diese Sprache wird für das Teilnehmerportal und die Transkription verwendet.\"],\"BAUPL8\":[\"Diese Sprache wird für das Teilnehmerportal und die Transkription verwendet. Um die Sprache dieser Anwendung zu ändern, verwenden Sie bitte die Sprachauswahl in den Einstellungen in der Kopfzeile.\"],\"zyA8Hj\":[\"Diese Sprache wird für das Teilnehmerportal, die Transkription und die Analyse verwendet. Um die Sprache dieser Anwendung zu ändern, verwenden Sie bitte stattdessen die Sprachauswahl im Benutzermenü der Kopfzeile.\"],\"Gbd5HD\":[\"Diese Sprache wird für das Teilnehmerportal verwendet.\"],\"9ww6ML\":[\"Diese Seite wird angezeigt, nachdem der Teilnehmer das Gespräch beendet hat.\"],\"1gmHmj\":[\"Diese Seite wird den Teilnehmern angezeigt, wenn sie nach erfolgreichem Abschluss des Tutorials ein Gespräch beginnen.\"],\"bEbdFh\":[\"Diese Projektbibliothek wurde generiert am\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"Dieser Prompt leitet ein, wie die KI auf die Teilnehmer reagiert. Passen Sie ihn an, um den Typ der Rückmeldung oder Engagement zu bestimmen, den Sie fördern möchten.\"],\"Yig29e\":[\"Dieser Bericht ist derzeit nicht verfügbar. \"],\"GQTpnY\":[\"Dieser Bericht wurde von \",[\"0\"],\" Personen geöffnet\"],\"okY/ix\":[\"Diese Zusammenfassung ist KI-generiert und kurz, für eine gründliche Analyse verwenden Sie den Chat oder die Bibliothek.\"],\"hwyBn8\":[\"Dieser Titel wird den Teilnehmern angezeigt, wenn sie ein Gespräch beginnen\"],\"Dj5ai3\":[\"Dies wird Ihre aktuelle Eingabe löschen. Sind Sie sicher?\"],\"NrRH+W\":[\"Dies wird eine Kopie des aktuellen Projekts erstellen. Nur Einstellungen und Tags werden kopiert. Berichte, Chats und Gespräche werden nicht in der Kopie enthalten. Sie werden nach dem Klonen zum neuen Projekt weitergeleitet.\"],\"hsNXnX\":[\"Dies wird ein neues Gespräch mit derselben Audio-Datei erstellen, aber mit einer neuen Transkription. Das ursprüngliche Gespräch bleibt unverändert.\"],\"participant.concrete.regenerating.artefact.description\":[\"Wir erstellen dein Artefakt neu. Das kann einen Moment dauern.\"],\"participant.concrete.loading.artefact.description\":[\"Wir laden dein Artefakt. Das kann einen Moment dauern.\"],\"n4l4/n\":[\"Dies wird persönliche Identifizierbare Informationen mit ersetzen.\"],\"Ww6cQ8\":[\"Erstellungszeit\"],\"8TMaZI\":[\"Zeitstempel\"],\"rm2Cxd\":[\"Tipp\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"Um ein neues Tag zuzuweisen, erstellen Sie es bitte zuerst in der Projektübersicht.\"],\"o3rowT\":[\"Um einen Bericht zu generieren, fügen Sie bitte zuerst Gespräche in Ihr Projekt hinzu\"],\"sFMBP5\":[\"Themen\"],\"ONchxy\":[\"gesamt\"],\"fp5rKh\":[\"Transcribieren...\"],\"DDziIo\":[\"Transkript\"],\"hfpzKV\":[\"Transkript in die Zwischenablage kopiert\"],\"AJc6ig\":[\"Transkript nicht verfügbar\"],\"N/50DC\":[\"Transkript-Einstellungen\"],\"FRje2T\":[\"Transkription läuft…\"],\"0l9syB\":[\"Transkription läuft…\"],\"H3fItl\":[\"Transformieren Sie diese Transkripte in einen LinkedIn-Beitrag, der durch den Rauschen schlägt. Bitte:\\nExtrahieren Sie die wichtigsten Einblicke - überspringen Sie alles, was wie standard-Geschäftsratgeber klingt\\nSchreiben Sie es wie einen erfahrenen Führer, der konventionelle Weisheiten herausfordert, nicht wie ein Motivationsposter\\nFinden Sie einen wirklich überraschenden Einblick, der auch erfahrene Führer zum Nachdenken bringt\\nBleiben Sie trotzdem intellektuell tief und direkt\\nVerwenden Sie nur Datenpunkte, die tatsächlich Annahmen herausfordern\\nHalten Sie die Formatierung sauber und professionell (minimal Emojis, Gedanken an die Leerzeichen)\\nSchlagen Sie eine Tonart, die beide tiefes Fachwissen und praktische Erfahrung nahe legt\\nHinweis: Wenn der Inhalt keine tatsächlichen Einblicke enthält, bitte lassen Sie es mich wissen, wir brauchen stärkere Quellenmaterial.\"],\"53dSNP\":[\"Transformieren Sie diesen Inhalt in Einblicke, die wirklich zählen. Bitte:\\nExtrahieren Sie die wichtigsten Ideen, die Standarddenken herausfordern\\nSchreiben Sie wie jemand, der Nuance versteht, nicht wie ein Lehrplan\\nFokussieren Sie sich auf nicht offensichtliche Implikationen\\nHalten Sie es scharf und substanziell\\nHervorheben Sie wirklich bedeutende Muster\\nStrukturieren Sie für Klarheit und Wirkung\\nHalten Sie die Tiefe mit der Zugänglichkeit im Gleichgewicht\\n\\nHinweis: Wenn die Ähnlichkeiten/Unterschiede zu oberflächlich sind, lassen Sie es mich wissen, wir brauchen komplexeres Material zu analysieren.\"],\"uK9JLu\":[\"Transformieren Sie diese Diskussion in handlungsfähige Intelligenz. Bitte:\\nErfassen Sie die strategischen Implikationen, nicht nur die Punkte\\nStrukturieren Sie es wie eine Analyse eines Denkers, nicht Minuten\\nHervorheben Sie Entscheidungspunkte, die Standarddenken herausfordern\\nHalten Sie das Signal-Rausch-Verhältnis hoch\\nFokussieren Sie sich auf Einblicke, die tatsächlich Veränderung bewirken\\nOrganisieren Sie für Klarheit und zukünftige Referenz\\nHalten Sie die Taktik mit der Strategie im Gleichgewicht\\n\\nHinweis: Wenn die Diskussion wenig wichtige Entscheidungspunkte oder Einblicke enthält, markieren Sie sie für eine tiefere Untersuchung beim nächsten Mal.\"],\"qJb6G2\":[\"Erneut versuchen\"],\"eP1iDc\":[\"Frag mal\"],\"goQEqo\":[\"Versuchen Sie, etwas näher an Ihren Mikrofon zu sein, um bessere Audio-Qualität zu erhalten.\"],\"EIU345\":[\"Zwei-Faktor-Authentifizierung\"],\"NwChk2\":[\"Zwei-Faktor-Authentifizierung deaktiviert\"],\"qwpE/S\":[\"Zwei-Faktor-Authentifizierung aktiviert\"],\"+zy2Nq\":[\"Typ\"],\"PD9mEt\":[\"Nachricht eingeben...\"],\"EvmL3X\":[\"Geben Sie hier Ihre Antwort ein\"],\"participant.concrete.artefact.error.title\":[\"Artefakt konnte nicht geladen werden\"],\"MksxNf\":[\"Audit-Protokolle konnten nicht geladen werden.\"],\"8vqTzl\":[\"Das generierte Artefakt konnte nicht geladen werden. Bitte versuchen Sie es erneut.\"],\"nGxDbq\":[\"Dieser Teil kann nicht verarbeitet werden\"],\"9uI/rE\":[\"Rückgängig\"],\"Ef7StM\":[\"Unbekannt\"],\"H899Z+\":[\"ungelesene Ankündigung\"],\"0pinHa\":[\"ungelesene Ankündigungen\"],\"sCTlv5\":[\"Ungespeicherte Änderungen\"],\"SMaFdc\":[\"Abmelden\"],\"jlrVDp\":[\"Unbenanntes Gespräch\"],\"EkH9pt\":[\"Aktualisieren\"],\"3RboBp\":[\"Bericht aktualisieren\"],\"4loE8L\":[\"Aktualisieren Sie den Bericht, um die neuesten Daten zu enthalten\"],\"Jv5s94\":[\"Aktualisieren Sie Ihren Bericht, um die neuesten Änderungen in Ihrem Projekt zu enthalten. Der Link zum Teilen des Berichts würde gleich bleiben.\"],\"kwkhPe\":[\"Upgrade\"],\"UkyAtj\":[\"Upgrade auf Auto-select und analysieren Sie 10x mehr Gespräche in der Hälfte der Zeit - keine manuelle Auswahl mehr, nur tiefere Einblicke sofort.\"],\"ONWvwQ\":[\"Hochladen\"],\"8XD6tj\":[\"Audio hochladen\"],\"kV3A2a\":[\"Hochladen abgeschlossen\"],\"4Fr6DA\":[\"Gespräche hochladen\"],\"pZq3aX\":[\"Hochladen fehlgeschlagen. Bitte versuchen Sie es erneut.\"],\"HAKBY9\":[\"Dateien hochladen\"],\"Wft2yh\":[\"Upload läuft\"],\"JveaeL\":[\"Ressourcen hochladen\"],\"3wG7HI\":[\"Hochgeladen\"],\"k/LaWp\":[\"Audio-Dateien werden hochgeladen...\"],\"VdaKZe\":[\"Experimentelle Funktionen verwenden\"],\"rmMdgZ\":[\"PII Redaction verwenden\"],\"ngdRFH\":[\"Verwenden Sie Shift + Enter, um eine neue Zeile hinzuzufügen\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verifiziert\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verifizierte Artefakte\"],\"4LFZoj\":[\"Code verifizieren\"],\"jpctdh\":[\"Ansicht\"],\"+fxiY8\":[\"Gesprächdetails anzeigen\"],\"H1e6Hv\":[\"Gesprächstatus anzeigen\"],\"SZw9tS\":[\"Details anzeigen\"],\"D4e7re\":[\"Ihre Antworten anzeigen\"],\"tzEbkt\":[\"Warten Sie \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Willst du ein Template zu „Dembrane“ hinzufügen?\"],\"bO5RNo\":[\"Möchten Sie eine Vorlage zu ECHO hinzufügen?\"],\"r6y+jM\":[\"Warnung\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"Wir können Sie nicht hören. Bitte versuchen Sie, Ihr Mikrofon zu ändern oder ein wenig näher an das Gerät zu kommen.\"],\"SrJOPD\":[\"Wir können Sie nicht hören. Bitte versuchen Sie, Ihr Mikrofon zu ändern oder ein wenig näher an das Gerät zu kommen.\"],\"Ul0g2u\":[\"Wir konnten die Zwei-Faktor-Authentifizierung nicht deaktivieren. Versuchen Sie es erneut mit einem neuen Code.\"],\"sM2pBB\":[\"Wir konnten die Zwei-Faktor-Authentifizierung nicht aktivieren. Überprüfen Sie Ihren Code und versuchen Sie es erneut.\"],\"Ewk6kb\":[\"Wir konnten das Audio nicht laden. Bitte versuchen Sie es später erneut.\"],\"xMeAeQ\":[\"Wir haben Ihnen eine E-Mail mit den nächsten Schritten gesendet. Wenn Sie sie nicht sehen, überprüfen Sie Ihren Spam-Ordner.\"],\"9qYWL7\":[\"Wir haben Ihnen eine E-Mail mit den nächsten Schritten gesendet. Wenn Sie sie nicht sehen, überprüfen Sie Ihren Spam-Ordner. Wenn Sie sie immer noch nicht sehen, kontaktieren Sie bitte evelien@dembrane.com\"],\"3fS27S\":[\"Wir haben Ihnen eine E-Mail mit den nächsten Schritten gesendet. Wenn Sie sie nicht sehen, überprüfen Sie Ihren Spam-Ordner. Wenn Sie sie immer noch nicht sehen, kontaktieren Sie bitte jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"Wir brauchen etwas mehr Kontext, um dir effektiv beim Verfeinern zu helfen. Bitte nimm weiter auf, damit wir dir bessere Vorschläge geben können.\"],\"dni8nq\":[\"Wir werden Ihnen nur eine Nachricht senden, wenn Ihr Gastgeber einen Bericht erstellt. Wir geben Ihre Daten niemals an Dritte weiter. Sie können sich jederzeit abmelden.\"],\"participant.test.microphone.description\":[\"Wir testen Ihr Mikrofon, um sicherzustellen, dass jeder in der Sitzung die beste Erfahrung hat.\"],\"tQtKw5\":[\"Wir testen Ihr Mikrofon, um sicherzustellen, dass jeder in der Sitzung die beste Erfahrung hat.\"],\"+eLc52\":[\"Wir hören einige Stille. Versuchen Sie, lauter zu sprechen, damit Ihre Stimme deutlich klingt.\"],\"6jfS51\":[\"Willkommen\"],\"9eF5oV\":[\"Welcome back\"],\"i1hzzO\":[\"Willkommen im Big Picture Modus! Ich hab Zusammenfassungen von all deinen Gesprächen geladen. Frag mich nach Mustern, Themen und Insights in deinen Daten. Für genaue Zitate, starte einen neuen Chat im Modus „Genauer Kontext“.\"],\"fwEAk/\":[\"Willkommen beim Dembrane Chat! Verwenden Sie die Seitenleiste, um Ressourcen und Gespräche auszuwählen, die Sie analysieren möchten. Dann können Sie Fragen zu den ausgewählten Ressourcen und Gesprächen stellen.\"],\"AKBU2w\":[\"Willkommen bei Dembrane!\"],\"TACmoL\":[\"Willkommen im Overview Mode! Ich hab Zusammenfassungen von all deinen Gesprächen geladen. Frag mich nach Mustern, Themes und Insights in deinen Daten. Für genaue Zitate, starte einen neuen Chat im Deep Dive Mode.\"],\"u4aLOz\":[\"Willkommen im Übersichtmodus! Ich hab Zusammenfassungen von all deinen Gesprächen geladen. Frag mich nach Mustern, Themen und Insights in deinen Daten. Für genaue Zitate start eine neue Chat im Modus „Genauer Kontext“.\"],\"Bck6Du\":[\"Willkommen bei Berichten!\"],\"aEpQkt\":[\"Willkommen in Ihrem Home-Bereich! Hier können Sie alle Ihre Projekte sehen und auf Tutorial-Ressourcen zugreifen. Derzeit haben Sie keine Projekte. Klicken Sie auf \\\"Erstellen\\\", um mit der Konfiguration zu beginnen!\"],\"klH6ct\":[\"Willkommen!\"],\"Tfxjl5\":[\"Was sind die Hauptthemen über alle Gespräche hinweg?\"],\"participant.concrete.selection.title\":[\"Was möchtest du konkret machen?\"],\"fyMvis\":[\"Welche Muster ergeben sich aus den Daten?\"],\"qGrqH9\":[\"Was waren die Schlüsselmomente in diesem Gespräch?\"],\"FXZcgH\":[\"Was willst du dir anschauen?\"],\"KcnIXL\":[\"wird in Ihrem Bericht enthalten sein\"],\"participant.button.finish.yes.text.mode\":[\"Ja\"],\"kWJmRL\":[\"Sie\"],\"Dl7lP/\":[\"Sie sind bereits abgemeldet oder Ihre Verknüpfung ist ungültig.\"],\"E71LBI\":[\"Sie können nur bis zu \",[\"MAX_FILES\"],\" Dateien gleichzeitig hochladen. Nur die ersten \",[\"0\"],\" Dateien werden hinzugefügt.\"],\"tbeb1Y\":[\"Sie können die Frage-Funktion immer noch verwenden, um mit jedem Gespräch zu chatten\"],\"participant.modal.change.mic.confirmation.text\":[\"Sie haben Ihr Mikrofon geändert. Bitte klicken Sie auf \\\"Weiter\\\", um mit der Sitzung fortzufahren.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"Sie haben sich erfolgreich abgemeldet.\"],\"lTDtES\":[\"Sie können auch wählen, ein weiteres Gespräch aufzunehmen.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"Sie müssen sich mit demselben Anbieter anmelden, mit dem Sie sich registriert haben. Wenn Sie auf Probleme stoßen, wenden Sie sich bitte an den Support.\"],\"snMcrk\":[\"Sie scheinen offline zu sein. Bitte überprüfen Sie Ihre Internetverbindung\"],\"participant.concrete.instructions.receive.artefact\":[\"Du bekommst gleich \",[\"objectLabel\"],\" zum Verifizieren.\"],\"participant.concrete.instructions.approval.helps\":[\"Deine Freigabe hilft uns zu verstehen, was du wirklich denkst!\"],\"Pw2f/0\":[\"Ihre Unterhaltung wird momentan transcribiert. Bitte überprüfen Sie später erneut.\"],\"OFDbfd\":[\"Ihre Gespräche\"],\"aZHXuZ\":[\"Ihre Eingaben werden automatisch gespeichert.\"],\"PUWgP9\":[\"Ihre Bibliothek ist leer. Erstellen Sie eine Bibliothek, um Ihre ersten Erkenntnisse zu sehen.\"],\"B+9EHO\":[\"Ihre Antwort wurde aufgezeichnet. Sie können diesen Tab jetzt schließen.\"],\"wurHZF\":[\"Ihre Antworten\"],\"B8Q/i2\":[\"Ihre Ansicht wurde erstellt. Bitte warten Sie, während wir die Daten verarbeiten und analysieren.\"],\"library.views.title\":[\"Ihre Ansichten\"],\"lZNgiw\":[\"Ihre Ansichten\"],\"2wg92j\":[\"Gespräche\"],\"hWszgU\":[\"Die Quelle wurde gelöscht\"],\"GSV2Xq\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"7qaVXm\":[\"Experimental\"],\"FclDDn\":[\"Dembrane Verify\"],\"Y/Fou9\":[\"Select which topics participants can use for verification.\"],\"qwmGiT\":[\"Kontakt zu Verkaufsvertretern\"],\"ZWDkP4\":[\"Derzeit sind \",[\"finishedConversationsCount\"],\" Gespräche bereit zur Analyse. \",[\"unfinishedConversationsCount\"],\" werden noch verarbeitet.\"],\"/NTvqV\":[\"Bibliothek nicht verfügbar\"],\"p18xrj\":[\"Bibliothek neu generieren\"],\"hOtk0x\":[\"Echo\"],\"JsSzzl\":[\"ECHO\"],\"SUkFIX\":[\"Pause\"],\"ilKuQo\":[\"Fortsetzen\"],\"SqNXSx\":[\"Nein\"],\"yfZBOp\":[\"Ja\"],\"cic45J\":[\"Wir können diese Anfrage nicht verarbeiten, da die Inhaltsrichtlinie des LLM-Anbieters verletzt wird.\"],\"CvZqsN\":[\"Etwas ist schief gelaufen. Bitte versuchen Sie es erneut, indem Sie den <0>ECHO drücken, oder wenden Sie sich an den Support, wenn das Problem weiterhin besteht.\"],\"P+lUAg\":[\"Etwas ist schief gelaufen. Bitte versuchen Sie es erneut.\"],\"hh87/E\":[\"\\\"Tiefer eintauchen\\\" Bald verfügbar\"],\"RMxlMe\":[\"\\\"Konkret machen\\\" Bald verfügbar\"],\"7UJhVX\":[\"Sind Sie sicher, dass Sie das Gespräch beenden möchten?\"],\"RDsML8\":[\"Gespräch beenden\"],\"IaLTNH\":[\"Approve\"],\"+f3bIA\":[\"Cancel\"],\"qgx4CA\":[\"Revise\"],\"E+5M6v\":[\"Save\"],\"Q82shL\":[\"Go back\"],\"yOp5Yb\":[\"Reload Page\"],\"tw+Fbo\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"oTCD07\":[\"Unable to Load Artefact\"],\"QHbX3T\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"ECX5E0\":[\"Your approval helps us understand what you really think!\"],\"M5oorh\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"RZXkY+\":[\"Abbrechen\"],\"86aTqL\":[\"Next\"],\"pdifRH\":[\"Loading\"],\"Ep029+\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"fKeatI\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"8b+uSr\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"iodqGS\":[\"Loading artefact\"],\"NpZmZm\":[\"This will just take a moment\"],\"wklhqE\":[\"Regenerating the artefact\"],\"LYTXJp\":[\"This will just take a few moments\"],\"CjjC6j\":[\"Next\"],\"q885Ym\":[\"What do you want to verify?\"],\"AWBvkb\":[\"Ende der Liste • Alle \",[\"0\"],\" Gespräche geladen\"]}")as Messages; \ No newline at end of file +/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"Sie sind nicht authentifiziert\"],\"You don't have permission to access this.\":[\"Sie haben keine Berechtigung, darauf zuzugreifen.\"],\"Resource not found\":[\"Ressource nicht gefunden\"],\"Server error\":[\"Serverfehler\"],\"Something went wrong\":[\"Etwas ist schief gelaufen\"],\"We're preparing your workspace.\":[\"Wir bereiten deinen Arbeitsbereich vor.\"],\"Preparing your dashboard\":[\"Dein Dashboard wird vorbereitet\"],\"Welcome back\":[\"Willkommen zurück\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"dashboard.dembrane.concrete.experimental\"],\"participant.button.go.deeper\":[\"Tiefer eintauchen\"],\"participant.button.make.concrete\":[\"Konkret machen\"],\"library.generate.duration.message\":[\"Die Bibliothek wird \",[\"duration\"],\" dauern.\"],\"uDvV8j\":[\" Absenden\"],\"aMNEbK\":[\" Von Benachrichtigungen abmelden\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"Tiefer eintauchen\"],\"participant.modal.refine.info.title.concrete\":[\"Konkret machen\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Verfeinern\\\" bald verfügbar\"],\"2NWk7n\":[\"(für verbesserte Audioverarbeitung)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" bereit\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Gespräche • Bearbeitet \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" ausgewählt\"],\"P1pDS8\":[[\"diffInDays\"],\" Tage zuvor\"],\"bT6AxW\":[[\"diffInHours\"],\" Stunden zuvor\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Derzeit ist \",\"#\",\" Unterhaltung bereit zur Analyse.\"],\"other\":[\"Derzeit sind \",\"#\",\" Unterhaltungen bereit zur Analyse.\"]}]],\"fyE7Au\":[[\"minutes\"],\" Minuten und \",[\"seconds\"],\" Sekunden\"],\"TVD5At\":[[\"readingNow\"],\" liest gerade\"],\"U7Iesw\":[[\"seconds\"],\" Sekunden\"],\"library.conversations.still.processing\":[[\"0\"],\" werden noch verarbeitet.\"],\"ZpJ0wx\":[\"*Transkription wird durchgeführt.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Warte \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspekte\"],\"DX/Wkz\":[\"Konto-Passwort\"],\"L5gswt\":[\"Aktion von\"],\"UQXw0W\":[\"Aktion am\"],\"7L01XJ\":[\"Aktionen\"],\"m16xKo\":[\"Hinzufügen\"],\"1m+3Z3\":[\"Zusätzlichen Kontext hinzufügen (Optional)\"],\"Se1KZw\":[\"Alle zutreffenden hinzufügen\"],\"1xDwr8\":[\"Fügen Sie Schlüsselbegriffe oder Eigennamen hinzu, um die Qualität und Genauigkeit der Transkription zu verbessern.\"],\"ndpRPm\":[\"Neue Aufnahmen zu diesem Projekt hinzufügen. Dateien, die Sie hier hochladen, werden verarbeitet und in Gesprächen erscheinen.\"],\"Ralayn\":[\"Tag hinzufügen\"],\"IKoyMv\":[\"Tags hinzufügen\"],\"NffMsn\":[\"Zu diesem Chat hinzufügen\"],\"Na90E+\":[\"Hinzugefügte E-Mails\"],\"SJCAsQ\":[\"Kontext wird hinzugefügt:\"],\"OaKXud\":[\"Erweitert (Tipps und best practices)\"],\"TBpbDp\":[\"Erweitert (Tipps und Tricks)\"],\"JiIKww\":[\"Erweiterte Einstellungen\"],\"cF7bEt\":[\"Alle Aktionen\"],\"O1367B\":[\"Alle Sammlungen\"],\"Cmt62w\":[\"Alle Gespräche bereit\"],\"u/fl/S\":[\"Alle Dateien wurden erfolgreich hochgeladen.\"],\"baQJ1t\":[\"Alle Erkenntnisse\"],\"3goDnD\":[\"Teilnehmern erlauben, über den Link neue Gespräche zu beginnen\"],\"bruUug\":[\"Fast geschafft\"],\"H7cfSV\":[\"Bereits zu diesem Chat hinzugefügt\"],\"jIoHDG\":[\"Eine E-Mail-Benachrichtigung wird an \",[\"0\"],\" Teilnehmer\",[\"1\"],\" gesendet. Möchten Sie fortfahren?\"],\"G54oFr\":[\"Eine E-Mail-Benachrichtigung wird an \",[\"0\"],\" Teilnehmer\",[\"1\"],\" gesendet. Möchten Sie fortfahren?\"],\"8q/YVi\":[\"Beim Laden des Portals ist ein Fehler aufgetreten. Bitte kontaktieren Sie das Support-Team.\"],\"XyOToQ\":[\"Ein Fehler ist aufgetreten.\"],\"QX6zrA\":[\"Analyse\"],\"F4cOH1\":[\"Analyse Sprache\"],\"1x2m6d\":[\"Analyse diese Elemente mit Tiefe und Nuance. Bitte:\\n\\nFokussieren Sie sich auf unerwartete Verbindungen und Gegenüberstellungen\\nGehen Sie über offensichtliche Oberflächenvergleiche hinaus\\nIdentifizieren Sie versteckte Muster, die die meisten Analysen übersehen\\nBleiben Sie analytisch rigoros, während Sie ansprechend bleiben\\nVerwenden Sie Beispiele, die tiefere Prinzipien erhellen\\nStrukturieren Sie die Analyse, um Verständnis zu erlangen\\nZiehen Sie Erkenntnisse hervor, die konventionelle Weisheiten herausfordern\\n\\nHinweis: Wenn die Ähnlichkeiten/Unterschiede zu oberflächlich sind, lassen Sie es mich wissen, wir brauchen komplexeres Material zu analysieren.\"],\"Dzr23X\":[\"Ankündigungen\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Freigeben\"],\"conversation.verified.approved\":[\"Genehmigt\"],\"Q5Z2wp\":[\"Sind Sie sicher, dass Sie dieses Gespräch löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden.\"],\"kWiPAC\":[\"Sind Sie sicher, dass Sie dieses Projekt löschen möchten?\"],\"YF1Re1\":[\"Sind Sie sicher, dass Sie dieses Projekt löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden.\"],\"B8ymes\":[\"Sind Sie sicher, dass Sie diese Aufnahme löschen möchten?\"],\"G2gLnJ\":[\"Are you sure you want to delete this tag?\"],\"aUsm4A\":[\"Sind Sie sicher, dass Sie diesen Tag löschen möchten? Dies wird den Tag aus den bereits enthaltenen Gesprächen entfernen.\"],\"participant.modal.finish.message.text.mode\":[\"Sind Sie sicher, dass Sie das Gespräch beenden möchten?\"],\"xu5cdS\":[\"Sind Sie sicher, dass Sie fertig sind?\"],\"sOql0x\":[\"Sind Sie sicher, dass Sie die Bibliothek generieren möchten? Dies wird eine Weile dauern und Ihre aktuellen Ansichten und Erkenntnisse überschreiben.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Sind Sie sicher, dass Sie das Zusammenfassung erneut generieren möchten? Sie werden die aktuelle Zusammenfassung verlieren.\"],\"JHgUuT\":[\"Artefakt erfolgreich freigegeben!\"],\"IbpaM+\":[\"Artefakt erfolgreich neu geladen!\"],\"Qcm/Tb\":[\"Artefakt erfolgreich überarbeitet!\"],\"uCzCO2\":[\"Artefakt erfolgreich aktualisiert!\"],\"KYehbE\":[\"Artefakte\"],\"jrcxHy\":[\"Artefakte\"],\"F+vBv0\":[\"Fragen\"],\"Rjlwvz\":[\"Nach Namen fragen?\"],\"5gQcdD\":[\"Teilnehmer bitten, ihren Namen anzugeben, wenn sie ein Gespräch beginnen\"],\"84NoFa\":[\"Aspekt\"],\"HkigHK\":[\"Aspekte\"],\"kskjVK\":[\"Assistent schreibt...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"Wähle mindestens ein Thema, um Konkret machen zu aktivieren\"],\"DMBYlw\":[\"Audioverarbeitung wird durchgeführt\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Audioaufnahmen werden 30 Tage nach dem Aufnahmedatum gelöscht\"],\"IOBCIN\":[\"Audio-Tipp\"],\"y2W2Hg\":[\"Audit-Protokolle\"],\"aL1eBt\":[\"Audit-Protokolle als CSV exportiert\"],\"mS51hl\":[\"Audit-Protokolle als JSON exportiert\"],\"z8CQX2\":[\"Authentifizierungscode\"],\"/iCiQU\":[\"Automatisch auswählen\"],\"3D5FPO\":[\"Automatisch auswählen deaktiviert\"],\"ajAMbT\":[\"Automatisch auswählen aktiviert\"],\"jEqKwR\":[\"Quellen automatisch auswählen, um dem Chat hinzuzufügen\"],\"vtUY0q\":[\"Relevante Gespräche automatisch für die Analyse ohne manuelle Auswahl einschließt\"],\"csDS2L\":[\"Verfügbar\"],\"participant.button.back.microphone\":[\"Zurück\"],\"participant.button.back\":[\"Zurück\"],\"iH8pgl\":[\"Zurück\"],\"/9nVLo\":[\"Zurück zur Auswahl\"],\"wVO5q4\":[\"Grundlegend (Wesentliche Tutorial-Folien)\"],\"epXTwc\":[\"Grundlegende Einstellungen\"],\"GML8s7\":[\"Beginnen!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture – Themen & Muster\"],\"YgG3yv\":[\"Ideen brainstormen\"],\"ba5GvN\":[\"Durch das Löschen dieses Projekts werden alle damit verbundenen Daten gelöscht. Diese Aktion kann nicht rückgängig gemacht werden. Sind Sie ABSOLUT sicher, dass Sie dieses Projekt löschen möchten?\"],\"dEgA5A\":[\"Abbrechen\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Abbrechen\"],\"participant.concrete.action.button.cancel\":[\"Abbrechen\"],\"participant.concrete.instructions.button.cancel\":[\"Abbrechen\"],\"RKD99R\":[\"Leeres Gespräch kann nicht hinzugefügt werden\"],\"JFFJDJ\":[\"Änderungen werden automatisch gespeichert, während Sie die App weiter nutzen. <0/>Sobald Sie ungespeicherte Änderungen haben, können Sie überall klicken, um die Änderungen zu speichern. <1/>Sie sehen auch einen Button zum Abbrechen der Änderungen.\"],\"u0IJto\":[\"Änderungen werden automatisch gespeichert\"],\"xF/jsW\":[\"Das Ändern der Sprache während eines aktiven Chats kann unerwartete Ergebnisse hervorrufen. Es wird empfohlen, ein neues Gespräch zu beginnen, nachdem die Sprache geändert wurde. Sind Sie sicher, dass Sie fortfahren möchten?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chat\"],\"project.sidebar.chat.title\":[\"Chat\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Mikrofonzugriff prüfen\"],\"+e4Yxz\":[\"Mikrofonzugriff prüfen\"],\"v4fiSg\":[\"Überprüfen Sie Ihre E-Mail\"],\"pWT04I\":[\"Überprüfe...\"],\"DakUDF\":[\"Wähl dein Theme für das Interface\"],\"0ngaDi\":[\"Quellen zitieren\"],\"B2pdef\":[\"Klicken Sie auf \\\"Dateien hochladen\\\", wenn Sie bereit sind, den Upload-Prozess zu starten.\"],\"BPrdpc\":[\"Projekt klonen\"],\"9U86tL\":[\"Projekt klonen\"],\"yz7wBu\":[\"Schließen\"],\"q+hNag\":[\"Sammlung\"],\"Wqc3zS\":[\"Vergleichen & Gegenüberstellen\"],\"jlZul5\":[\"Vergleichen und stellen Sie die folgenden im Kontext bereitgestellten Elemente gegenüber.\"],\"bD8I7O\":[\"Abgeschlossen\"],\"6jBoE4\":[\"Konkrete Themen\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Weiter\"],\"yjkELF\":[\"Neues Passwort bestätigen\"],\"p2/GCq\":[\"Passwort bestätigen\"],\"puQ8+/\":[\"Veröffentlichung bestätigen\"],\"L0k594\":[\"Bestätigen Sie Ihr Passwort, um ein neues Geheimnis für Ihre Authentifizierungs-App zu generieren.\"],\"JhzMcO\":[\"Verbindung zu den Berichtsdiensten wird hergestellt...\"],\"wX/BfX\":[\"Verbindung gesund\"],\"WimHuY\":[\"Verbindung ungesund\"],\"DFFB2t\":[\"Kontakt zu Verkaufsvertretern\"],\"VlCTbs\":[\"Kontaktieren Sie Ihren Verkaufsvertreter, um diese Funktion heute zu aktivieren!\"],\"M73whl\":[\"Kontext\"],\"VHSco4\":[\"Kontext hinzugefügt:\"],\"participant.button.continue\":[\"Weiter\"],\"xGVfLh\":[\"Weiter\"],\"F1pfAy\":[\"Gespräch\"],\"EiHu8M\":[\"Gespräch zum Chat hinzugefügt\"],\"ggJDqH\":[\"Audio der Konversation\"],\"participant.conversation.ended\":[\"Gespräch beendet\"],\"BsHMTb\":[\"Gespräch beendet\"],\"26Wuwb\":[\"Gespräch wird verarbeitet\"],\"OtdHFE\":[\"Gespräch aus dem Chat entfernt\"],\"zTKMNm\":[\"Gesprächstatus\"],\"Rdt7Iv\":[\"Gesprächstatusdetails\"],\"a7zH70\":[\"Gespräche\"],\"EnJuK0\":[\"Gespräche\"],\"TQ8ecW\":[\"Gespräche aus QR-Code\"],\"nmB3V3\":[\"Gespräche aus Upload\"],\"participant.refine.cooling.down\":[\"Abkühlung läuft. Verfügbar in \",[\"0\"]],\"6V3Ea3\":[\"Kopiert\"],\"he3ygx\":[\"Kopieren\"],\"y1eoq1\":[\"Link kopieren\"],\"Dj+aS5\":[\"Link zum Teilen dieses Berichts kopieren\"],\"vAkFou\":[\"Geheimnis kopieren\"],\"v3StFl\":[\"Zusammenfassung kopieren\"],\"/4gGIX\":[\"In die Zwischenablage kopieren\"],\"rG2gDo\":[\"Transkript kopieren\"],\"OvEjsP\":[\"Kopieren...\"],\"hYgDIe\":[\"Erstellen\"],\"CSQPC0\":[\"Konto erstellen\"],\"library.create\":[\"Bibliothek erstellen\"],\"O671Oh\":[\"Bibliothek erstellen\"],\"library.create.view.modal.title\":[\"Neue Ansicht erstellen\"],\"vY2Gfm\":[\"Neue Ansicht erstellen\"],\"bsfMt3\":[\"Bericht erstellen\"],\"library.create.view\":[\"Ansicht erstellen\"],\"3D0MXY\":[\"Ansicht erstellen\"],\"45O6zJ\":[\"Erstellt am\"],\"8Tg/JR\":[\"Benutzerdefiniert\"],\"o1nIYK\":[\"Benutzerdefinierter Dateiname\"],\"ZQKLI1\":[\"Gefahrenbereich\"],\"ovBPCi\":[\"Standard\"],\"ucTqrC\":[\"Standard - Kein Tutorial (Nur Datenschutzbestimmungen)\"],\"project.sidebar.chat.delete\":[\"Chat löschen\"],\"cnGeoo\":[\"Löschen\"],\"2DzmAq\":[\"Gespräch löschen\"],\"++iDlT\":[\"Projekt löschen\"],\"+m7PfT\":[\"Erfolgreich gelöscht\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane läuft mit KI. Prüf die Antworten noch mal gegen.\"],\"67znul\":[\"Dembrane Antwort\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Entwickeln Sie ein strategisches Framework, das bedeutende Ergebnisse fördert. Bitte:\\n\\nIdentifizieren Sie die Kernziele und ihre Abhängigkeiten\\nEntwickeln Sie Implementierungspfade mit realistischen Zeiträumen\\nVorhersagen Sie potenzielle Hindernisse und Minderungsstrategien\\nDefinieren Sie klare Metriken für Erfolg, die über Vanity-Indikatoren hinausgehen\\nHervorheben Sie Ressourcenanforderungen und Allokationsprioritäten\\nStrukturieren Sie das Planung für sowohl sofortige Maßnahmen als auch langfristige Vision\\nEntscheidungsgrenzen und Pivot-Punkte einschließen\\n\\nHinweis: Focus on strategies that create sustainable competitive advantages, not just incremental improvements.\"],\"qERl58\":[\"2FA deaktivieren\"],\"yrMawf\":[\"Zwei-Faktor-Authentifizierung deaktivieren\"],\"E/QGRL\":[\"Deaktiviert\"],\"LnL5p2\":[\"Möchten Sie zu diesem Projekt beitragen?\"],\"JeOjN4\":[\"Möchten Sie auf dem Laufenden bleiben?\"],\"TvY/XA\":[\"Dokumentation\"],\"mzI/c+\":[\"Herunterladen\"],\"5YVf7S\":[\"Alle Transkripte der Gespräche, die für dieses Projekt generiert wurden, herunterladen.\"],\"5154Ap\":[\"Alle Transkripte herunterladen\"],\"8fQs2Z\":[\"Herunterladen als\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Audio herunterladen\"],\"+bBcKo\":[\"Transkript herunterladen\"],\"5XW2u5\":[\"Transkript-Download-Optionen\"],\"hUO5BY\":[\"Ziehen Sie Audio-Dateien hier oder klicken Sie, um Dateien auszuwählen\"],\"KIjvtr\":[\"Niederländisch\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo wird durch AI unterstützt. Bitte überprüfen Sie die Antworten.\"],\"o6tfKZ\":[\"ECHO wird durch AI unterstützt. Bitte überprüfen Sie die Antworten.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Gespräch bearbeiten\"],\"/8fAkm\":[\"Dateiname bearbeiten\"],\"G2KpGE\":[\"Projekt bearbeiten\"],\"DdevVt\":[\"Bericht bearbeiten\"],\"0YvCPC\":[\"Ressource bearbeiten\"],\"report.editor.description\":[\"Bearbeiten Sie den Berichts-Inhalt mit dem Rich-Text-Editor unten. Sie können Text formatieren, Links, Bilder und mehr hinzufügen.\"],\"F6H6Lg\":[\"Bearbeitungsmodus\"],\"O3oNi5\":[\"E-Mail\"],\"wwiTff\":[\"E-Mail-Verifizierung\"],\"Ih5qq/\":[\"E-Mail-Verifizierung | Dembrane\"],\"iF3AC2\":[\"E-Mail erfolgreich verifiziert. Sie werden in 5 Sekunden zur Login-Seite weitergeleitet. Wenn Sie nicht weitergeleitet werden, klicken Sie bitte <0>hier.\"],\"g2N9MJ\":[\"email@work.com\"],\"N2S1rs\":[\"Leer\"],\"DCRKbe\":[\"2FA aktivieren\"],\"ycR/52\":[\"Dembrane Echo aktivieren\"],\"mKGCnZ\":[\"Dembrane ECHO aktivieren\"],\"Dh2kHP\":[\"Dembrane Antwort aktivieren\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Tiefer eintauchen aktivieren\"],\"wGA7d4\":[\"Konkret machen aktivieren\"],\"G3dSLc\":[\"Benachrichtigungen für Berichte aktivieren\"],\"dashboard.dembrane.concrete.description\":[\"Aktiviere diese Funktion, damit Teilnehmende konkrete Ergebnisse aus ihrem Gespräch erstellen können. Sie können nach der Aufnahme ein Thema auswählen und gemeinsam ein Artefakt erstellen, das ihre Ideen festhält.\"],\"Idlt6y\":[\"Aktivieren Sie diese Funktion, um Teilnehmern zu ermöglichen, Benachrichtigungen zu erhalten, wenn ein Bericht veröffentlicht oder aktualisiert wird. Teilnehmer können ihre E-Mail-Adresse eingeben, um Updates zu abonnieren und informiert zu bleiben.\"],\"g2qGhy\":[\"Aktivieren Sie diese Funktion, um Teilnehmern die Möglichkeit zu geben, KI-gesteuerte Antworten während ihres Gesprächs anzufordern. Teilnehmer können nach Aufnahme ihrer Gedanken auf \\\"Echo\\\" klicken, um kontextbezogene Rückmeldungen zu erhalten, die tiefere Reflexion und Engagement fördern. Ein Abkühlungszeitraum gilt zwischen Anfragen.\"],\"pB03mG\":[\"Aktivieren Sie diese Funktion, um Teilnehmern die Möglichkeit zu geben, KI-gesteuerte Antworten während ihres Gesprächs anzufordern. Teilnehmer können nach Aufnahme ihrer Gedanken auf \\\"ECHO\\\" klicken, um kontextbezogene Rückmeldungen zu erhalten, die tiefere Reflexion und Engagement fördern. Ein Abkühlungszeitraum gilt zwischen Anfragen.\"],\"dWv3hs\":[\"Aktivieren Sie diese Funktion, um Teilnehmern die Möglichkeit zu geben, AI-gesteuerte Antworten während ihres Gesprächs anzufordern. Teilnehmer können nach Aufnahme ihrer Gedanken auf \\\"Dembrane Antwort\\\" klicken, um kontextbezogene Rückmeldungen zu erhalten, die tiefere Reflexion und Engagement fördern. Ein Abkühlungszeitraum gilt zwischen Anfragen.\"],\"rkE6uN\":[\"Aktiviere das, damit Teilnehmende in ihrem Gespräch KI-Antworten anfordern können. Nach ihrer Aufnahme können sie auf „Tiefer eintauchen“ klicken und bekommen Feedback im Kontext, das zu mehr Reflexion und Beteiligung anregt. Zwischen den Anfragen gibt es eine kurze Wartezeit.\"],\"329BBO\":[\"Zwei-Faktor-Authentifizierung aktivieren\"],\"RxzN1M\":[\"Aktiviert\"],\"IxzwiB\":[\"Ende der Liste • Alle \",[\"0\"],\" Gespräche geladen\"],\"lYGfRP\":[\"Englisch\"],\"GboWYL\":[\"Geben Sie einen Schlüsselbegriff oder Eigennamen ein\"],\"TSHJTb\":[\"Geben Sie einen Namen für das neue Gespräch ein\"],\"KovX5R\":[\"Geben Sie einen Namen für Ihr geklontes Projekt ein\"],\"34YqUw\":[\"Geben Sie einen gültigen Code ein, um die Zwei-Faktor-Authentifizierung zu deaktivieren.\"],\"2FPsPl\":[\"Dateiname eingeben (ohne Erweiterung)\"],\"vT+QoP\":[\"Geben Sie einen neuen Namen für den Chat ein:\"],\"oIn7d4\":[\"Geben Sie den 6-stelligen Code aus Ihrer Authentifizierungs-App ein.\"],\"q1OmsR\":[\"Geben Sie den aktuellen 6-stelligen Code aus Ihrer Authentifizierungs-App ein.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Geben Sie Ihr Passwort ein\"],\"42tLXR\":[\"Geben Sie Ihre Anfrage ein\"],\"SlfejT\":[\"Fehler\"],\"Ne0Dr1\":[\"Fehler beim Klonen des Projekts\"],\"AEkJ6x\":[\"Fehler beim Erstellen des Berichts\"],\"S2MVUN\":[\"Fehler beim Laden der Ankündigungen\"],\"xcUDac\":[\"Fehler beim Laden der Erkenntnisse\"],\"edh3aY\":[\"Fehler beim Laden des Projekts\"],\"3Uoj83\":[\"Fehler beim Laden der Zitate\"],\"z05QRC\":[\"Fehler beim Aktualisieren des Berichts\"],\"hmk+3M\":[\"Fehler beim Hochladen von \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Alles sieht gut aus – Sie können fortfahren.\"],\"/PykH1\":[\"Alles sieht gut aus – Sie können fortfahren.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimentell\"],\"/bsogT\":[\"Entdecke Themen und Muster über alle Gespräche hinweg\"],\"sAod0Q\":[[\"conversationCount\"],\" Gespräche werden analysiert\"],\"GS+Mus\":[\"Exportieren\"],\"7Bj3x9\":[\"Fehlgeschlagen\"],\"bh2Vob\":[\"Fehler beim Hinzufügen des Gesprächs zum Chat\"],\"ajvYcJ\":[\"Fehler beim Hinzufügen des Gesprächs zum Chat\",[\"0\"]],\"9GMUFh\":[\"Artefakt konnte nicht freigegeben werden. Bitte versuchen Sie es erneut.\"],\"RBpcoc\":[\"Fehler beim Kopieren des Chats. Bitte versuchen Sie es erneut.\"],\"uvu6eC\":[\"Transkript konnte nicht kopiert werden. Versuch es noch mal.\"],\"BVzTya\":[\"Fehler beim Löschen der Antwort\"],\"p+a077\":[\"Fehler beim Deaktivieren des Automatischen Auswählens für diesen Chat\"],\"iS9Cfc\":[\"Fehler beim Aktivieren des Automatischen Auswählens für diesen Chat\"],\"Gu9mXj\":[\"Fehler beim Beenden des Gesprächs. Bitte versuchen Sie es erneut.\"],\"vx5bTP\":[\"Fehler beim Generieren von \",[\"label\"],\". Bitte versuchen Sie es erneut.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Zusammenfassung konnte nicht erstellt werden. Versuch es später noch mal.\"],\"DKxr+e\":[\"Fehler beim Laden der Ankündigungen\"],\"TSt/Iq\":[\"Fehler beim Laden der neuesten Ankündigung\"],\"D4Bwkb\":[\"Fehler beim Laden der Anzahl der ungelesenen Ankündigungen\"],\"AXRzV1\":[\"Fehler beim Laden des Audio oder das Audio ist nicht verfügbar\"],\"T7KYJY\":[\"Fehler beim Markieren aller Ankündigungen als gelesen\"],\"eGHX/x\":[\"Fehler beim Markieren der Ankündigung als gelesen\"],\"SVtMXb\":[\"Fehler beim erneuten Generieren der Zusammenfassung. Bitte versuchen Sie es erneut.\"],\"h49o9M\":[\"Neu laden fehlgeschlagen. Bitte versuchen Sie es erneut.\"],\"kE1PiG\":[\"Fehler beim Entfernen des Gesprächs aus dem Chat\"],\"+piK6h\":[\"Fehler beim Entfernen des Gesprächs aus dem Chat\",[\"0\"]],\"SmP70M\":[\"Fehler beim Hertranskribieren des Gesprächs. Bitte versuchen Sie es erneut.\"],\"hhLiKu\":[\"Artefakt konnte nicht überarbeitet werden. Bitte versuchen Sie es erneut.\"],\"wMEdO3\":[\"Fehler beim Beenden der Aufnahme bei Änderung des Mikrofons. Bitte versuchen Sie es erneut.\"],\"wH6wcG\":[\"E-Mail-Status konnte nicht überprüft werden. Bitte versuchen Sie es erneut.\"],\"participant.modal.refine.info.title\":[\"Funktion bald verfügbar\"],\"87gcCP\":[\"Datei \\\"\",[\"0\"],\"\\\" überschreitet die maximale Größe von \",[\"1\"],\".\"],\"ena+qV\":[\"Datei \\\"\",[\"0\"],\"\\\" hat ein nicht unterstütztes Format. Nur Audio-Dateien sind erlaubt.\"],\"LkIAge\":[\"Datei \\\"\",[\"0\"],\"\\\" ist kein unterstütztes Audio-Format. Nur Audio-Dateien sind erlaubt.\"],\"RW2aSn\":[\"Datei \\\"\",[\"0\"],\"\\\" ist zu klein (\",[\"1\"],\"). Mindestgröße ist \",[\"2\"],\".\"],\"+aBwxq\":[\"Dateigröße: Min \",[\"0\"],\", Max \",[\"1\"],\", bis zu \",[\"MAX_FILES\"],\" Dateien\"],\"o7J4JM\":[\"Filter\"],\"5g0xbt\":[\"Audit-Protokolle nach Aktion filtern\"],\"9clinz\":[\"Audit-Protokolle nach Sammlung filtern\"],\"O39Ph0\":[\"Nach Aktion filtern\"],\"DiDNkt\":[\"Nach Sammlung filtern\"],\"participant.button.stop.finish\":[\"Beenden\"],\"participant.button.finish.text.mode\":[\"Beenden\"],\"participant.button.finish\":[\"Beenden\"],\"JmZ/+d\":[\"Beenden\"],\"participant.modal.finish.title.text.mode\":[\"Gespräch beenden\"],\"4dQFvz\":[\"Beendet\"],\"kODvZJ\":[\"Vorname\"],\"MKEPCY\":[\"Folgen\"],\"JnPIOr\":[\"Folgen der Wiedergabe\"],\"glx6on\":[\"Passwort vergessen?\"],\"nLC6tu\":[\"Französisch\"],\"tSA0hO\":[\"Erkenntnisse aus Ihren Gesprächen generieren\"],\"QqIxfi\":[\"Geheimnis generieren\"],\"tM4cbZ\":[\"Generieren Sie strukturierte Besprechungsnotizen basierend auf den im Kontext bereitgestellten Diskussionspunkten.\"],\"gitFA/\":[\"Zusammenfassung generieren\"],\"kzY+nd\":[\"Zusammenfassung wird erstellt. Kurz warten ...\"],\"DDcvSo\":[\"Deutsch\"],\"u9yLe/\":[\"Erhalte eine sofortige Antwort von Dembrane, um das Gespräch zu vertiefen.\"],\"participant.refine.go.deeper.description\":[\"Erhalte eine sofortige Antwort von Dembrane, um das Gespräch zu vertiefen.\"],\"TAXdgS\":[\"Geben Sie mir eine Liste von 5-10 Themen, die diskutiert werden.\"],\"CKyk7Q\":[\"Go back\"],\"participant.concrete.artefact.action.button.go.back\":[\"Zurück\"],\"IL8LH3\":[\"Tiefer eintauchen\"],\"participant.refine.go.deeper\":[\"Tiefer eintauchen\"],\"iWpEwy\":[\"Zur Startseite\"],\"A3oCMz\":[\"Zur neuen Unterhaltung gehen\"],\"5gqNQl\":[\"Rasteransicht\"],\"ZqBGoi\":[\"Hat verifizierte Artefakte\"],\"Yae+po\":[\"Helfen Sie uns zu übersetzen\"],\"ng2Unt\":[\"Hallo, \",[\"0\"]],\"D+zLDD\":[\"Verborgen\"],\"G1UUQY\":[\"Verborgener Schatz\"],\"LqWHk1\":[\"Verstecken \",[\"0\"]],\"u5xmYC\":[\"Alle ausblenden\"],\"txCbc+\":[\"Alle Erkenntnisse ausblenden\"],\"0lRdEo\":[\"Gespräche ohne Inhalt ausblenden\"],\"eHo/Jc\":[\"Daten verbergen\"],\"g4tIdF\":[\"Revisionsdaten verbergen\"],\"i0qMbr\":[\"Startseite\"],\"LSCWlh\":[\"Wie würden Sie einem Kollegen beschreiben, was Sie mit diesem Projekt erreichen möchten?\\n* Was ist das übergeordnete Ziel oder die wichtigste Kennzahl\\n* Wie sieht Erfolg aus\"],\"participant.button.i.understand\":[\"Ich verstehe\"],\"WsoNdK\":[\"Identifizieren und analysieren Sie die wiederkehrenden Themen in diesem Inhalt. Bitte:\\n\"],\"KbXMDK\":[\"Identifizieren Sie wiederkehrende Themen, Themen und Argumente, die in Gesprächen konsistent auftreten. Analysieren Sie ihre Häufigkeit, Intensität und Konsistenz. Erwartete Ausgabe: 3-7 Aspekte für kleine Datensätze, 5-12 für mittlere Datensätze, 8-15 für große Datensätze. Verarbeitungsanleitung: Konzentrieren Sie sich auf unterschiedliche Muster, die in mehreren Gesprächen auftreten.\"],\"participant.concrete.instructions.approve.artefact\":[\"Gib dieses Artefakt frei, wenn es für dich passt.\"],\"QJUjB0\":[\"Um besser durch die Zitate navigieren zu können, erstellen Sie zusätzliche Ansichten. Die Zitate werden dann basierend auf Ihrer Ansicht gruppiert.\"],\"IJUcvx\":[\"Währenddessen können Sie die Chat-Funktion verwenden, um die Gespräche zu analysieren, die noch verarbeitet werden.\"],\"aOhF9L\":[\"Link zur Portal-Seite in Bericht einschließen\"],\"Dvf4+M\":[\"Zeitstempel einschließen\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Erkenntnisbibliothek\"],\"ZVY8fB\":[\"Erkenntnis nicht gefunden\"],\"sJa5f4\":[\"Erkenntnisse\"],\"3hJypY\":[\"Erkenntnisse\"],\"crUYYp\":[\"Ungültiger Code. Bitte fordern Sie einen neuen an.\"],\"jLr8VJ\":[\"Ungültige Anmeldedaten.\"],\"aZ3JOU\":[\"Ungültiges Token. Bitte versuchen Sie es erneut.\"],\"1xMiTU\":[\"IP-Adresse\"],\"participant.conversation.error.deleted\":[\"Das Gespräch wurde während der Aufnahme gelöscht. Wir haben die Aufnahme beendet, um Probleme zu vermeiden. Sie können jederzeit ein neues Gespräch starten.\"],\"zT7nbS\":[\"Es scheint, dass das Gespräch während der Aufnahme gelöscht wurde. Wir haben die Aufnahme beendet, um Probleme zu vermeiden. Sie können jederzeit ein neues Gespräch starten.\"],\"library.not.available.message\":[\"Es scheint, dass die Bibliothek für Ihr Konto nicht verfügbar ist. Bitte fordern Sie Zugriff an, um dieses Feature zu entsperren.\"],\"participant.concrete.artefact.error.description\":[\"Fehler beim Laden des Artefakts. Versuch es gleich nochmal.\"],\"MbKzYA\":[\"Es klingt, als würden mehrere Personen sprechen. Wenn Sie abwechselnd sprechen, können wir alle deutlich hören.\"],\"Lj7sBL\":[\"Italienisch\"],\"clXffu\":[\"Treten Sie \",[\"0\"],\" auf Dembrane bei\"],\"uocCon\":[\"Einen Moment bitte\"],\"OSBXx5\":[\"Gerade eben\"],\"0ohX1R\":[\"Halten Sie den Zugriff sicher mit einem Einmalcode aus Ihrer Authentifizierungs-App. Aktivieren oder deaktivieren Sie die Zwei-Faktor-Authentifizierung für dieses Konto.\"],\"vXIe7J\":[\"Sprache\"],\"UXBCwc\":[\"Nachname\"],\"0K/D0Q\":[\"Zuletzt gespeichert am \",[\"0\"]],\"K7P0jz\":[\"Zuletzt aktualisiert\"],\"PIhnIP\":[\"Lassen Sie uns wissen!\"],\"qhQjFF\":[\"Lass uns sicherstellen, dass wir Sie hören können\"],\"exYcTF\":[\"Bibliothek\"],\"library.title\":[\"Bibliothek\"],\"T50lwc\":[\"Bibliothekserstellung läuft\"],\"yUQgLY\":[\"Bibliothek wird derzeit verarbeitet\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn-Beitrag (Experimentell)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live Audiopegel:\"],\"TkFXaN\":[\"Live Audiopegel:\"],\"n9yU9X\":[\"Live Vorschau\"],\"participant.concrete.instructions.loading\":[\"Anweisungen werden geladen…\"],\"yQE2r9\":[\"Laden\"],\"yQ9yN3\":[\"Aktionen werden geladen...\"],\"participant.concrete.loading.artefact\":[\"Artefakt wird geladen…\"],\"JOvnq+\":[\"Audit-Protokolle werden geladen…\"],\"y+JWgj\":[\"Sammlungen werden geladen...\"],\"ATTcN8\":[\"Konkrete Themen werden geladen…\"],\"FUK4WT\":[\"Mikrofone werden geladen...\"],\"H+bnrh\":[\"Transkript wird geladen ...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"wird geladen...\"],\"Z3FXyt\":[\"Laden...\"],\"Pwqkdw\":[\"Laden…\"],\"z0t9bb\":[\"Anmelden\"],\"zfB1KW\":[\"Anmelden | Dembrane\"],\"Wd2LTk\":[\"Als bestehender Benutzer anmelden\"],\"nOhz3x\":[\"Abmelden\"],\"jWXlkr\":[\"Längste zuerst\"],\"dashboard.dembrane.concrete.title\":[\"Konkrete Themen\"],\"participant.refine.make.concrete\":[\"Konkret machen\"],\"JSxZVX\":[\"Alle als gelesen markieren\"],\"+s1J8k\":[\"Als gelesen markieren\"],\"VxyuRJ\":[\"Besprechungsnotizen\"],\"08d+3x\":[\"Nachrichten von \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Der Mikrofonzugriff ist weiterhin verweigert. Bitte überprüfen Sie Ihre Einstellungen und versuchen Sie es erneut.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Modus\"],\"zMx0gF\":[\"Mehr Vorlagen\"],\"QWdKwH\":[\"Verschieben\"],\"CyKTz9\":[\"Gespräch verschieben\"],\"wUTBdx\":[\"Gespräch zu einem anderen Projekt verschieben\"],\"Ksvwy+\":[\"Gespräch zu einem anderen Projekt verschieben\"],\"6YtxFj\":[\"Name\"],\"e3/ja4\":[\"Name A-Z\"],\"c5Xt89\":[\"Name Z-A\"],\"isRobC\":[\"Neu\"],\"Wmq4bZ\":[\"Neuer Gespräch Name\"],\"library.new.conversations\":[\"Seit der Erstellung der Bibliothek wurden neue Gespräche hinzugefügt. Generieren Sie die Bibliothek neu, um diese zu verarbeiten.\"],\"P/+jkp\":[\"Seit der Erstellung der Bibliothek wurden neue Gespräche hinzugefügt. Generieren Sie die Bibliothek neu, um diese zu verarbeiten.\"],\"7vhWI8\":[\"Neues Passwort\"],\"+VXUp8\":[\"Neues Projekt\"],\"+RfVvh\":[\"Neueste zuerst\"],\"participant.button.next\":[\"Weiter\"],\"participant.ready.to.begin.button.text\":[\"Bereit zum Beginn\"],\"participant.concrete.selection.button.next\":[\"Weiter\"],\"participant.concrete.instructions.button.next\":[\"Weiter\"],\"hXzOVo\":[\"Weiter\"],\"participant.button.finish.no.text.mode\":[\"Nein\"],\"riwuXX\":[\"Keine Aktionen gefunden\"],\"WsI5bo\":[\"Keine Ankündigungen verfügbar\"],\"Em+3Ls\":[\"Keine Audit-Protokolle entsprechen den aktuellen Filtern.\"],\"project.sidebar.chat.empty.description\":[\"Keine Chats gefunden. Starten Sie einen Chat mit dem \\\"Fragen\\\"-Button.\"],\"YM6Wft\":[\"Keine Chats gefunden. Starten Sie einen Chat mit dem \\\"Fragen\\\"-Button.\"],\"Qqhl3R\":[\"Keine Sammlungen gefunden\"],\"zMt5AM\":[\"Keine konkreten Themen verfügbar.\"],\"zsslJv\":[\"Kein Inhalt\"],\"1pZsdx\":[\"Keine Gespräche verfügbar, um eine Bibliothek zu erstellen\"],\"library.no.conversations\":[\"Keine Gespräche verfügbar, um eine Bibliothek zu erstellen\"],\"zM3DDm\":[\"Keine Gespräche verfügbar, um eine Bibliothek zu erstellen. Bitte fügen Sie einige Gespräche hinzu, um zu beginnen.\"],\"EtMtH/\":[\"Keine Gespräche gefunden.\"],\"BuikQT\":[\"Keine Gespräche gefunden. Starten Sie ein Gespräch über den Teilnahme-Einladungslink aus der <0><1>Projektübersicht.\"],\"meAa31\":[\"Noch keine Gespräche\"],\"VInleh\":[\"Keine Erkenntnisse verfügbar. Generieren Sie Erkenntnisse für dieses Gespräch, indem Sie <0><1>die Projektbibliothek besuchen.\"],\"yTx6Up\":[\"Es wurden noch keine Schlüsselbegriffe oder Eigennamen hinzugefügt. Fügen Sie sie über die obige Eingabe hinzu, um die Transkriptgenauigkeit zu verbessern.\"],\"jfhDAK\":[\"Noch kein neues Feedback erkannt. Bitte fahren Sie mit Ihrer Diskussion fort und versuchen Sie es später erneut.\"],\"T3TyGx\":[\"Keine Projekte gefunden \",[\"0\"]],\"y29l+b\":[\"Keine Projekte für den Suchbegriff gefunden\"],\"ghhtgM\":[\"Keine Zitate verfügbar. Generieren Sie Zitate für dieses Gespräch, indem Sie\"],\"yalI52\":[\"Keine Zitate verfügbar. Generieren Sie Zitate für dieses Gespräch, indem Sie <0><1>die Projektbibliothek besuchen.\"],\"ctlSnm\":[\"Kein Bericht gefunden\"],\"EhV94J\":[\"Keine Ressourcen gefunden.\"],\"Ev2r9A\":[\"Keine Ergebnisse\"],\"WRRjA9\":[\"Keine Tags gefunden\"],\"LcBe0w\":[\"Diesem Projekt wurden noch keine Tags hinzugefügt. Fügen Sie ein Tag über die Texteingabe oben hinzu, um zu beginnen.\"],\"bhqKwO\":[\"Kein Transkript verfügbar\"],\"TmTivZ\":[\"Kein Transkript für dieses Gespräch verfügbar.\"],\"vq+6l+\":[\"Noch kein Transkript für dieses Gespräch vorhanden. Bitte später erneut prüfen.\"],\"MPZkyF\":[\"Für diesen Chat sind keine Transkripte ausgewählt\"],\"AotzsU\":[\"Kein Tutorial (nur Datenschutzerklärungen)\"],\"OdkUBk\":[\"Es wurden keine gültigen Audio-Dateien ausgewählt. Bitte wählen Sie nur Audio-Dateien (MP3, WAV, OGG, etc.) aus.\"],\"tNWcWM\":[\"Für dieses Projekt sind keine Verifizierungsthemen konfiguriert.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Nicht verfügbar\"],\"cH5kXP\":[\"Jetzt\"],\"9+6THi\":[\"Älteste zuerst\"],\"participant.concrete.instructions.revise.artefact\":[\"Überarbeite den Text, bis er zu dir passt.\"],\"participant.concrete.instructions.read.aloud\":[\"Lies den Text laut vor.\"],\"conversation.ongoing\":[\"Laufend\"],\"J6n7sl\":[\"Laufend\"],\"uTmEDj\":[\"Laufende Gespräche\"],\"QvvnWK\":[\"Nur die \",[\"0\"],\" beendeten \",[\"1\"],\" werden im Bericht enthalten. \"],\"participant.alert.microphone.access.failure\":[\"Ups! Es scheint, dass der Mikrofonzugriff verweigert wurde. Keine Sorge! Wir haben einen praktischen Fehlerbehebungsleitfaden für Sie. Schauen Sie ihn sich an. Sobald Sie das Problem behoben haben, kommen Sie zurück und besuchen Sie diese Seite erneut, um zu überprüfen, ob Ihr Mikrofon bereit ist.\"],\"J17dTs\":[\"Ups! Es scheint, dass der Mikrofonzugriff verweigert wurde. Keine Sorge! Wir haben einen praktischen Fehlerbehebungsleitfaden für Sie. Schauen Sie ihn sich an. Sobald Sie das Problem behoben haben, kommen Sie zurück und besuchen Sie diese Seite erneut, um zu überprüfen, ob Ihr Mikrofon bereit ist.\"],\"1TNIig\":[\"Öffnen\"],\"NRLF9V\":[\"Dokumentation öffnen\"],\"2CyWv2\":[\"Offen für Teilnahme?\"],\"participant.button.open.troubleshooting.guide\":[\"Fehlerbehebungsleitfaden öffnen\"],\"7yrRHk\":[\"Fehlerbehebungsleitfaden öffnen\"],\"Hak8r6\":[\"Öffnen Sie Ihre Authentifizierungs-App und geben Sie den aktuellen 6-stelligen Code ein.\"],\"0zpgxV\":[\"Optionen\"],\"6/dCYd\":[\"Übersicht\"],\"/fAXQQ\":[\"Overview – Themes & Patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Seiteninhalt\"],\"8F1i42\":[\"Seite nicht gefunden\"],\"6+Py7/\":[\"Seitentitel\"],\"v8fxDX\":[\"Teilnehmer\"],\"Uc9fP1\":[\"Teilnehmer-Funktionen\"],\"y4n1fB\":[\"Teilnehmer können beim Erstellen von Gesprächen Tags auswählen\"],\"8ZsakT\":[\"Passwort\"],\"w3/J5c\":[\"Portal mit Passwort schützen (Feature-Anfrage)\"],\"lpIMne\":[\"Passwörter stimmen nicht überein\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Vorlesen pausieren\"],\"UbRKMZ\":[\"Ausstehend\"],\"6v5aT9\":[\"Wähl den Ansatz, der zu deiner Frage passt\"],\"participant.alert.microphone.access\":[\"Bitte erlauben Sie den Mikrofonzugriff, um den Test zu starten.\"],\"3flRk2\":[\"Bitte erlauben Sie den Mikrofonzugriff, um den Test zu starten.\"],\"SQSc5o\":[\"Bitte prüfen Sie später erneut oder wenden Sie sich an den Projektbesitzer für weitere Informationen.\"],\"T8REcf\":[\"Bitte überprüfen Sie Ihre Eingaben auf Fehler.\"],\"S6iyis\":[\"Bitte schließen Sie Ihren Browser nicht\"],\"n6oAnk\":[\"Bitte aktivieren Sie die Teilnahme, um das Teilen zu ermöglichen\"],\"fwrPh4\":[\"Bitte geben Sie eine gültige E-Mail-Adresse ein.\"],\"iMWXJN\":[\"Please keep this screen lit up (black screen = not recording)\"],\"D90h1s\":[\"Bitte melden Sie sich an, um fortzufahren.\"],\"mUGRqu\":[\"Bitte geben Sie eine prägnante Zusammenfassung des im Kontext Bereitgestellten.\"],\"ps5D2F\":[\"Bitte nehmen Sie Ihre Antwort auf, indem Sie unten auf die Schaltfläche \\\"Aufnehmen\\\" klicken. Sie können auch durch Klicken auf das Textsymbol in Textform antworten. \\n**Bitte lassen Sie diesen Bildschirm beleuchtet** \\n(schwarzer Bildschirm = keine Aufnahme)\"],\"TsuUyf\":[\"Bitte nehmen Sie Ihre Antwort auf, indem Sie unten auf den \\\"Aufnahme starten\\\"-Button klicken. Sie können auch durch Klicken auf das Textsymbol in Textform antworten.\"],\"4TVnP7\":[\"Bitte wählen Sie eine Sprache für Ihren Bericht\"],\"N63lmJ\":[\"Bitte wählen Sie eine Sprache für Ihren aktualisierten Bericht\"],\"XvD4FK\":[\"Bitte wählen Sie mindestens eine Quelle\"],\"hxTGLS\":[\"Wähl Gespräche in der Seitenleiste aus, um weiterzumachen\"],\"GXZvZ7\":[\"Bitte warten Sie \",[\"timeStr\"],\", bevor Sie ein weiteres Echo anfordern.\"],\"Am5V3+\":[\"Bitte warten Sie \",[\"timeStr\"],\", bevor Sie ein weiteres Echo anfordern.\"],\"CE1Qet\":[\"Bitte warten Sie \",[\"timeStr\"],\", bevor Sie ein weiteres ECHO anfordern.\"],\"Fx1kHS\":[\"Bitte warten Sie \",[\"timeStr\"],\", bevor Sie eine weitere Antwort anfordern.\"],\"MgJuP2\":[\"Bitte warten Sie, während wir Ihren Bericht generieren. Sie werden automatisch zur Berichtsseite weitergeleitet.\"],\"library.processing.request\":[\"Bibliothek wird verarbeitet\"],\"04DMtb\":[\"Bitte warten Sie, während wir Ihre Hertranskription anfragen verarbeiten. Sie werden automatisch zur neuen Konversation weitergeleitet, wenn fertig.\"],\"ei5r44\":[\"Bitte warten Sie, während wir Ihren Bericht aktualisieren. Sie werden automatisch zur Berichtsseite weitergeleitet.\"],\"j5KznP\":[\"Bitte warten Sie, während wir Ihre E-Mail-Adresse verifizieren.\"],\"uRFMMc\":[\"Portal Inhalt\"],\"qVypVJ\":[\"Portal Editor\"],\"g2UNkE\":[\"Powered by\"],\"MPWj35\":[\"Deine Gespräche werden vorbereitet … kann einen Moment dauern.\"],\"/SM3Ws\":[\"Ihre Erfahrung wird vorbereitet\"],\"ANWB5x\":[\"Diesen Bericht drucken\"],\"zwqetg\":[\"Datenschutzerklärungen\"],\"qAGp2O\":[\"Fortfahren\"],\"stk3Hv\":[\"verarbeitet\"],\"vrnnn9\":[\"Verarbeitet\"],\"kvs/6G\":[\"Verarbeitung für dieses Gespräch fehlgeschlagen. Dieses Gespräch ist für die Analyse und den Chat nicht verfügbar.\"],\"q11K6L\":[\"Verarbeitung für dieses Gespräch fehlgeschlagen. Dieses Gespräch ist für die Analyse und den Chat nicht verfügbar. Letzter bekannter Status: \",[\"0\"]],\"NQiPr4\":[\"Transkript wird verarbeitet\"],\"48px15\":[\"Bericht wird verarbeitet...\"],\"gzGDMM\":[\"Ihre Hertranskription anfragen werden verarbeitet...\"],\"Hie0VV\":[\"Projekt erstellt\"],\"xJMpjP\":[\"Projektbibliothek | Dembrane\"],\"OyIC0Q\":[\"Projektname\"],\"6Z2q2Y\":[\"Der Projektname muss mindestens 4 Zeichen lang sein\"],\"n7JQEk\":[\"Projekt nicht gefunden\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Projektübersicht | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Projekt Einstellungen\"],\"+0B+ue\":[\"Projekte\"],\"Eb7xM7\":[\"Projekte | Dembrane\"],\"JQVviE\":[\"Projekte Startseite\"],\"nyEOdh\":[\"Bieten Sie eine Übersicht über die Hauptthemen und wiederkehrende Themen\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Veröffentlichen\"],\"u3wRF+\":[\"Veröffentlicht\"],\"E7YTYP\":[\"Hol dir die wichtigsten Zitate aus dieser Session\"],\"eWLklq\":[\"Zitate\"],\"wZxwNu\":[\"Vorlesen\"],\"participant.ready.to.begin\":[\"Bereit zum Beginn\"],\"ZKOO0I\":[\"Bereit zum Beginn?\"],\"hpnYpo\":[\"Empfohlene Apps\"],\"participant.button.record\":[\"Aufnehmen\"],\"w80YWM\":[\"Aufnehmen\"],\"s4Sz7r\":[\"Ein weiteres Gespräch aufnehmen\"],\"participant.modal.pause.title\":[\"Aufnahme pausiert\"],\"view.recreate.tooltip\":[\"Ansicht neu erstellen\"],\"view.recreate.modal.title\":[\"Ansicht neu erstellen\"],\"CqnkB0\":[\"Wiederkehrende Themen\"],\"9aloPG\":[\"Referenzen\"],\"participant.button.refine\":[\"Verfeinern\"],\"lCF0wC\":[\"Aktualisieren\"],\"ZMXpAp\":[\"Audit-Protokolle aktualisieren\"],\"844H5I\":[\"Bibliothek neu generieren\"],\"bluvj0\":[\"Zusammenfassung neu generieren\"],\"participant.concrete.regenerating.artefact\":[\"Artefakt wird neu erstellt…\"],\"oYlYU+\":[\"Zusammenfassung wird neu erstellt. Kurz warten ...\"],\"wYz80B\":[\"Registrieren | Dembrane\"],\"w3qEvq\":[\"Als neuer Benutzer registrieren\"],\"7dZnmw\":[\"Relevanz\"],\"participant.button.reload.page.text.mode\":[\"Seite neu laden\"],\"participant.button.reload\":[\"Seite neu laden\"],\"participant.concrete.artefact.action.button.reload\":[\"Neu laden\"],\"hTDMBB\":[\"Seite neu laden\"],\"Kl7//J\":[\"E-Mail entfernen\"],\"cILfnJ\":[\"Datei entfernen\"],\"CJgPtd\":[\"Aus diesem Chat entfernen\"],\"project.sidebar.chat.rename\":[\"Umbenennen\"],\"2wxgft\":[\"Umbenennen\"],\"XyN13i\":[\"Antwort Prompt\"],\"gjpdaf\":[\"Bericht\"],\"Q3LOVJ\":[\"Ein Problem melden\"],\"DUmD+q\":[\"Bericht erstellt - \",[\"0\"]],\"KFQLa2\":[\"Berichtgenerierung befindet sich derzeit in der Beta und ist auf Projekte mit weniger als 10 Stunden Aufnahme beschränkt.\"],\"hIQOLx\":[\"Berichtsbenachrichtigungen\"],\"lNo4U2\":[\"Bericht aktualisiert - \",[\"0\"]],\"library.request.access\":[\"Zugriff anfordern\"],\"uLZGK+\":[\"Zugriff anfordern\"],\"dglEEO\":[\"Passwort zurücksetzen anfordern\"],\"u2Hh+Y\":[\"Passwort zurücksetzen anfordern | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Mikrofonzugriff wird angefragt...\"],\"MepchF\":[\"Mikrofonzugriff anfordern, um verfügbare Geräte zu erkennen...\"],\"xeMrqw\":[\"Alle Optionen zurücksetzen\"],\"KbS2K9\":[\"Passwort zurücksetzen\"],\"UMMxwo\":[\"Passwort zurücksetzen | Dembrane\"],\"L+rMC9\":[\"Auf Standard zurücksetzen\"],\"s+MGs7\":[\"Ressourcen\"],\"participant.button.stop.resume\":[\"Fortsetzen\"],\"v39wLo\":[\"Fortsetzen\"],\"sVzC0H\":[\"Hertranskribieren\"],\"ehyRtB\":[\"Gespräch hertranskribieren\"],\"1JHQpP\":[\"Gespräch hertranskribieren\"],\"MXwASV\":[\"Hertranskription gestartet. Das neue Gespräch wird bald verfügbar sein.\"],\"6gRgw8\":[\"Erneut versuchen\"],\"H1Pyjd\":[\"Upload erneut versuchen\"],\"9VUzX4\":[\"Überprüfen Sie die Aktivität für Ihren Arbeitsbereich. Filtern Sie nach Sammlung oder Aktion und exportieren Sie die aktuelle Ansicht für weitere Untersuchungen.\"],\"UZVWVb\":[\"Dateien vor dem Hochladen überprüfen\"],\"3lYF/Z\":[\"Überprüfen Sie den Status der Verarbeitung für jedes Gespräch, das in diesem Projekt gesammelt wurde.\"],\"participant.concrete.action.button.revise\":[\"Überarbeiten\"],\"OG3mVO\":[\"Revision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Zeilen pro Seite\"],\"participant.concrete.action.button.save\":[\"Speichern\"],\"tfDRzk\":[\"Speichern\"],\"2VA/7X\":[\"Speichern fehlgeschlagen!\"],\"XvjC4F\":[\"Speichern...\"],\"nHeO/c\":[\"Scannen Sie den QR-Code oder kopieren Sie das Geheimnis in Ihre App.\"],\"oOi11l\":[\"Nach unten scrollen\"],\"A1taO8\":[\"Suchen\"],\"OWm+8o\":[\"Gespräche suchen\"],\"blFttG\":[\"Projekte suchen\"],\"I0hU01\":[\"Projekte suchen\"],\"RVZJWQ\":[\"Projekte suchen...\"],\"lnWve4\":[\"Tags suchen\"],\"pECIKL\":[\"Vorlagen suchen...\"],\"uSvNyU\":[\"Durchsucht die relevantesten Quellen\"],\"Wj2qJm\":[\"Durchsucht die relevantesten Quellen\"],\"Y1y+VB\":[\"Geheimnis kopiert\"],\"Eyh9/O\":[\"Gesprächstatusdetails ansehen\"],\"0sQPzI\":[\"Bis bald\"],\"1ZTiaz\":[\"Segmente\"],\"H/diq7\":[\"Mikrofon auswählen\"],\"NK2YNj\":[\"Audio-Dateien auswählen\"],\"/3ntVG\":[\"Wähle Gespräche aus und finde genaue Zitate\"],\"LyHz7Q\":[\"Gespräche in der Seitenleiste auswählen\"],\"n4rh8x\":[\"Projekt auswählen\"],\"ekUnNJ\":[\"Tags auswählen\"],\"CG1cTZ\":[\"Wählen Sie die Anweisungen aus, die den Teilnehmern beim Starten eines Gesprächs angezeigt werden\"],\"qxzrcD\":[\"Wählen Sie den Typ der Rückmeldung oder der Beteiligung, die Sie fördern möchten.\"],\"QdpRMY\":[\"Tutorial auswählen\"],\"dashboard.dembrane.concrete.topic.select\":[\"Wähl ein konkretes Thema aus.\"],\"participant.select.microphone\":[\"Mikrofon auswählen\"],\"vKH1Ye\":[\"Wählen Sie Ihr Mikrofon:\"],\"gU5H9I\":[\"Ausgewählte Dateien (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Ausgewähltes Mikrofon\"],\"JlFcis\":[\"Senden\"],\"VTmyvi\":[\"Stimmung\"],\"NprC8U\":[\"Sitzungsname\"],\"DMl1JW\":[\"Ihr erstes Projekt einrichten\"],\"Tz0i8g\":[\"Einstellungen\"],\"participant.settings.modal.title\":[\"Einstellungen\"],\"PErdpz\":[\"Settings | Dembrane\"],\"Z8lGw6\":[\"Teilen\"],\"/XNQag\":[\"Diesen Bericht teilen\"],\"oX3zgA\":[\"Teilen Sie hier Ihre Daten\"],\"Dc7GM4\":[\"Ihre Stimme teilen\"],\"swzLuF\":[\"Teilen Sie Ihre Stimme, indem Sie den unten stehenden QR-Code scannen.\"],\"+tz9Ky\":[\"Kürzeste zuerst\"],\"h8lzfw\":[\"Zeige \",[\"0\"]],\"lZw9AX\":[\"Alle anzeigen\"],\"w1eody\":[\"Audio-Player anzeigen\"],\"pzaNzD\":[\"Daten anzeigen\"],\"yrhNQG\":[\"Dauer anzeigen\"],\"Qc9KX+\":[\"IP-Adressen anzeigen\"],\"6lGV3K\":[\"Weniger anzeigen\"],\"fMPkxb\":[\"Mehr anzeigen\"],\"3bGwZS\":[\"Referenzen anzeigen\"],\"OV2iSn\":[\"Revisionsdaten anzeigen\"],\"3Sg56r\":[\"Zeitachse im Bericht anzeigen (Feature-Anfrage)\"],\"DLEIpN\":[\"Zeitstempel anzeigen (experimentell)\"],\"Tqzrjk\":[[\"displayFrom\"],\"–\",[\"displayTo\"],\" von \",[\"totalItems\"],\" Einträgen werden angezeigt\"],\"dbWo0h\":[\"Mit Google anmelden\"],\"participant.mic.check.button.skip\":[\"Überspringen\"],\"6Uau97\":[\"Überspringen\"],\"lH0eLz\":[\"Datenschutzkarte überspringen (Organisation verwaltet Zustimmung)\"],\"b6NHjr\":[\"Datenschutzkarte überspringen (Organisation verwaltet Zustimmung)\"],\"4Q9po3\":[\"Einige Gespräche werden noch verarbeitet. Die automatische Auswahl wird optimal funktionieren, sobald die Audioverarbeitung abgeschlossen ist.\"],\"q+pJ6c\":[\"Einige Dateien wurden bereits ausgewählt und werden nicht erneut hinzugefügt.\"],\"nwtY4N\":[\"Etwas ist schief gelaufen\"],\"participant.conversation.error.text.mode\":[\"Etwas ist schief gelaufen\"],\"participant.conversation.error\":[\"Etwas ist schief gelaufen\"],\"avSWtK\":[\"Beim Exportieren der Audit-Protokolle ist ein Fehler aufgetreten.\"],\"q9A2tm\":[\"Beim Generieren des Geheimnisses ist ein Fehler aufgetreten.\"],\"JOKTb4\":[\"Beim Hochladen der Datei ist ein Fehler aufgetreten: \",[\"0\"]],\"KeOwCj\":[\"Beim Gespräch ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support, wenn das Problem weiterhin besteht\"],\"participant.go.deeper.generic.error.message\":[\"Da ist was schiefgelaufen. Versuch es gleich nochmal.\"],\"fWsBTs\":[\"Etwas ist schief gelaufen. Bitte versuchen Sie es erneut.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Der Inhalt verstößt gegen unsere Richtlinien. Änder den Text und versuch es nochmal.\"],\"f6Hub0\":[\"Sortieren\"],\"/AhHDE\":[\"Quelle \",[\"0\"]],\"u7yVRn\":[\"Quellen:\"],\"65A04M\":[\"Spanisch\"],\"zuoIYL\":[\"Sprecher\"],\"z5/5iO\":[\"Spezifischer Kontext\"],\"mORM2E\":[\"Konkrete Details\"],\"Etejcu\":[\"Konkrete Details – ausgewählte Gespräche\"],\"participant.button.start.new.conversation.text.mode\":[\"Neues Gespräch starten\"],\"participant.button.start.new.conversation\":[\"Neues Gespräch starten\"],\"c6FrMu\":[\"Neues Gespräch starten\"],\"i88wdJ\":[\"Neu beginnen\"],\"pHVkqA\":[\"Aufnahme starten\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stopp\"],\"participant.button.stop\":[\"Beenden\"],\"kimwwT\":[\"Strategische Planung\"],\"hQRttt\":[\"Absenden\"],\"participant.button.submit.text.mode\":[\"Absenden\"],\"0Pd4R1\":[\"Über Text eingereicht\"],\"zzDlyQ\":[\"Erfolg\"],\"bh1eKt\":[\"Vorgeschlagen:\"],\"F1nkJm\":[\"Zusammenfassen\"],\"4ZpfGe\":[\"Fass die wichtigsten Erkenntnisse aus meinen Interviews zusammen\"],\"5Y4tAB\":[\"Fass dieses Interview als teilbaren Artikel zusammen\"],\"dXoieq\":[\"Zusammenfassung\"],\"g6o+7L\":[\"Zusammenfassung erstellt.\"],\"kiOob5\":[\"Zusammenfassung noch nicht verfügbar\"],\"OUi+O3\":[\"Zusammenfassung neu erstellt.\"],\"Pqa6KW\":[\"Die Zusammenfassung ist verfügbar, sobald das Gespräch transkribiert ist.\"],\"6ZHOF8\":[\"Unterstützte Formate: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Zur Texteingabe wechseln\"],\"D+NlUC\":[\"System\"],\"OYHzN1\":[\"Tags\"],\"nlxlmH\":[\"Nimm dir Zeit, ein konkretes Ergebnis zu erstellen, das deinen Beitrag festhält, oder erhalte eine sofortige Antwort von Dembrane, um das Gespräch zu vertiefen.\"],\"eyu39U\":[\"Nimm dir Zeit, ein konkretes Ergebnis zu erstellen, das deinen Beitrag festhält.\"],\"participant.refine.make.concrete.description\":[\"Nimm dir Zeit, ein konkretes Ergebnis zu erstellen, das deinen Beitrag festhält.\"],\"QCchuT\":[\"Template übernommen\"],\"iTylMl\":[\"Vorlagen\"],\"xeiujy\":[\"Text\"],\"CPN34F\":[\"Vielen Dank für Ihre Teilnahme!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Danke-Seite Inhalt\"],\"5KEkUQ\":[\"Vielen Dank! Wir werden Sie benachrichtigen, wenn der Bericht fertig ist.\"],\"2yHHa6\":[\"Der Code hat nicht funktioniert. Versuchen Sie es erneut mit einem neuen Code aus Ihrer Authentifizierungs-App.\"],\"TQCE79\":[\"Der Code hat nicht funktioniert, versuch’s nochmal.\"],\"participant.conversation.error.loading.text.mode\":[\"Das Gespräch konnte nicht geladen werden. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"participant.conversation.error.loading\":[\"Das Gespräch konnte nicht geladen werden. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"nO942E\":[\"Das Gespräch konnte nicht geladen werden. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"Jo19Pu\":[\"Die folgenden Gespräche wurden automatisch zum Kontext hinzugefügt\"],\"Lngj9Y\":[\"Das Portal ist die Website, die geladen wird, wenn Teilnehmer den QR-Code scannen.\"],\"bWqoQ6\":[\"die Projektbibliothek.\"],\"hTCMdd\":[\"Die Zusammenfassung wird erstellt. Warte, bis sie verfügbar ist.\"],\"+AT8nl\":[\"Die Zusammenfassung wird neu erstellt. Warte, bis sie verfügbar ist.\"],\"iV8+33\":[\"Die Zusammenfassung wird neu generiert. Bitte warten Sie, bis die neue Zusammenfassung verfügbar ist.\"],\"AgC2rn\":[\"Die Zusammenfassung wird neu generiert. Bitte warten Sie bis zu 2 Minuten, bis die neue Zusammenfassung verfügbar ist.\"],\"PTNxDe\":[\"Das Transkript für dieses Gespräch wird verarbeitet. Bitte später erneut prüfen.\"],\"FEr96N\":[\"Design\"],\"T8rsM6\":[\"Beim Klonen Ihres Projekts ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"JDFjCg\":[\"Beim Erstellen Ihres Berichts ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"e3JUb8\":[\"Beim Erstellen Ihres Berichts ist ein Fehler aufgetreten. In der Zwischenzeit können Sie alle Ihre Daten mithilfe der Bibliothek oder spezifische Gespräche auswählen, um mit ihnen zu chatten.\"],\"7qENSx\":[\"Beim Aktualisieren Ihres Berichts ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an den Support.\"],\"V7zEnY\":[\"Bei der Verifizierung Ihrer E-Mail ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.\"],\"gtlVJt\":[\"Diese sind einige hilfreiche voreingestellte Vorlagen, mit denen Sie beginnen können.\"],\"sd848K\":[\"Diese sind Ihre Standard-Ansichtsvorlagen. Sobald Sie Ihre Bibliothek erstellen, werden dies Ihre ersten beiden Ansichten sein.\"],\"8xYB4s\":[\"Diese Standard-Ansichtsvorlagen werden generiert, wenn Sie Ihre erste Bibliothek erstellen.\"],\"Ed99mE\":[\"Denke nach...\"],\"conversation.linked_conversations.description\":[\"Dieses Gespräch hat die folgenden Kopien:\"],\"conversation.linking_conversations.description\":[\"Dieses Gespräch ist eine Kopie von\"],\"dt1MDy\":[\"Dieses Gespräch wird noch verarbeitet. Es wird bald für die Analyse und das Chatten verfügbar sein.\"],\"5ZpZXq\":[\"Dieses Gespräch wird noch verarbeitet. Es wird bald für die Analyse und das Chatten verfügbar sein. \"],\"SzU1mG\":[\"Diese E-Mail ist bereits in der Liste.\"],\"JtPxD5\":[\"Diese E-Mail ist bereits für Benachrichtigungen angemeldet.\"],\"participant.modal.refine.info.available.in\":[\"Diese Funktion wird in \",[\"remainingTime\"],\" Sekunden verfügbar sein.\"],\"QR7hjh\":[\"Dies ist eine Live-Vorschau des Teilnehmerportals. Sie müssen die Seite aktualisieren, um die neuesten Änderungen zu sehen.\"],\"library.description\":[\"Bibliothek\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"Dies ist Ihre Projektbibliothek. Derzeit warten \",[\"0\"],\" Gespräche auf die Verarbeitung.\"],\"tJL2Lh\":[\"Diese Sprache wird für das Teilnehmerportal und die Transkription verwendet.\"],\"BAUPL8\":[\"Diese Sprache wird für das Teilnehmerportal und die Transkription verwendet. Um die Sprache dieser Anwendung zu ändern, verwenden Sie bitte die Sprachauswahl in den Einstellungen in der Kopfzeile.\"],\"zyA8Hj\":[\"Diese Sprache wird für das Teilnehmerportal, die Transkription und die Analyse verwendet. Um die Sprache dieser Anwendung zu ändern, verwenden Sie bitte stattdessen die Sprachauswahl im Benutzermenü der Kopfzeile.\"],\"Gbd5HD\":[\"Diese Sprache wird für das Teilnehmerportal verwendet.\"],\"9ww6ML\":[\"Diese Seite wird angezeigt, nachdem der Teilnehmer das Gespräch beendet hat.\"],\"1gmHmj\":[\"Diese Seite wird den Teilnehmern angezeigt, wenn sie nach erfolgreichem Abschluss des Tutorials ein Gespräch beginnen.\"],\"bEbdFh\":[\"Diese Projektbibliothek wurde generiert am\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"Dieser Prompt leitet ein, wie die KI auf die Teilnehmer reagiert. Passen Sie ihn an, um den Typ der Rückmeldung oder Engagement zu bestimmen, den Sie fördern möchten.\"],\"Yig29e\":[\"Dieser Bericht ist derzeit nicht verfügbar. \"],\"GQTpnY\":[\"Dieser Bericht wurde von \",[\"0\"],\" Personen geöffnet\"],\"okY/ix\":[\"Diese Zusammenfassung ist KI-generiert und kurz, für eine gründliche Analyse verwenden Sie den Chat oder die Bibliothek.\"],\"hwyBn8\":[\"Dieser Titel wird den Teilnehmern angezeigt, wenn sie ein Gespräch beginnen\"],\"Dj5ai3\":[\"Dies wird Ihre aktuelle Eingabe löschen. Sind Sie sicher?\"],\"NrRH+W\":[\"Dies wird eine Kopie des aktuellen Projekts erstellen. Nur Einstellungen und Tags werden kopiert. Berichte, Chats und Gespräche werden nicht in der Kopie enthalten. Sie werden nach dem Klonen zum neuen Projekt weitergeleitet.\"],\"hsNXnX\":[\"Dies wird ein neues Gespräch mit derselben Audio-Datei erstellen, aber mit einer neuen Transkription. Das ursprüngliche Gespräch bleibt unverändert.\"],\"participant.concrete.regenerating.artefact.description\":[\"Wir erstellen dein Artefakt neu. Das kann einen Moment dauern.\"],\"participant.concrete.loading.artefact.description\":[\"Wir laden dein Artefakt. Das kann einen Moment dauern.\"],\"n4l4/n\":[\"Dies wird persönliche Identifizierbare Informationen mit ersetzen.\"],\"Ww6cQ8\":[\"Erstellungszeit\"],\"8TMaZI\":[\"Zeitstempel\"],\"rm2Cxd\":[\"Tipp\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"Um ein neues Tag zuzuweisen, erstellen Sie es bitte zuerst in der Projektübersicht.\"],\"o3rowT\":[\"Um einen Bericht zu generieren, fügen Sie bitte zuerst Gespräche in Ihr Projekt hinzu\"],\"sFMBP5\":[\"Themen\"],\"ONchxy\":[\"gesamt\"],\"fp5rKh\":[\"Transcribieren...\"],\"DDziIo\":[\"Transkript\"],\"hfpzKV\":[\"Transkript in die Zwischenablage kopiert\"],\"AJc6ig\":[\"Transkript nicht verfügbar\"],\"N/50DC\":[\"Transkript-Einstellungen\"],\"FRje2T\":[\"Transkription läuft…\"],\"0l9syB\":[\"Transkription läuft…\"],\"H3fItl\":[\"Transformieren Sie diese Transkripte in einen LinkedIn-Beitrag, der durch den Rauschen schlägt. Bitte:\\nExtrahieren Sie die wichtigsten Einblicke - überspringen Sie alles, was wie standard-Geschäftsratgeber klingt\\nSchreiben Sie es wie einen erfahrenen Führer, der konventionelle Weisheiten herausfordert, nicht wie ein Motivationsposter\\nFinden Sie einen wirklich überraschenden Einblick, der auch erfahrene Führer zum Nachdenken bringt\\nBleiben Sie trotzdem intellektuell tief und direkt\\nVerwenden Sie nur Datenpunkte, die tatsächlich Annahmen herausfordern\\nHalten Sie die Formatierung sauber und professionell (minimal Emojis, Gedanken an die Leerzeichen)\\nSchlagen Sie eine Tonart, die beide tiefes Fachwissen und praktische Erfahrung nahe legt\\nHinweis: Wenn der Inhalt keine tatsächlichen Einblicke enthält, bitte lassen Sie es mich wissen, wir brauchen stärkere Quellenmaterial.\"],\"53dSNP\":[\"Transformieren Sie diesen Inhalt in Einblicke, die wirklich zählen. Bitte:\\nExtrahieren Sie die wichtigsten Ideen, die Standarddenken herausfordern\\nSchreiben Sie wie jemand, der Nuance versteht, nicht wie ein Lehrplan\\nFokussieren Sie sich auf nicht offensichtliche Implikationen\\nHalten Sie es scharf und substanziell\\nHervorheben Sie wirklich bedeutende Muster\\nStrukturieren Sie für Klarheit und Wirkung\\nHalten Sie die Tiefe mit der Zugänglichkeit im Gleichgewicht\\n\\nHinweis: Wenn die Ähnlichkeiten/Unterschiede zu oberflächlich sind, lassen Sie es mich wissen, wir brauchen komplexeres Material zu analysieren.\"],\"uK9JLu\":[\"Transformieren Sie diese Diskussion in handlungsfähige Intelligenz. Bitte:\\nErfassen Sie die strategischen Implikationen, nicht nur die Punkte\\nStrukturieren Sie es wie eine Analyse eines Denkers, nicht Minuten\\nHervorheben Sie Entscheidungspunkte, die Standarddenken herausfordern\\nHalten Sie das Signal-Rausch-Verhältnis hoch\\nFokussieren Sie sich auf Einblicke, die tatsächlich Veränderung bewirken\\nOrganisieren Sie für Klarheit und zukünftige Referenz\\nHalten Sie die Taktik mit der Strategie im Gleichgewicht\\n\\nHinweis: Wenn die Diskussion wenig wichtige Entscheidungspunkte oder Einblicke enthält, markieren Sie sie für eine tiefere Untersuchung beim nächsten Mal.\"],\"qJb6G2\":[\"Erneut versuchen\"],\"eP1iDc\":[\"Frag mal\"],\"goQEqo\":[\"Versuchen Sie, etwas näher an Ihren Mikrofon zu sein, um bessere Audio-Qualität zu erhalten.\"],\"EIU345\":[\"Zwei-Faktor-Authentifizierung\"],\"NwChk2\":[\"Zwei-Faktor-Authentifizierung deaktiviert\"],\"qwpE/S\":[\"Zwei-Faktor-Authentifizierung aktiviert\"],\"+zy2Nq\":[\"Typ\"],\"PD9mEt\":[\"Nachricht eingeben...\"],\"EvmL3X\":[\"Geben Sie hier Ihre Antwort ein\"],\"participant.concrete.artefact.error.title\":[\"Artefakt konnte nicht geladen werden\"],\"MksxNf\":[\"Audit-Protokolle konnten nicht geladen werden.\"],\"8vqTzl\":[\"Das generierte Artefakt konnte nicht geladen werden. Bitte versuchen Sie es erneut.\"],\"nGxDbq\":[\"Dieser Teil kann nicht verarbeitet werden\"],\"9uI/rE\":[\"Rückgängig\"],\"Ef7StM\":[\"Unbekannt\"],\"H899Z+\":[\"ungelesene Ankündigung\"],\"0pinHa\":[\"ungelesene Ankündigungen\"],\"sCTlv5\":[\"Ungespeicherte Änderungen\"],\"SMaFdc\":[\"Abmelden\"],\"jlrVDp\":[\"Unbenanntes Gespräch\"],\"EkH9pt\":[\"Aktualisieren\"],\"3RboBp\":[\"Bericht aktualisieren\"],\"4loE8L\":[\"Aktualisieren Sie den Bericht, um die neuesten Daten zu enthalten\"],\"Jv5s94\":[\"Aktualisieren Sie Ihren Bericht, um die neuesten Änderungen in Ihrem Projekt zu enthalten. Der Link zum Teilen des Berichts würde gleich bleiben.\"],\"kwkhPe\":[\"Upgrade\"],\"UkyAtj\":[\"Upgrade auf Auto-select und analysieren Sie 10x mehr Gespräche in der Hälfte der Zeit - keine manuelle Auswahl mehr, nur tiefere Einblicke sofort.\"],\"ONWvwQ\":[\"Hochladen\"],\"8XD6tj\":[\"Audio hochladen\"],\"kV3A2a\":[\"Hochladen abgeschlossen\"],\"4Fr6DA\":[\"Gespräche hochladen\"],\"pZq3aX\":[\"Hochladen fehlgeschlagen. Bitte versuchen Sie es erneut.\"],\"HAKBY9\":[\"Dateien hochladen\"],\"Wft2yh\":[\"Upload läuft\"],\"JveaeL\":[\"Ressourcen hochladen\"],\"3wG7HI\":[\"Hochgeladen\"],\"k/LaWp\":[\"Audio-Dateien werden hochgeladen...\"],\"VdaKZe\":[\"Experimentelle Funktionen verwenden\"],\"rmMdgZ\":[\"PII Redaction verwenden\"],\"ngdRFH\":[\"Verwenden Sie Shift + Enter, um eine neue Zeile hinzuzufügen\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verifiziert\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verifizierte Artefakte\"],\"4LFZoj\":[\"Code verifizieren\"],\"jpctdh\":[\"Ansicht\"],\"+fxiY8\":[\"Gesprächdetails anzeigen\"],\"H1e6Hv\":[\"Gesprächstatus anzeigen\"],\"SZw9tS\":[\"Details anzeigen\"],\"D4e7re\":[\"Ihre Antworten anzeigen\"],\"tzEbkt\":[\"Warten Sie \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Willst du ein Template zu „Dembrane“ hinzufügen?\"],\"bO5RNo\":[\"Möchten Sie eine Vorlage zu ECHO hinzufügen?\"],\"r6y+jM\":[\"Warnung\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"Wir können Sie nicht hören. Bitte versuchen Sie, Ihr Mikrofon zu ändern oder ein wenig näher an das Gerät zu kommen.\"],\"SrJOPD\":[\"Wir können Sie nicht hören. Bitte versuchen Sie, Ihr Mikrofon zu ändern oder ein wenig näher an das Gerät zu kommen.\"],\"Ul0g2u\":[\"Wir konnten die Zwei-Faktor-Authentifizierung nicht deaktivieren. Versuchen Sie es erneut mit einem neuen Code.\"],\"sM2pBB\":[\"Wir konnten die Zwei-Faktor-Authentifizierung nicht aktivieren. Überprüfen Sie Ihren Code und versuchen Sie es erneut.\"],\"Ewk6kb\":[\"Wir konnten das Audio nicht laden. Bitte versuchen Sie es später erneut.\"],\"xMeAeQ\":[\"Wir haben Ihnen eine E-Mail mit den nächsten Schritten gesendet. Wenn Sie sie nicht sehen, überprüfen Sie Ihren Spam-Ordner.\"],\"9qYWL7\":[\"Wir haben Ihnen eine E-Mail mit den nächsten Schritten gesendet. Wenn Sie sie nicht sehen, überprüfen Sie Ihren Spam-Ordner. Wenn Sie sie immer noch nicht sehen, kontaktieren Sie bitte evelien@dembrane.com\"],\"3fS27S\":[\"Wir haben Ihnen eine E-Mail mit den nächsten Schritten gesendet. Wenn Sie sie nicht sehen, überprüfen Sie Ihren Spam-Ordner. Wenn Sie sie immer noch nicht sehen, kontaktieren Sie bitte jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"Wir brauchen etwas mehr Kontext, um dir effektiv beim Verfeinern zu helfen. Bitte nimm weiter auf, damit wir dir bessere Vorschläge geben können.\"],\"dni8nq\":[\"Wir werden Ihnen nur eine Nachricht senden, wenn Ihr Gastgeber einen Bericht erstellt. Wir geben Ihre Daten niemals an Dritte weiter. Sie können sich jederzeit abmelden.\"],\"participant.test.microphone.description\":[\"Wir testen Ihr Mikrofon, um sicherzustellen, dass jeder in der Sitzung die beste Erfahrung hat.\"],\"tQtKw5\":[\"Wir testen Ihr Mikrofon, um sicherzustellen, dass jeder in der Sitzung die beste Erfahrung hat.\"],\"+eLc52\":[\"Wir hören einige Stille. Versuchen Sie, lauter zu sprechen, damit Ihre Stimme deutlich klingt.\"],\"6jfS51\":[\"Willkommen\"],\"9eF5oV\":[\"Welcome back\"],\"i1hzzO\":[\"Willkommen im Big Picture Modus! Ich hab Zusammenfassungen von all deinen Gesprächen geladen. Frag mich nach Mustern, Themen und Insights in deinen Daten. Für genaue Zitate, starte einen neuen Chat im Modus „Genauer Kontext“.\"],\"fwEAk/\":[\"Willkommen beim Dembrane Chat! Verwenden Sie die Seitenleiste, um Ressourcen und Gespräche auszuwählen, die Sie analysieren möchten. Dann können Sie Fragen zu den ausgewählten Ressourcen und Gesprächen stellen.\"],\"AKBU2w\":[\"Willkommen bei Dembrane!\"],\"TACmoL\":[\"Willkommen im Overview Mode! Ich hab Zusammenfassungen von all deinen Gesprächen geladen. Frag mich nach Mustern, Themes und Insights in deinen Daten. Für genaue Zitate, starte einen neuen Chat im Deep Dive Mode.\"],\"u4aLOz\":[\"Willkommen im Übersichtmodus! Ich hab Zusammenfassungen von all deinen Gesprächen geladen. Frag mich nach Mustern, Themen und Insights in deinen Daten. Für genaue Zitate start eine neue Chat im Modus „Genauer Kontext“.\"],\"Bck6Du\":[\"Willkommen bei Berichten!\"],\"aEpQkt\":[\"Willkommen in Ihrem Home-Bereich! Hier können Sie alle Ihre Projekte sehen und auf Tutorial-Ressourcen zugreifen. Derzeit haben Sie keine Projekte. Klicken Sie auf \\\"Erstellen\\\", um mit der Konfiguration zu beginnen!\"],\"klH6ct\":[\"Willkommen!\"],\"Tfxjl5\":[\"Was sind die Hauptthemen über alle Gespräche hinweg?\"],\"participant.concrete.selection.title\":[\"Was möchtest du konkret machen?\"],\"fyMvis\":[\"Welche Muster ergeben sich aus den Daten?\"],\"qGrqH9\":[\"Was waren die Schlüsselmomente in diesem Gespräch?\"],\"FXZcgH\":[\"Was willst du dir anschauen?\"],\"KcnIXL\":[\"wird in Ihrem Bericht enthalten sein\"],\"participant.button.finish.yes.text.mode\":[\"Ja\"],\"kWJmRL\":[\"Sie\"],\"Dl7lP/\":[\"Sie sind bereits abgemeldet oder Ihre Verknüpfung ist ungültig.\"],\"E71LBI\":[\"Sie können nur bis zu \",[\"MAX_FILES\"],\" Dateien gleichzeitig hochladen. Nur die ersten \",[\"0\"],\" Dateien werden hinzugefügt.\"],\"tbeb1Y\":[\"Sie können die Frage-Funktion immer noch verwenden, um mit jedem Gespräch zu chatten\"],\"participant.modal.change.mic.confirmation.text\":[\"Sie haben Ihr Mikrofon geändert. Bitte klicken Sie auf \\\"Weiter\\\", um mit der Sitzung fortzufahren.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"Sie haben sich erfolgreich abgemeldet.\"],\"lTDtES\":[\"Sie können auch wählen, ein weiteres Gespräch aufzunehmen.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"Sie müssen sich mit demselben Anbieter anmelden, mit dem Sie sich registriert haben. Wenn Sie auf Probleme stoßen, wenden Sie sich bitte an den Support.\"],\"snMcrk\":[\"Sie scheinen offline zu sein. Bitte überprüfen Sie Ihre Internetverbindung\"],\"participant.concrete.instructions.receive.artefact\":[\"Du bekommst gleich \",[\"objectLabel\"],\" zum Verifizieren.\"],\"participant.concrete.instructions.approval.helps\":[\"Deine Freigabe hilft uns zu verstehen, was du wirklich denkst!\"],\"Pw2f/0\":[\"Ihre Unterhaltung wird momentan transcribiert. Bitte überprüfen Sie später erneut.\"],\"OFDbfd\":[\"Ihre Gespräche\"],\"aZHXuZ\":[\"Ihre Eingaben werden automatisch gespeichert.\"],\"PUWgP9\":[\"Ihre Bibliothek ist leer. Erstellen Sie eine Bibliothek, um Ihre ersten Erkenntnisse zu sehen.\"],\"B+9EHO\":[\"Ihre Antwort wurde aufgezeichnet. Sie können diesen Tab jetzt schließen.\"],\"wurHZF\":[\"Ihre Antworten\"],\"B8Q/i2\":[\"Ihre Ansicht wurde erstellt. Bitte warten Sie, während wir die Daten verarbeiten und analysieren.\"],\"library.views.title\":[\"Ihre Ansichten\"],\"lZNgiw\":[\"Ihre Ansichten\"],\"2wg92j\":[\"Gespräche\"],\"hWszgU\":[\"Die Quelle wurde gelöscht\"],\"GSV2Xq\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"7qaVXm\":[\"Experimental\"],\"FclDDn\":[\"Dembrane Verify\"],\"Y/Fou9\":[\"Select which topics participants can use for verification.\"],\"qwmGiT\":[\"Kontakt zu Verkaufsvertretern\"],\"ZWDkP4\":[\"Derzeit sind \",[\"finishedConversationsCount\"],\" Gespräche bereit zur Analyse. \",[\"unfinishedConversationsCount\"],\" werden noch verarbeitet.\"],\"/NTvqV\":[\"Bibliothek nicht verfügbar\"],\"p18xrj\":[\"Bibliothek neu generieren\"],\"hOtk0x\":[\"Echo\"],\"JsSzzl\":[\"ECHO\"],\"SUkFIX\":[\"Pause\"],\"ilKuQo\":[\"Fortsetzen\"],\"SqNXSx\":[\"Nein\"],\"yfZBOp\":[\"Ja\"],\"cic45J\":[\"Wir können diese Anfrage nicht verarbeiten, da die Inhaltsrichtlinie des LLM-Anbieters verletzt wird.\"],\"CvZqsN\":[\"Etwas ist schief gelaufen. Bitte versuchen Sie es erneut, indem Sie den <0>ECHO drücken, oder wenden Sie sich an den Support, wenn das Problem weiterhin besteht.\"],\"P+lUAg\":[\"Etwas ist schief gelaufen. Bitte versuchen Sie es erneut.\"],\"hh87/E\":[\"\\\"Tiefer eintauchen\\\" Bald verfügbar\"],\"RMxlMe\":[\"\\\"Konkret machen\\\" Bald verfügbar\"],\"7UJhVX\":[\"Sind Sie sicher, dass Sie das Gespräch beenden möchten?\"],\"RDsML8\":[\"Gespräch beenden\"],\"IaLTNH\":[\"Approve\"],\"+f3bIA\":[\"Cancel\"],\"qgx4CA\":[\"Revise\"],\"E+5M6v\":[\"Save\"],\"Q82shL\":[\"Go back\"],\"yOp5Yb\":[\"Reload Page\"],\"tw+Fbo\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"oTCD07\":[\"Unable to Load Artefact\"],\"QHbX3T\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"ECX5E0\":[\"Your approval helps us understand what you really think!\"],\"M5oorh\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"RZXkY+\":[\"Abbrechen\"],\"86aTqL\":[\"Next\"],\"pdifRH\":[\"Loading\"],\"Ep029+\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"fKeatI\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"8b+uSr\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"iodqGS\":[\"Loading artefact\"],\"NpZmZm\":[\"This will just take a moment\"],\"wklhqE\":[\"Regenerating the artefact\"],\"LYTXJp\":[\"This will just take a few moments\"],\"CjjC6j\":[\"Next\"],\"q885Ym\":[\"What do you want to verify?\"],\"AWBvkb\":[\"Ende der Liste • Alle \",[\"0\"],\" Gespräche geladen\"]}")as Messages; \ No newline at end of file diff --git a/echo/frontend/src/locales/en-US.po b/echo/frontend/src/locales/en-US.po index e3651923..9fea8a81 100644 --- a/echo/frontend/src/locales/en-US.po +++ b/echo/frontend/src/locales/en-US.po @@ -345,7 +345,7 @@ msgstr "\"Refine\" available soon" #: src/routes/project/chat/ProjectChatRoute.tsx:559 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 -#: src/components/project/ProjectPortalEditor.tsx:432 +#: src/components/project/ProjectPortalEditor.tsx:433 #: src/components/chat/References.tsx:29 msgid "{0}" msgstr "{0}" @@ -447,7 +447,7 @@ msgstr "Add additional context (Optional)" msgid "Add all that apply" msgstr "Add all that apply" -#: src/components/project/ProjectPortalEditor.tsx:126 +#: src/components/project/ProjectPortalEditor.tsx:127 msgid "Add key terms or proper nouns to improve transcript quality and accuracy." msgstr "Add key terms or proper nouns to improve transcript quality and accuracy." @@ -475,7 +475,7 @@ msgstr "Added emails" msgid "Adding Context:" msgstr "Adding Context:" -#: src/components/project/ProjectPortalEditor.tsx:543 +#: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Advanced (Tips and best practices)" @@ -483,7 +483,7 @@ msgstr "Advanced (Tips and best practices)" #~ msgid "Advanced (Tips and tricks)" #~ msgstr "Advanced (Tips and tricks)" -#: src/components/project/ProjectPortalEditor.tsx:1053 +#: src/components/project/ProjectPortalEditor.tsx:1055 msgid "Advanced Settings" msgstr "Advanced Settings" @@ -585,7 +585,7 @@ msgid "participant.concrete.action.button.approve" msgstr "Approve" #. js-lingui-explicit-id -#: src/components/conversation/VerifiedArtefactsSection.tsx:113 +#: src/components/conversation/VerifiedArtefactsSection.tsx:114 msgid "conversation.verified.approved" msgstr "Approved" @@ -650,11 +650,11 @@ msgstr "Artefact revised successfully!" msgid "Artefact updated successfully!" msgstr "Artefact updated successfully!" -#: src/components/conversation/VerifiedArtefactsSection.tsx:92 +#: src/components/conversation/VerifiedArtefactsSection.tsx:93 msgid "artefacts" msgstr "artefacts" -#: src/components/conversation/VerifiedArtefactsSection.tsx:87 +#: src/components/conversation/VerifiedArtefactsSection.tsx:88 msgid "Artefacts" msgstr "Artefacts" @@ -662,11 +662,11 @@ msgstr "Artefacts" msgid "Ask" msgstr "Ask" -#: src/components/project/ProjectPortalEditor.tsx:480 +#: src/components/project/ProjectPortalEditor.tsx:482 msgid "Ask for Name?" msgstr "Ask for Name?" -#: src/components/project/ProjectPortalEditor.tsx:493 +#: src/components/project/ProjectPortalEditor.tsx:495 msgid "Ask participants to provide their name when they start a conversation" msgstr "Ask participants to provide their name when they start a conversation" @@ -688,7 +688,7 @@ msgstr "Aspects" #~ msgid "At least one topic must be selected to enable Dembrane Verify" #~ msgstr "At least one topic must be selected to enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:877 +#: src/components/project/ProjectPortalEditor.tsx:879 msgid "At least one topic must be selected to enable Make it concrete" msgstr "At least one topic must be selected to enable Make it concrete" @@ -753,12 +753,12 @@ msgid "Available" msgstr "Available" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:360 +#: src/components/participant/ParticipantOnboardingCards.tsx:385 msgid "participant.button.back.microphone" msgstr "Back" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:381 +#: src/components/participant/ParticipantOnboardingCards.tsx:406 #: src/components/layout/ParticipantHeader.tsx:67 msgid "participant.button.back" msgstr "Back" @@ -771,11 +771,11 @@ msgstr "Back" msgid "Back to Selection" msgstr "Back to Selection" -#: src/components/project/ProjectPortalEditor.tsx:539 +#: src/components/project/ProjectPortalEditor.tsx:541 msgid "Basic (Essential tutorial slides)" msgstr "Basic (Essential tutorial slides)" -#: src/components/project/ProjectPortalEditor.tsx:446 +#: src/components/project/ProjectPortalEditor.tsx:447 msgid "Basic Settings" msgstr "Basic Settings" @@ -792,8 +792,8 @@ msgid "Beta" msgstr "Beta" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:568 -#: src/components/project/ProjectPortalEditor.tsx:768 +#: src/components/project/ProjectPortalEditor.tsx:570 +#: src/components/project/ProjectPortalEditor.tsx:770 msgid "dashboard.dembrane.concrete.beta" msgstr "Beta" @@ -806,7 +806,7 @@ msgstr "Beta" #~ msgid "Big Picture - Themes & patterns" #~ msgstr "Big Picture - Themes & patterns" -#: src/components/project/ProjectPortalEditor.tsx:686 +#: src/components/project/ProjectPortalEditor.tsx:688 msgid "Brainstorm Ideas" msgstr "Brainstorm Ideas" @@ -852,7 +852,7 @@ msgstr "Cannot add empty conversation" msgid "Changes will be saved automatically" msgstr "Changes will be saved automatically" -#: src/components/language/LanguagePicker.tsx:71 +#: src/components/language/LanguagePicker.tsx:77 msgid "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" msgstr "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" @@ -937,7 +937,7 @@ msgstr "Compare & Contrast" msgid "Complete" msgstr "Complete" -#: src/components/project/ProjectPortalEditor.tsx:815 +#: src/components/project/ProjectPortalEditor.tsx:817 msgid "Concrete Topics" msgstr "Concrete Topics" @@ -993,7 +993,7 @@ msgid "Context added:" msgstr "Context added:" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:368 +#: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 msgid "participant.button.continue" msgstr "Continue" @@ -1066,7 +1066,7 @@ msgid "participant.refine.cooling.down" msgstr "Cooling down. Available in {0}" #: src/components/settings/TwoFactorSettingsCard.tsx:431 -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 #: src/components/conversation/CopyConversationTranscript.tsx:47 #: src/components/common/CopyRichTextIconButton.tsx:29 #: src/components/common/CopyIconButton.tsx:17 @@ -1078,7 +1078,7 @@ msgstr "Copied" msgid "Copy" msgstr "Copy" -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 msgid "Copy link" msgstr "Copy link" @@ -1151,7 +1151,7 @@ msgstr "Create View" msgid "Created on" msgstr "Created on" -#: src/components/project/ProjectPortalEditor.tsx:715 +#: src/components/project/ProjectPortalEditor.tsx:717 msgid "Custom" msgstr "Custom" @@ -1163,11 +1163,11 @@ msgstr "Custom Filename" #~ msgid "Danger Zone" #~ msgstr "Danger Zone" -#: src/components/project/ProjectPortalEditor.tsx:655 +#: src/components/project/ProjectPortalEditor.tsx:657 msgid "Default" msgstr "Default" -#: src/components/project/ProjectPortalEditor.tsx:535 +#: src/components/project/ProjectPortalEditor.tsx:537 msgid "Default - No tutorial (Only privacy statements)" msgstr "Default - No tutorial (Only privacy statements)" @@ -1261,7 +1261,7 @@ msgstr "Do you want to contribute to this project?" msgid "Do you want to stay in the loop?" msgstr "Do you want to stay in the loop?" -#: src/components/layout/Header.tsx:181 +#: src/components/layout/Header.tsx:182 msgid "Documentation" msgstr "Documentation" @@ -1301,7 +1301,7 @@ msgstr "Download Transcript Options" msgid "Drag audio files here or click to select files" msgstr "Drag audio files here or click to select files" -#: src/components/project/ProjectPortalEditor.tsx:464 +#: src/components/project/ProjectPortalEditor.tsx:465 msgid "Dutch" msgstr "Dutch" @@ -1399,24 +1399,24 @@ msgstr "Enable 2FA" #~ msgid "Enable Dembrane Verify" #~ msgstr "Enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:592 +#: src/components/project/ProjectPortalEditor.tsx:594 msgid "Enable Go deeper" msgstr "Enable Go deeper" -#: src/components/project/ProjectPortalEditor.tsx:792 +#: src/components/project/ProjectPortalEditor.tsx:794 msgid "Enable Make it concrete" msgstr "Enable Make it concrete" -#: src/components/project/ProjectPortalEditor.tsx:930 +#: src/components/project/ProjectPortalEditor.tsx:932 msgid "Enable Report Notifications" msgstr "Enable Report Notifications" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:775 +#: src/components/project/ProjectPortalEditor.tsx:777 msgid "dashboard.dembrane.concrete.description" msgstr "Enable this feature to allow participants to create and approve \"concrete objects\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with concrete objects and review them in the overview." -#: src/components/project/ProjectPortalEditor.tsx:914 +#: src/components/project/ProjectPortalEditor.tsx:916 msgid "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." msgstr "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." @@ -1432,7 +1432,7 @@ msgstr "Enable this feature to allow participants to receive notifications when #~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." #~ msgstr "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." -#: src/components/project/ProjectPortalEditor.tsx:575 +#: src/components/project/ProjectPortalEditor.tsx:577 msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." msgstr "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." @@ -1449,11 +1449,11 @@ msgstr "Enabled" #~ msgid "End of list • All {0} conversations loaded" #~ msgstr "End of list • All {0} conversations loaded" -#: src/components/project/ProjectPortalEditor.tsx:463 +#: src/components/project/ProjectPortalEditor.tsx:464 msgid "English" msgstr "English" -#: src/components/project/ProjectPortalEditor.tsx:133 +#: src/components/project/ProjectPortalEditor.tsx:134 msgid "Enter a key term or proper noun" msgstr "Enter a key term or proper noun" @@ -1613,7 +1613,7 @@ msgstr "Failed to enable Auto Select for this chat" msgid "Failed to finish conversation. Please try again." msgstr "Failed to finish conversation. Please try again." -#: src/components/participant/verify/VerifySelection.tsx:141 +#: src/components/participant/verify/VerifySelection.tsx:142 msgid "Failed to generate {label}. Please try again." msgstr "Failed to generate {label}. Please try again." @@ -1786,7 +1786,7 @@ msgstr "First Name" msgid "Forgot your password?" msgstr "Forgot your password?" -#: src/components/project/ProjectPortalEditor.tsx:467 +#: src/components/project/ProjectPortalEditor.tsx:468 msgid "French" msgstr "French" @@ -1810,7 +1810,7 @@ msgstr "Generate Summary" msgid "Generating the summary. Please wait..." msgstr "Generating the summary. Please wait..." -#: src/components/project/ProjectPortalEditor.tsx:465 +#: src/components/project/ProjectPortalEditor.tsx:466 msgid "German" msgstr "German" @@ -1836,7 +1836,7 @@ msgstr "Go back" msgid "participant.concrete.artefact.action.button.go.back" msgstr "Go back" -#: src/components/project/ProjectPortalEditor.tsx:564 +#: src/components/project/ProjectPortalEditor.tsx:566 msgid "Go deeper" msgstr "Go deeper" @@ -1861,8 +1861,12 @@ msgstr "Go to new conversation" msgid "Has verified artifacts" msgstr "Has verified artifacts" +#: src/components/layout/Header.tsx:194 +msgid "Help us translate" +msgstr "Help us translate" + #. placeholder {0}: user.first_name ?? "User" -#: src/components/layout/Header.tsx:159 +#: src/components/layout/Header.tsx:160 msgid "Hi, {0}" msgstr "Hi, {0}" @@ -1870,7 +1874,7 @@ msgstr "Hi, {0}" msgid "Hidden" msgstr "Hidden" -#: src/components/participant/verify/VerifySelection.tsx:113 +#: src/components/participant/verify/VerifySelection.tsx:114 msgid "Hidden gem" msgstr "Hidden gem" @@ -2027,8 +2031,12 @@ msgstr "It looks like we couldn't load this artefact. This might be a temporary msgid "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." msgstr "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." +#: src/components/project/ProjectPortalEditor.tsx:469 +msgid "Italian" +msgstr "Italian" + #. placeholder {0}: project?.default_conversation_title ?? "the conversation" -#: src/components/project/ProjectQRCode.tsx:99 +#: src/components/project/ProjectQRCode.tsx:103 msgid "Join {0} on Dembrane" msgstr "Join {0} on Dembrane" @@ -2044,7 +2052,7 @@ msgstr "Just a moment" msgid "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." msgstr "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." -#: src/components/project/ProjectPortalEditor.tsx:456 +#: src/components/project/ProjectPortalEditor.tsx:457 msgid "Language" msgstr "Language" @@ -2112,7 +2120,7 @@ msgstr "Live audio level:" #~ msgid "Live audio level:" #~ msgstr "Live audio level:" -#: src/components/project/ProjectPortalEditor.tsx:1124 +#: src/components/project/ProjectPortalEditor.tsx:1126 msgid "Live Preview" msgstr "Live Preview" @@ -2142,7 +2150,7 @@ msgstr "Loading audit logs…" msgid "Loading collections..." msgstr "Loading collections..." -#: src/components/project/ProjectPortalEditor.tsx:831 +#: src/components/project/ProjectPortalEditor.tsx:833 msgid "Loading concrete topics…" msgstr "Loading concrete topics…" @@ -2168,7 +2176,7 @@ msgstr "loading..." msgid "Loading..." msgstr "Loading..." -#: src/components/participant/verify/VerifySelection.tsx:247 +#: src/components/participant/verify/VerifySelection.tsx:248 msgid "Loading…" msgstr "Loading…" @@ -2184,7 +2192,7 @@ msgstr "Login | Dembrane" msgid "Login as an existing user" msgstr "Login as an existing user" -#: src/components/layout/Header.tsx:191 +#: src/components/layout/Header.tsx:201 msgid "Logout" msgstr "Logout" @@ -2193,7 +2201,7 @@ msgid "Longest First" msgstr "Longest First" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:762 +#: src/components/project/ProjectPortalEditor.tsx:764 msgid "dashboard.dembrane.concrete.title" msgstr "Make it concrete" @@ -2228,7 +2236,7 @@ msgstr "Microphone access is still denied. Please check your settings and try ag #~ msgid "min" #~ msgstr "min" -#: src/components/project/ProjectPortalEditor.tsx:615 +#: src/components/project/ProjectPortalEditor.tsx:617 msgid "Mode" msgstr "Mode" @@ -2299,7 +2307,7 @@ msgid "Newest First" msgstr "Newest First" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:396 +#: src/components/participant/ParticipantOnboardingCards.tsx:421 msgid "participant.button.next" msgstr "Next" @@ -2309,7 +2317,7 @@ msgid "participant.ready.to.begin.button.text" msgstr "Next" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:249 +#: src/components/participant/verify/VerifySelection.tsx:250 msgid "participant.concrete.selection.button.next" msgstr "Next" @@ -2352,7 +2360,7 @@ msgstr "No chats found. Start a chat using the \"Ask\" button." msgid "No collections found" msgstr "No collections found" -#: src/components/project/ProjectPortalEditor.tsx:835 +#: src/components/project/ProjectPortalEditor.tsx:837 msgid "No concrete topics available." msgstr "No concrete topics available." @@ -2459,7 +2467,7 @@ msgstr "No transcript exists for this conversation yet. Please check back later. msgid "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." msgstr "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." -#: src/components/participant/verify/VerifySelection.tsx:211 +#: src/components/participant/verify/VerifySelection.tsx:212 msgid "No verification topics are configured for this project." msgstr "No verification topics are configured for this project." @@ -2560,7 +2568,7 @@ msgstr "Overview - Themes & patterns" #~ msgid "Page" #~ msgstr "Page" -#: src/components/project/ProjectPortalEditor.tsx:990 +#: src/components/project/ProjectPortalEditor.tsx:992 msgid "Page Content" msgstr "Page Content" @@ -2568,7 +2576,7 @@ msgstr "Page Content" msgid "Page not found" msgstr "Page not found" -#: src/components/project/ProjectPortalEditor.tsx:967 +#: src/components/project/ProjectPortalEditor.tsx:969 msgid "Page Title" msgstr "Page Title" @@ -2577,7 +2585,7 @@ msgstr "Page Title" msgid "Participant" msgstr "Participant" -#: src/components/project/ProjectPortalEditor.tsx:558 +#: src/components/project/ProjectPortalEditor.tsx:560 msgid "Participant Features" msgstr "Participant Features" @@ -2638,7 +2646,7 @@ msgstr "Please check your inputs for errors." #~ msgid "Please do not close your browser" #~ msgstr "Please do not close your browser" -#: src/components/project/ProjectQRCode.tsx:129 +#: src/components/project/ProjectQRCode.tsx:133 msgid "Please enable participation to enable sharing" msgstr "Please enable participation to enable sharing" @@ -2727,11 +2735,11 @@ msgstr "Please wait while we update your report. You will automatically be redir msgid "Please wait while we verify your email address." msgstr "Please wait while we verify your email address." -#: src/components/project/ProjectPortalEditor.tsx:957 +#: src/components/project/ProjectPortalEditor.tsx:959 msgid "Portal Content" msgstr "Portal Content" -#: src/components/project/ProjectPortalEditor.tsx:415 +#: src/components/project/ProjectPortalEditor.tsx:416 #: src/components/layout/ProjectOverviewLayout.tsx:43 msgid "Portal Editor" msgstr "Portal Editor" @@ -2868,7 +2876,7 @@ msgid "Read aloud" msgstr "Read aloud" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:259 +#: src/components/participant/ParticipantOnboardingCards.tsx:284 msgid "participant.ready.to.begin" msgstr "Ready to Begin?" @@ -2922,7 +2930,7 @@ msgstr "References" msgid "participant.button.refine" msgstr "Refine" -#: src/components/project/ProjectPortalEditor.tsx:1132 +#: src/components/project/ProjectPortalEditor.tsx:1134 msgid "Refresh" msgstr "Refresh" @@ -3000,7 +3008,7 @@ msgstr "Rename" #~ msgid "Rename" #~ msgstr "Rename" -#: src/components/project/ProjectPortalEditor.tsx:730 +#: src/components/project/ProjectPortalEditor.tsx:732 msgid "Reply Prompt" msgstr "Reply Prompt" @@ -3010,7 +3018,7 @@ msgstr "Reply Prompt" msgid "Report" msgstr "Report" -#: src/components/layout/Header.tsx:75 +#: src/components/layout/Header.tsx:76 msgid "Report an issue" msgstr "Report an issue" @@ -3023,7 +3031,7 @@ msgstr "Report Created - {0}" msgid "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." msgstr "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." -#: src/components/project/ProjectPortalEditor.tsx:911 +#: src/components/project/ProjectPortalEditor.tsx:913 msgid "Report Notifications" msgstr "Report Notifications" @@ -3209,7 +3217,7 @@ msgstr "Secret copied" #~ msgid "See conversation status details" #~ msgstr "See conversation status details" -#: src/components/layout/Header.tsx:105 +#: src/components/layout/Header.tsx:106 msgid "See you soon" msgstr "See you soon" @@ -3241,20 +3249,20 @@ msgstr "Select Project" msgid "Select tags" msgstr "Select tags" -#: src/components/project/ProjectPortalEditor.tsx:524 +#: src/components/project/ProjectPortalEditor.tsx:526 msgid "Select the instructions that will be shown to participants when they start a conversation" msgstr "Select the instructions that will be shown to participants when they start a conversation" -#: src/components/project/ProjectPortalEditor.tsx:620 +#: src/components/project/ProjectPortalEditor.tsx:622 msgid "Select the type of feedback or engagement you want to encourage." msgstr "Select the type of feedback or engagement you want to encourage." -#: src/components/project/ProjectPortalEditor.tsx:512 +#: src/components/project/ProjectPortalEditor.tsx:514 msgid "Select tutorial" msgstr "Select tutorial" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:824 +#: src/components/project/ProjectPortalEditor.tsx:826 msgid "dashboard.dembrane.concrete.topic.select" msgstr "Select which topics participants can use for \"Make it concrete\"." @@ -3297,7 +3305,7 @@ msgstr "Setting up your first project" #: src/routes/settings/UserSettingsRoute.tsx:39 #: src/components/layout/ParticipantHeader.tsx:93 #: src/components/layout/ParticipantHeader.tsx:94 -#: src/components/layout/Header.tsx:170 +#: src/components/layout/Header.tsx:171 msgid "Settings" msgstr "Settings" @@ -3310,7 +3318,7 @@ msgstr "Settings" msgid "Settings | Dembrane" msgstr "Settings | Dembrane" -#: src/components/project/ProjectQRCode.tsx:104 +#: src/components/project/ProjectQRCode.tsx:108 msgid "Share" msgstr "Share" @@ -3392,7 +3400,7 @@ msgstr "Showing {displayFrom}–{displayTo} of {totalItems} entries" #~ msgstr "Sign in with Google" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:281 +#: src/components/participant/ParticipantOnboardingCards.tsx:306 msgid "participant.mic.check.button.skip" msgstr "Skip" @@ -3404,7 +3412,7 @@ msgstr "Skip" #~ msgid "Skip data privacy slide (Host manages consent)" #~ msgstr "Skip data privacy slide (Host manages consent)" -#: src/components/project/ProjectPortalEditor.tsx:531 +#: src/components/project/ProjectPortalEditor.tsx:533 msgid "Skip data privacy slide (Host manages legal base)" msgstr "Skip data privacy slide (Host manages legal base)" @@ -3476,7 +3484,7 @@ msgstr "Source {0}" #~ msgid "Sources:" #~ msgstr "Sources:" -#: src/components/project/ProjectPortalEditor.tsx:466 +#: src/components/project/ProjectPortalEditor.tsx:467 msgid "Spanish" msgstr "Spanish" @@ -3484,7 +3492,7 @@ msgstr "Spanish" #~ msgid "Speaker" #~ msgstr "Speaker" -#: src/components/project/ProjectPortalEditor.tsx:124 +#: src/components/project/ProjectPortalEditor.tsx:125 msgid "Specific Context" msgstr "Specific Context" @@ -3646,7 +3654,7 @@ msgstr "Thank you for participating!" #~ msgid "Thank You Page" #~ msgstr "Thank You Page" -#: src/components/project/ProjectPortalEditor.tsx:1020 +#: src/components/project/ProjectPortalEditor.tsx:1022 msgid "Thank You Page Content" msgstr "Thank You Page Content" @@ -3783,7 +3791,7 @@ msgstr "This email is already in the list." msgid "participant.modal.refine.info.available.in" msgstr "This feature will be available in {remainingTime} seconds." -#: src/components/project/ProjectPortalEditor.tsx:1136 +#: src/components/project/ProjectPortalEditor.tsx:1138 msgid "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." msgstr "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." @@ -3812,15 +3820,15 @@ msgstr "This is your project library. Create views to analyse your entire projec #~ msgid "This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead." #~ msgstr "This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead." -#: src/components/project/ProjectPortalEditor.tsx:461 +#: src/components/project/ProjectPortalEditor.tsx:462 msgid "This language will be used for the Participant's Portal." msgstr "This language will be used for the Participant's Portal." -#: src/components/project/ProjectPortalEditor.tsx:1030 +#: src/components/project/ProjectPortalEditor.tsx:1032 msgid "This page is shown after the participant has completed the conversation." msgstr "This page is shown after the participant has completed the conversation." -#: src/components/project/ProjectPortalEditor.tsx:1000 +#: src/components/project/ProjectPortalEditor.tsx:1002 msgid "This page is shown to participants when they start a conversation after they successfully complete the tutorial." msgstr "This page is shown to participants when they start a conversation after they successfully complete the tutorial." @@ -3832,7 +3840,7 @@ msgstr "This page is shown to participants when they start a conversation after #~ msgid "This project library was generated on {0}." #~ msgstr "This project library was generated on {0}." -#: src/components/project/ProjectPortalEditor.tsx:741 +#: src/components/project/ProjectPortalEditor.tsx:743 msgid "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." msgstr "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." @@ -3849,7 +3857,7 @@ msgstr "This report was opened by {0} people" #~ msgid "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." #~ msgstr "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." -#: src/components/project/ProjectPortalEditor.tsx:978 +#: src/components/project/ProjectPortalEditor.tsx:980 msgid "This title is shown to participants when they start a conversation" msgstr "This title is shown to participants when they start a conversation" @@ -4351,7 +4359,7 @@ msgid "What are the main themes across all conversations?" msgstr "What are the main themes across all conversations?" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:195 +#: src/components/participant/verify/VerifySelection.tsx:196 msgid "participant.concrete.selection.title" msgstr "What do you want to make concrete?" diff --git a/echo/frontend/src/locales/en-US.ts b/echo/frontend/src/locales/en-US.ts index 9a2d01ea..95fea668 100644 --- a/echo/frontend/src/locales/en-US.ts +++ b/echo/frontend/src/locales/en-US.ts @@ -1 +1 @@ -/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"You are not authenticated\"],\"You don't have permission to access this.\":[\"You don't have permission to access this.\"],\"Resource not found\":[\"Resource not found\"],\"Server error\":[\"Server error\"],\"Something went wrong\":[\"Something went wrong\"],\"We're preparing your workspace.\":[\"We're preparing your workspace.\"],\"Preparing your dashboard\":[\"Preparing your dashboard\"],\"Welcome back\":[\"Welcome back\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"Beta\"],\"participant.button.go.deeper\":[\"Go deeper\"],\"participant.button.make.concrete\":[\"Make it concrete\"],\"library.generate.duration.message\":[\" Generating library can take up to an hour.\"],\"uDvV8j\":[\" Submit\"],\"aMNEbK\":[\" Unsubscribe from Notifications\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.concrete\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refine\\\" available soon\"],\"2NWk7n\":[\"(for enhanced audio processing)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" ready\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Edited \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" selected\"],\"P1pDS8\":[[\"diffInDays\"],\"d ago\"],\"bT6AxW\":[[\"diffInHours\"],\"h ago\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Currently \",\"#\",\" conversation is ready to be analyzed.\"],\"other\":[\"Currently \",\"#\",\" conversations are ready to be analyzed.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"TVD5At\":[[\"readingNow\"],\" reading now\"],\"U7Iesw\":[[\"seconds\"],\" seconds\"],\"library.conversations.still.processing\":[[\"unfinishedConversationsCount\"],\" still processing.\"],\"ZpJ0wx\":[\"*Transcription in progress.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wait \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Account password\"],\"L5gswt\":[\"Action By\"],\"UQXw0W\":[\"Action On\"],\"7L01XJ\":[\"Actions\"],\"m16xKo\":[\"Add\"],\"1m+3Z3\":[\"Add additional context (Optional)\"],\"Se1KZw\":[\"Add all that apply\"],\"1xDwr8\":[\"Add key terms or proper nouns to improve transcript quality and accuracy.\"],\"ndpRPm\":[\"Add new recordings to this project. Files you upload here will be processed and appear in conversations.\"],\"Ralayn\":[\"Add Tag\"],\"IKoyMv\":[\"Add Tags\"],\"NffMsn\":[\"Add to this chat\"],\"Na90E+\":[\"Added emails\"],\"SJCAsQ\":[\"Adding Context:\"],\"OaKXud\":[\"Advanced (Tips and best practices)\"],\"TBpbDp\":[\"Advanced (Tips and tricks)\"],\"JiIKww\":[\"Advanced Settings\"],\"cF7bEt\":[\"All actions\"],\"O1367B\":[\"All collections\"],\"Cmt62w\":[\"All conversations ready\"],\"u/fl/S\":[\"All files were uploaded successfully.\"],\"baQJ1t\":[\"All Insights\"],\"3goDnD\":[\"Allow participants using the link to start new conversations\"],\"bruUug\":[\"Almost there\"],\"H7cfSV\":[\"Already added to this chat\"],\"jIoHDG\":[\"An email notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"G54oFr\":[\"An email Notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"8q/YVi\":[\"An error occurred while loading the Portal. Please contact the support team.\"],\"XyOToQ\":[\"An error occurred.\"],\"QX6zrA\":[\"Analysis\"],\"F4cOH1\":[\"Analysis Language\"],\"1x2m6d\":[\"Analyze these elements with depth and nuance. Please:\\n\\nFocus on unexpected connections and contrasts\\nGo beyond obvious surface-level comparisons\\nIdentify hidden patterns that most analyses miss\\nMaintain analytical rigor while being engaging\\nUse examples that illuminate deeper principles\\nStructure the analysis to build understanding\\nDraw insights that challenge conventional wisdom\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"Dzr23X\":[\"Announcements\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Approve\"],\"conversation.verified.approved\":[\"Approved\"],\"Q5Z2wp\":[\"Are you sure you want to delete this conversation? This action cannot be undone.\"],\"kWiPAC\":[\"Are you sure you want to delete this project?\"],\"YF1Re1\":[\"Are you sure you want to delete this project? This action cannot be undone.\"],\"B8ymes\":[\"Are you sure you want to delete this recording?\"],\"G2gLnJ\":[\"Are you sure you want to delete this tag?\"],\"aUsm4A\":[\"Are you sure you want to delete this tag? This will remove the tag from existing conversations that contain it.\"],\"participant.modal.finish.message.text.mode\":[\"Are you sure you want to finish the conversation?\"],\"xu5cdS\":[\"Are you sure you want to finish?\"],\"sOql0x\":[\"Are you sure you want to generate the library? This will take a while and overwrite your current views and insights.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Are you sure you want to regenerate the summary? You will lose the current summary.\"],\"JHgUuT\":[\"Artefact approved successfully!\"],\"IbpaM+\":[\"Artefact reloaded successfully!\"],\"Qcm/Tb\":[\"Artefact revised successfully!\"],\"uCzCO2\":[\"Artefact updated successfully!\"],\"KYehbE\":[\"artefacts\"],\"jrcxHy\":[\"Artefacts\"],\"F+vBv0\":[\"Ask\"],\"Rjlwvz\":[\"Ask for Name?\"],\"5gQcdD\":[\"Ask participants to provide their name when they start a conversation\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspects\"],\"kskjVK\":[\"Assistant is typing...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"At least one topic must be selected to enable Make it concrete\"],\"DMBYlw\":[\"Audio Processing In Progress\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Audio recordings are scheduled to be deleted after 30 days from the recording date\"],\"IOBCIN\":[\"Audio Tip\"],\"y2W2Hg\":[\"Audit logs\"],\"aL1eBt\":[\"Audit logs exported to CSV\"],\"mS51hl\":[\"Audit logs exported to JSON\"],\"z8CQX2\":[\"Authenticator code\"],\"/iCiQU\":[\"Auto-select\"],\"3D5FPO\":[\"Auto-select disabled\"],\"ajAMbT\":[\"Auto-select enabled\"],\"jEqKwR\":[\"Auto-select sources to add to the chat\"],\"vtUY0q\":[\"Automatically includes relevant conversations for analysis without manual selection\"],\"csDS2L\":[\"Available\"],\"participant.button.back.microphone\":[\"Back\"],\"participant.button.back\":[\"Back\"],\"iH8pgl\":[\"Back\"],\"/9nVLo\":[\"Back to Selection\"],\"wVO5q4\":[\"Basic (Essential tutorial slides)\"],\"epXTwc\":[\"Basic Settings\"],\"GML8s7\":[\"Begin!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture - Themes & patterns\"],\"YgG3yv\":[\"Brainstorm Ideas\"],\"ba5GvN\":[\"By deleting this project, you will delete all the data associated with it. This action cannot be undone. Are you ABSOLUTELY sure you want to delete this project?\"],\"dEgA5A\":[\"Cancel\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Cancel\"],\"participant.concrete.action.button.cancel\":[\"Cancel\"],\"participant.concrete.instructions.button.cancel\":[\"Cancel\"],\"RKD99R\":[\"Cannot add empty conversation\"],\"JFFJDJ\":[\"Changes are saved automatically as you continue to use the app. <0/>Once you have some unsaved changes, you can click anywhere to save the changes. <1/>You will also see a button to Cancel the changes.\"],\"u0IJto\":[\"Changes will be saved automatically\"],\"xF/jsW\":[\"Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Check microphone access\"],\"+e4Yxz\":[\"Check microphone access\"],\"v4fiSg\":[\"Check your email\"],\"pWT04I\":[\"Checking...\"],\"DakUDF\":[\"Choose your preferred theme for the interface\"],\"0ngaDi\":[\"Citing the following sources\"],\"B2pdef\":[\"Click \\\"Upload Files\\\" when you're ready to start the upload process.\"],\"BPrdpc\":[\"Clone project\"],\"9U86tL\":[\"Clone Project\"],\"yz7wBu\":[\"Close\"],\"q+hNag\":[\"Collection\"],\"Wqc3zS\":[\"Compare & Contrast\"],\"jlZul5\":[\"Compare and contrast the following items provided in the context.\"],\"bD8I7O\":[\"Complete\"],\"6jBoE4\":[\"Concrete Topics\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Confirm\"],\"yjkELF\":[\"Confirm New Password\"],\"p2/GCq\":[\"Confirm Password\"],\"puQ8+/\":[\"Confirm Publishing\"],\"L0k594\":[\"Confirm your password to generate a new secret for your authenticator app.\"],\"JhzMcO\":[\"Connecting to report services...\"],\"wX/BfX\":[\"Connection healthy\"],\"WimHuY\":[\"Connection unhealthy\"],\"DFFB2t\":[\"Contact sales\"],\"VlCTbs\":[\"Contact your sales representative to activate this feature today!\"],\"M73whl\":[\"Context\"],\"VHSco4\":[\"Context added:\"],\"participant.button.continue\":[\"Continue\"],\"xGVfLh\":[\"Continue\"],\"F1pfAy\":[\"conversation\"],\"EiHu8M\":[\"Conversation added to chat\"],\"ggJDqH\":[\"Conversation Audio\"],\"participant.conversation.ended\":[\"Conversation Ended\"],\"BsHMTb\":[\"Conversation Ended\"],\"26Wuwb\":[\"Conversation processing\"],\"OtdHFE\":[\"Conversation removed from chat\"],\"zTKMNm\":[\"Conversation Status\"],\"Rdt7Iv\":[\"Conversation Status Details\"],\"a7zH70\":[\"conversations\"],\"EnJuK0\":[\"Conversations\"],\"TQ8ecW\":[\"Conversations from QR Code\"],\"nmB3V3\":[\"Conversations from Upload\"],\"participant.refine.cooling.down\":[\"Cooling down. Available in \",[\"0\"]],\"6V3Ea3\":[\"Copied\"],\"he3ygx\":[\"Copy\"],\"y1eoq1\":[\"Copy link\"],\"Dj+aS5\":[\"Copy link to share this report\"],\"vAkFou\":[\"Copy secret\"],\"v3StFl\":[\"Copy Summary\"],\"/4gGIX\":[\"Copy to clipboard\"],\"rG2gDo\":[\"Copy transcript\"],\"OvEjsP\":[\"Copying...\"],\"hYgDIe\":[\"Create\"],\"CSQPC0\":[\"Create an Account\"],\"library.create\":[\"Create Library\"],\"O671Oh\":[\"Create Library\"],\"library.create.view.modal.title\":[\"Create new view\"],\"vY2Gfm\":[\"Create new view\"],\"bsfMt3\":[\"Create Report\"],\"library.create.view\":[\"Create View\"],\"3D0MXY\":[\"Create View\"],\"45O6zJ\":[\"Created on\"],\"8Tg/JR\":[\"Custom\"],\"o1nIYK\":[\"Custom Filename\"],\"ZQKLI1\":[\"Danger Zone\"],\"ovBPCi\":[\"Default\"],\"ucTqrC\":[\"Default - No tutorial (Only privacy statements)\"],\"project.sidebar.chat.delete\":[\"Delete\"],\"cnGeoo\":[\"Delete\"],\"2DzmAq\":[\"Delete Conversation\"],\"++iDlT\":[\"Delete Project\"],\"+m7PfT\":[\"Deleted successfully\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane is powered by AI. Please double-check responses.\"],\"67znul\":[\"Dembrane Reply\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Develop a strategic framework that drives meaningful outcomes. Please:\\n\\nIdentify core objectives and their interdependencies\\nMap out implementation pathways with realistic timelines\\nAnticipate potential obstacles and mitigation strategies\\nDefine clear metrics for success beyond vanity indicators\\nHighlight resource requirements and allocation priorities\\nStructure the plan for both immediate action and long-term vision\\nInclude decision gates and pivot points\\n\\nNote: Focus on strategies that create sustainable competitive advantages, not just incremental improvements.\"],\"qERl58\":[\"Disable 2FA\"],\"yrMawf\":[\"Disable two-factor authentication\"],\"E/QGRL\":[\"Disabled\"],\"LnL5p2\":[\"Do you want to contribute to this project?\"],\"JeOjN4\":[\"Do you want to stay in the loop?\"],\"TvY/XA\":[\"Documentation\"],\"mzI/c+\":[\"Download\"],\"5YVf7S\":[\"Download all conversation transcripts generated for this project.\"],\"5154Ap\":[\"Download All Transcripts\"],\"8fQs2Z\":[\"Download as\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Download Audio\"],\"+bBcKo\":[\"Download transcript\"],\"5XW2u5\":[\"Download Transcript Options\"],\"hUO5BY\":[\"Drag audio files here or click to select files\"],\"KIjvtr\":[\"Dutch\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo is powered by AI. Please double-check responses.\"],\"o6tfKZ\":[\"ECHO is powered by AI. Please double-check responses.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Edit Conversation\"],\"/8fAkm\":[\"Edit file name\"],\"G2KpGE\":[\"Edit Project\"],\"DdevVt\":[\"Edit Report Content\"],\"0YvCPC\":[\"Edit Resource\"],\"report.editor.description\":[\"Edit the report content using the rich text editor below. You can format text, add links, images, and more.\"],\"F6H6Lg\":[\"Editing mode\"],\"O3oNi5\":[\"Email\"],\"wwiTff\":[\"Email Verification\"],\"Ih5qq/\":[\"Email Verification | Dembrane\"],\"iF3AC2\":[\"Email verified successfully. You will be redirected to the login page in 5 seconds. If you are not redirected, please click <0>here.\"],\"g2N9MJ\":[\"email@work.com\"],\"N2S1rs\":[\"Empty\"],\"DCRKbe\":[\"Enable 2FA\"],\"ycR/52\":[\"Enable Dembrane Echo\"],\"mKGCnZ\":[\"Enable Dembrane ECHO\"],\"Dh2kHP\":[\"Enable Dembrane Reply\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Enable Go deeper\"],\"wGA7d4\":[\"Enable Make it concrete\"],\"G3dSLc\":[\"Enable Report Notifications\"],\"dashboard.dembrane.concrete.description\":[\"Enable this feature to allow participants to create and approve \\\"concrete objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with concrete objects and review them in the overview.\"],\"Idlt6y\":[\"Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed.\"],\"g2qGhy\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Echo\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"pB03mG\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"ECHO\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"dWv3hs\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Get Reply\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"rkE6uN\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Go deeper\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"329BBO\":[\"Enable two-factor authentication\"],\"RxzN1M\":[\"Enabled\"],\"IxzwiB\":[\"End of list • All \",[\"0\"],\" conversations loaded\"],\"lYGfRP\":[\"English\"],\"GboWYL\":[\"Enter a key term or proper noun\"],\"TSHJTb\":[\"Enter a name for the new conversation\"],\"KovX5R\":[\"Enter a name for your cloned project\"],\"34YqUw\":[\"Enter a valid code to turn off two-factor authentication.\"],\"2FPsPl\":[\"Enter filename (without extension)\"],\"vT+QoP\":[\"Enter new name for the chat:\"],\"oIn7d4\":[\"Enter the 6-digit code from your authenticator app.\"],\"q1OmsR\":[\"Enter the current six-digit code from your authenticator app.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Enter your password\"],\"42tLXR\":[\"Enter your query\"],\"SlfejT\":[\"Error\"],\"Ne0Dr1\":[\"Error cloning project\"],\"AEkJ6x\":[\"Error creating report\"],\"S2MVUN\":[\"Error loading announcements\"],\"xcUDac\":[\"Error loading insights\"],\"edh3aY\":[\"Error loading project\"],\"3Uoj83\":[\"Error loading quotes\"],\"z05QRC\":[\"Error updating report\"],\"hmk+3M\":[\"Error uploading \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Everything looks good – you can continue.\"],\"/PykH1\":[\"Everything looks good – you can continue.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimental\"],\"/bsogT\":[\"Explore themes & patterns across all conversations\"],\"sAod0Q\":[\"Exploring \",[\"conversationCount\"],\" conversations\"],\"GS+Mus\":[\"Export\"],\"7Bj3x9\":[\"Failed\"],\"bh2Vob\":[\"Failed to add conversation to chat\"],\"ajvYcJ\":[\"Failed to add conversation to chat\",[\"0\"]],\"9GMUFh\":[\"Failed to approve artefact. Please try again.\"],\"RBpcoc\":[\"Failed to copy chat. Please try again.\"],\"uvu6eC\":[\"Failed to copy transcript. Please try again.\"],\"BVzTya\":[\"Failed to delete response\"],\"p+a077\":[\"Failed to disable Auto Select for this chat\"],\"iS9Cfc\":[\"Failed to enable Auto Select for this chat\"],\"Gu9mXj\":[\"Failed to finish conversation. Please try again.\"],\"vx5bTP\":[\"Failed to generate \",[\"label\"],\". Please try again.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Failed to generate the summary. Please try again later.\"],\"DKxr+e\":[\"Failed to get announcements\"],\"TSt/Iq\":[\"Failed to get the latest announcement\"],\"D4Bwkb\":[\"Failed to get unread announcements count\"],\"AXRzV1\":[\"Failed to load audio or the audio is not available\"],\"T7KYJY\":[\"Failed to mark all announcements as read\"],\"eGHX/x\":[\"Failed to mark announcement as read\"],\"SVtMXb\":[\"Failed to regenerate the summary. Please try again later.\"],\"h49o9M\":[\"Failed to reload. Please try again.\"],\"kE1PiG\":[\"Failed to remove conversation from chat\"],\"+piK6h\":[\"Failed to remove conversation from chat\",[\"0\"]],\"SmP70M\":[\"Failed to retranscribe conversation. Please try again.\"],\"hhLiKu\":[\"Failed to revise artefact. Please try again.\"],\"wMEdO3\":[\"Failed to stop recording on device change. Please try again.\"],\"wH6wcG\":[\"Failed to verify email status. Please try again.\"],\"participant.modal.refine.info.title\":[\"Feature available soon\"],\"87gcCP\":[\"File \\\"\",[\"0\"],\"\\\" exceeds the maximum size of \",[\"1\"],\".\"],\"ena+qV\":[\"File \\\"\",[\"0\"],\"\\\" has an unsupported format. Only audio files are allowed.\"],\"LkIAge\":[\"File \\\"\",[\"0\"],\"\\\" is not a supported audio format. Only audio files are allowed.\"],\"RW2aSn\":[\"File \\\"\",[\"0\"],\"\\\" is too small (\",[\"1\"],\"). Minimum size is \",[\"2\"],\".\"],\"+aBwxq\":[\"File size: Min \",[\"0\"],\", Max \",[\"1\"],\", up to \",[\"MAX_FILES\"],\" files\"],\"o7J4JM\":[\"Filter\"],\"5g0xbt\":[\"Filter audit logs by action\"],\"9clinz\":[\"Filter audit logs by collection\"],\"O39Ph0\":[\"Filter by action\"],\"DiDNkt\":[\"Filter by collection\"],\"participant.button.stop.finish\":[\"Finish\"],\"participant.button.finish.text.mode\":[\"Finish\"],\"participant.button.finish\":[\"Finish\"],\"JmZ/+d\":[\"Finish\"],\"participant.modal.finish.title.text.mode\":[\"Finish Conversation\"],\"4dQFvz\":[\"Finished\"],\"kODvZJ\":[\"First Name\"],\"MKEPCY\":[\"Follow\"],\"JnPIOr\":[\"Follow playback\"],\"glx6on\":[\"Forgot your password?\"],\"nLC6tu\":[\"French\"],\"tSA0hO\":[\"Generate insights from your conversations\"],\"QqIxfi\":[\"Generate secret\"],\"tM4cbZ\":[\"Generate structured meeting notes based on the following discussion points provided in the context.\"],\"gitFA/\":[\"Generate Summary\"],\"kzY+nd\":[\"Generating the summary. Please wait...\"],\"DDcvSo\":[\"German\"],\"u9yLe/\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"participant.refine.go.deeper.description\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"TAXdgS\":[\"Give me a list of 5-10 topics that are being discussed.\"],\"CKyk7Q\":[\"Go back\"],\"participant.concrete.artefact.action.button.go.back\":[\"Go back\"],\"IL8LH3\":[\"Go deeper\"],\"participant.refine.go.deeper\":[\"Go deeper\"],\"iWpEwy\":[\"Go home\"],\"A3oCMz\":[\"Go to new conversation\"],\"5gqNQl\":[\"Grid view\"],\"ZqBGoi\":[\"Has verified artifacts\"],\"ng2Unt\":[\"Hi, \",[\"0\"]],\"D+zLDD\":[\"Hidden\"],\"G1UUQY\":[\"Hidden gem\"],\"LqWHk1\":[\"Hide \",[\"0\"]],\"u5xmYC\":[\"Hide all\"],\"txCbc+\":[\"Hide all insights\"],\"0lRdEo\":[\"Hide Conversations Without Content\"],\"eHo/Jc\":[\"Hide data\"],\"g4tIdF\":[\"Hide revision data\"],\"i0qMbr\":[\"Home\"],\"LSCWlh\":[\"How would you describe to a colleague what are you trying to accomplish with this project?\\n* What is the north star goal or key metric\\n* What does success look like\"],\"participant.button.i.understand\":[\"I understand\"],\"WsoNdK\":[\"Identify and analyze the recurring themes in this content. Please:\\n\\nExtract patterns that appear consistently across multiple sources\\nLook for underlying principles that connect different ideas\\nIdentify themes that challenge conventional thinking\\nStructure the analysis to show how themes evolve or repeat\\nFocus on insights that reveal deeper organizational or conceptual patterns\\nMaintain analytical depth while being accessible\\nHighlight themes that could inform future decision-making\\n\\nNote: If the content lacks sufficient thematic consistency, let me know we need more diverse material to identify meaningful patterns.\"],\"KbXMDK\":[\"Identify recurring themes, topics, and arguments that appear consistently across conversations. Analyze their frequency, intensity, and consistency. Expected output: 3-7 aspects for small datasets, 5-12 for medium datasets, 8-15 for large datasets. Processing guidance: Focus on distinct patterns that emerge across multiple conversations.\"],\"participant.concrete.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"QJUjB0\":[\"In order to better navigate through the quotes, create additional views. The quotes will then be clustered based on your view.\"],\"IJUcvx\":[\"In the meantime, if you want to analyze the conversations that are still processing, you can use the Chat feature\"],\"aOhF9L\":[\"Include portal link in report\"],\"Dvf4+M\":[\"Include timestamps\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Insight Library\"],\"ZVY8fB\":[\"Insight not found\"],\"sJa5f4\":[\"insights\"],\"3hJypY\":[\"Insights\"],\"crUYYp\":[\"Invalid code. Please request a new one.\"],\"jLr8VJ\":[\"Invalid credentials.\"],\"aZ3JOU\":[\"Invalid token. Please try again.\"],\"1xMiTU\":[\"IP Address\"],\"participant.conversation.error.deleted\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"zT7nbS\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"library.not.available.message\":[\"It looks like the library is not available for your account. Please request access to unlock this feature.\"],\"participant.concrete.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"MbKzYA\":[\"It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly.\"],\"clXffu\":[\"Join \",[\"0\"],\" on Dembrane\"],\"uocCon\":[\"Just a moment\"],\"OSBXx5\":[\"Just now\"],\"0ohX1R\":[\"Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account.\"],\"vXIe7J\":[\"Language\"],\"UXBCwc\":[\"Last Name\"],\"0K/D0Q\":[\"Last saved \",[\"0\"]],\"K7P0jz\":[\"Last Updated\"],\"PIhnIP\":[\"Let us know!\"],\"qhQjFF\":[\"Let's Make Sure We Can Hear You\"],\"exYcTF\":[\"Library\"],\"library.title\":[\"Library\"],\"T50lwc\":[\"Library creation is in progress\"],\"yUQgLY\":[\"Library is currently being processed\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn Post (Experimental)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live audio level:\"],\"TkFXaN\":[\"Live audio level:\"],\"n9yU9X\":[\"Live Preview\"],\"participant.concrete.instructions.loading\":[\"Loading\"],\"yQE2r9\":[\"Loading\"],\"yQ9yN3\":[\"Loading actions...\"],\"participant.concrete.loading.artefact\":[\"Loading artefact\"],\"JOvnq+\":[\"Loading audit logs…\"],\"y+JWgj\":[\"Loading collections...\"],\"ATTcN8\":[\"Loading concrete topics…\"],\"FUK4WT\":[\"Loading microphones...\"],\"H+bnrh\":[\"Loading transcript...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"loading...\"],\"Z3FXyt\":[\"Loading...\"],\"Pwqkdw\":[\"Loading…\"],\"z0t9bb\":[\"Login\"],\"zfB1KW\":[\"Login | Dembrane\"],\"Wd2LTk\":[\"Login as an existing user\"],\"nOhz3x\":[\"Logout\"],\"jWXlkr\":[\"Longest First\"],\"dashboard.dembrane.concrete.title\":[\"Make it concrete\"],\"participant.refine.make.concrete\":[\"Make it concrete\"],\"JSxZVX\":[\"Mark all read\"],\"+s1J8k\":[\"Mark as read\"],\"VxyuRJ\":[\"Meeting Notes\"],\"08d+3x\":[\"Messages from \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Microphone access is still denied. Please check your settings and try again.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Mode\"],\"zMx0gF\":[\"More templates\"],\"QWdKwH\":[\"Move\"],\"CyKTz9\":[\"Move Conversation\"],\"wUTBdx\":[\"Move to Another Project\"],\"Ksvwy+\":[\"Move to Project\"],\"6YtxFj\":[\"Name\"],\"e3/ja4\":[\"Name A-Z\"],\"c5Xt89\":[\"Name Z-A\"],\"isRobC\":[\"New\"],\"Wmq4bZ\":[\"New Conversation Name\"],\"library.new.conversations\":[\"New conversations have been added since the creation of the library. Create a new view to add these to the analysis.\"],\"P/+jkp\":[\"New conversations have been added since the library was generated. Regenerate the library to process them.\"],\"7vhWI8\":[\"New Password\"],\"+VXUp8\":[\"New Project\"],\"+RfVvh\":[\"Newest First\"],\"participant.button.next\":[\"Next\"],\"participant.ready.to.begin.button.text\":[\"Next\"],\"participant.concrete.selection.button.next\":[\"Next\"],\"participant.concrete.instructions.button.next\":[\"Next\"],\"hXzOVo\":[\"Next\"],\"participant.button.finish.no.text.mode\":[\"No\"],\"riwuXX\":[\"No actions found\"],\"WsI5bo\":[\"No announcements available\"],\"Em+3Ls\":[\"No audit logs match the current filters.\"],\"project.sidebar.chat.empty.description\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"YM6Wft\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"Qqhl3R\":[\"No collections found\"],\"zMt5AM\":[\"No concrete topics available.\"],\"zsslJv\":[\"No content\"],\"1pZsdx\":[\"No conversations available to create library\"],\"library.no.conversations\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"zM3DDm\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"EtMtH/\":[\"No conversations found.\"],\"BuikQT\":[\"No conversations found. Start a conversation using the participation invite link from the <0><1>project overview.\"],\"meAa31\":[\"No conversations yet\"],\"VInleh\":[\"No insights available. Generate insights for this conversation by visiting<0><1> the project library.\"],\"yTx6Up\":[\"No key terms or proper nouns have been added yet. Add them using the input above to improve transcript accuracy.\"],\"jfhDAK\":[\"No new feedback detected yet. Please continue your discussion and try again soon.\"],\"T3TyGx\":[\"No projects found \",[\"0\"]],\"y29l+b\":[\"No projects found for search term\"],\"ghhtgM\":[\"No quotes available. Generate quotes for this conversation by visiting\"],\"yalI52\":[\"No quotes available. Generate quotes for this conversation by visiting<0><1> the project library.\"],\"ctlSnm\":[\"No report found\"],\"EhV94J\":[\"No resources found.\"],\"Ev2r9A\":[\"No results\"],\"WRRjA9\":[\"No tags found\"],\"LcBe0w\":[\"No tags have been added to this project yet. Add a tag using the text input above to get started.\"],\"bhqKwO\":[\"No Transcript Available\"],\"TmTivZ\":[\"No transcript available for this conversation.\"],\"vq+6l+\":[\"No transcript exists for this conversation yet. Please check back later.\"],\"MPZkyF\":[\"No transcripts are selected for this chat\"],\"AotzsU\":[\"No tutorial (only Privacy statements)\"],\"OdkUBk\":[\"No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"No verification topics are configured for this project.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Not available\"],\"cH5kXP\":[\"Now\"],\"9+6THi\":[\"Oldest First\"],\"participant.concrete.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.concrete.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"conversation.ongoing\":[\"Ongoing\"],\"J6n7sl\":[\"Ongoing\"],\"uTmEDj\":[\"Ongoing Conversations\"],\"QvvnWK\":[\"Only the \",[\"0\"],\" finished \",[\"1\"],\" will be included in the report right now. \"],\"participant.alert.microphone.access.failure\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"J17dTs\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"1TNIig\":[\"Open\"],\"NRLF9V\":[\"Open Documentation\"],\"2CyWv2\":[\"Open for Participation?\"],\"participant.button.open.troubleshooting.guide\":[\"Open troubleshooting guide\"],\"7yrRHk\":[\"Open troubleshooting guide\"],\"Hak8r6\":[\"Open your authenticator app and enter the current six-digit code.\"],\"0zpgxV\":[\"Options\"],\"6/dCYd\":[\"Overview\"],\"/fAXQQ\":[\"Overview - Themes & patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Page Content\"],\"8F1i42\":[\"Page not found\"],\"6+Py7/\":[\"Page Title\"],\"v8fxDX\":[\"Participant\"],\"Uc9fP1\":[\"Participant Features\"],\"y4n1fB\":[\"Participants will be able to select tags when creating conversations\"],\"8ZsakT\":[\"Password\"],\"w3/J5c\":[\"Password protect portal (request feature)\"],\"lpIMne\":[\"Passwords do not match\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Pause reading\"],\"UbRKMZ\":[\"Pending\"],\"6v5aT9\":[\"Pick the approach that fits your question\"],\"participant.alert.microphone.access\":[\"Please allow microphone access to start the test.\"],\"3flRk2\":[\"Please allow microphone access to start the test.\"],\"SQSc5o\":[\"Please check back later or contact the project owner for more information.\"],\"T8REcf\":[\"Please check your inputs for errors.\"],\"S6iyis\":[\"Please do not close your browser\"],\"n6oAnk\":[\"Please enable participation to enable sharing\"],\"fwrPh4\":[\"Please enter a valid email.\"],\"iMWXJN\":[\"Please keep this screen lit up (black screen = not recording)\"],\"D90h1s\":[\"Please login to continue.\"],\"mUGRqu\":[\"Please provide a concise summary of the following provided in the context.\"],\"ps5D2F\":[\"Please record your response by clicking the \\\"Record\\\" button below. You may also choose to respond in text by clicking the text icon. \\n**Please keep this screen lit up** \\n(black screen = not recording)\"],\"TsuUyf\":[\"Please record your response by clicking the \\\"Start Recording\\\" button below. You may also choose to respond in text by clicking the text icon.\"],\"4TVnP7\":[\"Please select a language for your report\"],\"N63lmJ\":[\"Please select a language for your updated report\"],\"XvD4FK\":[\"Please select at least one source\"],\"hxTGLS\":[\"Please select conversations from the sidebar to proceed\"],\"GXZvZ7\":[\"Please wait \",[\"timeStr\"],\" before requesting another echo.\"],\"Am5V3+\":[\"Please wait \",[\"timeStr\"],\" before requesting another Echo.\"],\"CE1Qet\":[\"Please wait \",[\"timeStr\"],\" before requesting another ECHO.\"],\"Fx1kHS\":[\"Please wait \",[\"timeStr\"],\" before requesting another reply.\"],\"MgJuP2\":[\"Please wait while we generate your report. You will automatically be redirected to the report page.\"],\"library.processing.request\":[\"Please wait while we process your request. You requested to create the library on \",[\"0\"]],\"04DMtb\":[\"Please wait while we process your retranscription request. You will be redirected to the new conversation when ready.\"],\"ei5r44\":[\"Please wait while we update your report. You will automatically be redirected to the report page.\"],\"j5KznP\":[\"Please wait while we verify your email address.\"],\"uRFMMc\":[\"Portal Content\"],\"qVypVJ\":[\"Portal Editor\"],\"g2UNkE\":[\"Powered by\"],\"MPWj35\":[\"Preparing your conversations... This may take a moment.\"],\"/SM3Ws\":[\"Preparing your experience\"],\"ANWB5x\":[\"Print this report\"],\"zwqetg\":[\"Privacy Statements\"],\"qAGp2O\":[\"Proceed\"],\"stk3Hv\":[\"processing\"],\"vrnnn9\":[\"Processing\"],\"kvs/6G\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat.\"],\"q11K6L\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat. Last Known Status: \",[\"0\"]],\"NQiPr4\":[\"Processing Transcript\"],\"48px15\":[\"Processing your report...\"],\"gzGDMM\":[\"Processing your retranscription request...\"],\"Hie0VV\":[\"Project Created\"],\"xJMpjP\":[\"Project Library | Dembrane\"],\"OyIC0Q\":[\"Project name\"],\"6Z2q2Y\":[\"Project name must be at least 4 characters long\"],\"n7JQEk\":[\"Project not found\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Project Overview | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Project Settings\"],\"+0B+ue\":[\"Projects\"],\"Eb7xM7\":[\"Projects | Dembrane\"],\"JQVviE\":[\"Projects Home\"],\"nyEOdh\":[\"Provide an overview of the main topics and recurring themes\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publish\"],\"u3wRF+\":[\"Published\"],\"E7YTYP\":[\"Pull out the most impactful quotes from this session\"],\"eWLklq\":[\"Quotes\"],\"wZxwNu\":[\"Read aloud\"],\"participant.ready.to.begin\":[\"Ready to Begin?\"],\"ZKOO0I\":[\"Ready to Begin?\"],\"hpnYpo\":[\"Recommended apps\"],\"participant.button.record\":[\"Record\"],\"w80YWM\":[\"Record\"],\"s4Sz7r\":[\"Record another conversation\"],\"participant.modal.pause.title\":[\"Recording Paused\"],\"view.recreate.tooltip\":[\"Recreate View\"],\"view.recreate.modal.title\":[\"Recreate View\"],\"CqnkB0\":[\"Recurring Themes\"],\"9aloPG\":[\"References\"],\"participant.button.refine\":[\"Refine\"],\"lCF0wC\":[\"Refresh\"],\"ZMXpAp\":[\"Refresh audit logs\"],\"844H5I\":[\"Regenerate Library\"],\"bluvj0\":[\"Regenerate Summary\"],\"participant.concrete.regenerating.artefact\":[\"Regenerating the artefact\"],\"oYlYU+\":[\"Regenerating the summary. Please wait...\"],\"wYz80B\":[\"Register | Dembrane\"],\"w3qEvq\":[\"Register as a new user\"],\"7dZnmw\":[\"Relevance\"],\"participant.button.reload.page.text.mode\":[\"Reload Page\"],\"participant.button.reload\":[\"Reload Page\"],\"participant.concrete.artefact.action.button.reload\":[\"Reload Page\"],\"hTDMBB\":[\"Reload Page\"],\"Kl7//J\":[\"Remove Email\"],\"cILfnJ\":[\"Remove file\"],\"CJgPtd\":[\"Remove from this chat\"],\"project.sidebar.chat.rename\":[\"Rename\"],\"2wxgft\":[\"Rename\"],\"XyN13i\":[\"Reply Prompt\"],\"gjpdaf\":[\"Report\"],\"Q3LOVJ\":[\"Report an issue\"],\"DUmD+q\":[\"Report Created - \",[\"0\"]],\"KFQLa2\":[\"Report generation is currently in beta and limited to projects with fewer than 10 hours of recording.\"],\"hIQOLx\":[\"Report Notifications\"],\"lNo4U2\":[\"Report Updated - \",[\"0\"]],\"library.request.access\":[\"Request Access\"],\"uLZGK+\":[\"Request Access\"],\"dglEEO\":[\"Request Password Reset\"],\"u2Hh+Y\":[\"Request Password Reset | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Requesting microphone access to detect available devices...\"],\"MepchF\":[\"Requesting microphone access to detect available devices...\"],\"xeMrqw\":[\"Reset All Options\"],\"KbS2K9\":[\"Reset Password\"],\"UMMxwo\":[\"Reset Password | Dembrane\"],\"L+rMC9\":[\"Reset to default\"],\"s+MGs7\":[\"Resources\"],\"participant.button.stop.resume\":[\"Resume\"],\"v39wLo\":[\"Resume\"],\"sVzC0H\":[\"Retranscribe\"],\"ehyRtB\":[\"Retranscribe conversation\"],\"1JHQpP\":[\"Retranscribe Conversation\"],\"MXwASV\":[\"Retranscription started. New conversation will be available soon.\"],\"6gRgw8\":[\"Retry\"],\"H1Pyjd\":[\"Retry Upload\"],\"9VUzX4\":[\"Review activity for your workspace. Filter by collection or action, and export the current view for further investigation.\"],\"UZVWVb\":[\"Review files before uploading\"],\"3lYF/Z\":[\"Review processing status for every conversation collected in this project.\"],\"participant.concrete.action.button.revise\":[\"Revise\"],\"OG3mVO\":[\"Revision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Rows per page\"],\"participant.concrete.action.button.save\":[\"Save\"],\"tfDRzk\":[\"Save\"],\"2VA/7X\":[\"Save Error!\"],\"XvjC4F\":[\"Saving...\"],\"nHeO/c\":[\"Scan the QR code or copy the secret into your app.\"],\"oOi11l\":[\"Scroll to bottom\"],\"A1taO8\":[\"Search\"],\"OWm+8o\":[\"Search conversations\"],\"blFttG\":[\"Search projects\"],\"I0hU01\":[\"Search Projects\"],\"RVZJWQ\":[\"Search projects...\"],\"lnWve4\":[\"Search tags\"],\"pECIKL\":[\"Search templates...\"],\"uSvNyU\":[\"Searched through the most relevant sources\"],\"Wj2qJm\":[\"Searching through the most relevant sources\"],\"Y1y+VB\":[\"Secret copied\"],\"Eyh9/O\":[\"See conversation status details\"],\"0sQPzI\":[\"See you soon\"],\"1ZTiaz\":[\"Segments\"],\"H/diq7\":[\"Select a microphone\"],\"NK2YNj\":[\"Select Audio Files to Upload\"],\"/3ntVG\":[\"Select conversations and find exact quotes\"],\"LyHz7Q\":[\"Select conversations from sidebar\"],\"n4rh8x\":[\"Select Project\"],\"ekUnNJ\":[\"Select tags\"],\"CG1cTZ\":[\"Select the instructions that will be shown to participants when they start a conversation\"],\"qxzrcD\":[\"Select the type of feedback or engagement you want to encourage.\"],\"QdpRMY\":[\"Select tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Select which topics participants can use for \\\"Make it concrete\\\".\"],\"participant.select.microphone\":[\"Select your microphone:\"],\"vKH1Ye\":[\"Select your microphone:\"],\"gU5H9I\":[\"Selected Files (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Selected microphone:\"],\"JlFcis\":[\"Send\"],\"VTmyvi\":[\"Sentiment\"],\"NprC8U\":[\"Session Name\"],\"DMl1JW\":[\"Setting up your first project\"],\"Tz0i8g\":[\"Settings\"],\"participant.settings.modal.title\":[\"Settings\"],\"PErdpz\":[\"Settings | Dembrane\"],\"Z8lGw6\":[\"Share\"],\"/XNQag\":[\"Share this report\"],\"oX3zgA\":[\"Share your details here\"],\"Dc7GM4\":[\"Share your voice\"],\"swzLuF\":[\"Share your voice by scanning the QR code below.\"],\"+tz9Ky\":[\"Shortest First\"],\"h8lzfw\":[\"Show \",[\"0\"]],\"lZw9AX\":[\"Show all\"],\"w1eody\":[\"Show audio player\"],\"pzaNzD\":[\"Show data\"],\"yrhNQG\":[\"Show duration\"],\"Qc9KX+\":[\"Show IP addresses\"],\"6lGV3K\":[\"Show less\"],\"fMPkxb\":[\"Show more\"],\"3bGwZS\":[\"Show references\"],\"OV2iSn\":[\"Show revision data\"],\"3Sg56r\":[\"Show timeline in report (request feature)\"],\"DLEIpN\":[\"Show timestamps (experimental)\"],\"Tqzrjk\":[\"Showing \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" of \",[\"totalItems\"],\" entries\"],\"dbWo0h\":[\"Sign in with Google\"],\"participant.mic.check.button.skip\":[\"Skip\"],\"6Uau97\":[\"Skip\"],\"lH0eLz\":[\"Skip data privacy slide (Host manages consent)\"],\"b6NHjr\":[\"Skip data privacy slide (Host manages legal base)\"],\"4Q9po3\":[\"Some conversations are still being processed. Auto-select will work optimally once audio processing is complete.\"],\"q+pJ6c\":[\"Some files were already selected and won't be added twice.\"],\"nwtY4N\":[\"Something went wrong\"],\"participant.conversation.error.text.mode\":[\"Something went wrong\"],\"participant.conversation.error\":[\"Something went wrong\"],\"avSWtK\":[\"Something went wrong while exporting audit logs.\"],\"q9A2tm\":[\"Something went wrong while generating the secret.\"],\"JOKTb4\":[\"Something went wrong while uploading the file: \",[\"0\"]],\"KeOwCj\":[\"Something went wrong with the conversation. Please try refreshing the page or contact support if the issue persists\"],\"participant.go.deeper.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>Go deeper button, or contact support if the issue continues.\"],\"fWsBTs\":[\"Something went wrong. Please try again.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"f6Hub0\":[\"Sort\"],\"/AhHDE\":[\"Source \",[\"0\"]],\"u7yVRn\":[\"Sources:\"],\"65A04M\":[\"Spanish\"],\"zuoIYL\":[\"Speaker\"],\"z5/5iO\":[\"Specific Context\"],\"mORM2E\":[\"Specific Details\"],\"Etejcu\":[\"Specific Details - Selected conversations\"],\"participant.button.start.new.conversation.text.mode\":[\"Start New Conversation\"],\"participant.button.start.new.conversation\":[\"Start New Conversation\"],\"c6FrMu\":[\"Start New Conversation\"],\"i88wdJ\":[\"Start over\"],\"pHVkqA\":[\"Start Recording\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stop\"],\"participant.button.stop\":[\"Stop\"],\"kimwwT\":[\"Strategic Planning\"],\"hQRttt\":[\"Submit\"],\"participant.button.submit.text.mode\":[\"Submit\"],\"0Pd4R1\":[\"Submitted via text input\"],\"zzDlyQ\":[\"Success\"],\"bh1eKt\":[\"Suggested:\"],\"F1nkJm\":[\"Summarize\"],\"4ZpfGe\":[\"Summarize key insights from my interviews\"],\"5Y4tAB\":[\"Summarize this interview into a shareable article\"],\"dXoieq\":[\"Summary\"],\"g6o+7L\":[\"Summary generated successfully.\"],\"kiOob5\":[\"Summary not available yet\"],\"OUi+O3\":[\"Summary regenerated successfully.\"],\"Pqa6KW\":[\"Summary will be available once the conversation is transcribed\"],\"6ZHOF8\":[\"Supported formats: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Switch to text input\"],\"D+NlUC\":[\"System\"],\"OYHzN1\":[\"Tags\"],\"nlxlmH\":[\"Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation.\"],\"eyu39U\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"participant.refine.make.concrete.description\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"QCchuT\":[\"Template applied\"],\"iTylMl\":[\"Templates\"],\"xeiujy\":[\"Text\"],\"CPN34F\":[\"Thank you for participating!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Thank You Page Content\"],\"5KEkUQ\":[\"Thank you! We'll notify you when the report is ready.\"],\"2yHHa6\":[\"That code didn't work. Try again with a fresh code from your authenticator app.\"],\"TQCE79\":[\"The code didn't work, please try again.\"],\"participant.conversation.error.loading.text.mode\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"participant.conversation.error.loading\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"nO942E\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"Jo19Pu\":[\"The following conversations were automatically added to the context\"],\"Lngj9Y\":[\"The Portal is the website that loads when participants scan the QR code.\"],\"bWqoQ6\":[\"the project library.\"],\"hTCMdd\":[\"The summary is being generated. Please wait for it to be available.\"],\"+AT8nl\":[\"The summary is being regenerated. Please wait for it to be available.\"],\"iV8+33\":[\"The summary is being regenerated. Please wait for the new summary to be available.\"],\"AgC2rn\":[\"The summary is being regenerated. Please wait upto 2 minutes for the new summary to be available.\"],\"PTNxDe\":[\"The transcript for this conversation is being processed. Please check back later.\"],\"FEr96N\":[\"Theme\"],\"T8rsM6\":[\"There was an error cloning your project. Please try again or contact support.\"],\"JDFjCg\":[\"There was an error creating your report. Please try again or contact support.\"],\"e3JUb8\":[\"There was an error generating your report. In the meantime, you can analyze all your data using the library or select specific conversations to chat with.\"],\"7qENSx\":[\"There was an error updating your report. Please try again or contact support.\"],\"V7zEnY\":[\"There was an error verifying your email. Please try again.\"],\"gtlVJt\":[\"These are some helpful preset templates to get you started.\"],\"sd848K\":[\"These are your default view templates. Once you create your library these will be your first two views.\"],\"8xYB4s\":[\"These default view templates will be generated when you create your first library.\"],\"Ed99mE\":[\"Thinking...\"],\"conversation.linked_conversations.description\":[\"This conversation has the following copies:\"],\"conversation.linking_conversations.description\":[\"This conversation is a copy of\"],\"dt1MDy\":[\"This conversation is still being processed. It will be available for analysis and chat shortly.\"],\"5ZpZXq\":[\"This conversation is still being processed. It will be available for analysis and chat shortly. \"],\"SzU1mG\":[\"This email is already in the list.\"],\"JtPxD5\":[\"This email is already subscribed to notifications.\"],\"participant.modal.refine.info.available.in\":[\"This feature will be available in \",[\"remainingTime\"],\" seconds.\"],\"QR7hjh\":[\"This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes.\"],\"library.description\":[\"This is your project library. Create views to analyse your entire project at once.\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"This is your project library. Currently,\",[\"0\"],\" conversations are waiting to be processed.\"],\"tJL2Lh\":[\"This language will be used for the Participant's Portal and transcription.\"],\"BAUPL8\":[\"This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"This language will be used for the Participant's Portal.\"],\"9ww6ML\":[\"This page is shown after the participant has completed the conversation.\"],\"1gmHmj\":[\"This page is shown to participants when they start a conversation after they successfully complete the tutorial.\"],\"bEbdFh\":[\"This project library was generated on\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage.\"],\"Yig29e\":[\"This report is not yet available. \"],\"GQTpnY\":[\"This report was opened by \",[\"0\"],\" people\"],\"okY/ix\":[\"This summary is AI-generated and brief, for thorough analysis, use the Chat or Library.\"],\"hwyBn8\":[\"This title is shown to participants when they start a conversation\"],\"Dj5ai3\":[\"This will clear your current input. Are you sure?\"],\"NrRH+W\":[\"This will create a copy of the current project. Only settings and tags are copied. Reports, chats and conversations are not included in the clone. You will be redirected to the new project after cloning.\"],\"hsNXnX\":[\"This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged.\"],\"participant.concrete.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.concrete.loading.artefact.description\":[\"This will just take a moment\"],\"n4l4/n\":[\"This will replace personally identifiable information with .\"],\"Ww6cQ8\":[\"Time Created\"],\"8TMaZI\":[\"Timestamp\"],\"rm2Cxd\":[\"Tip\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"To assign a new tag, please create it first in the project overview.\"],\"o3rowT\":[\"To generate a report, please start by adding conversations in your project\"],\"sFMBP5\":[\"Topics\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcribing...\"],\"DDziIo\":[\"Transcript\"],\"hfpzKV\":[\"Transcript copied to clipboard\"],\"AJc6ig\":[\"Transcript not available\"],\"N/50DC\":[\"Transcript Settings\"],\"FRje2T\":[\"Transcription in progress...\"],\"0l9syB\":[\"Transcription in progress…\"],\"H3fItl\":[\"Transform these transcripts into a LinkedIn post that cuts through the noise. Please:\\n\\nExtract the most compelling insights - skip anything that sounds like standard business advice\\nWrite it like a seasoned leader who challenges conventional wisdom, not a motivational poster\\nFind one genuinely unexpected observation that would make even experienced professionals pause\\nMaintain intellectual depth while being refreshingly direct\\nOnly use data points that actually challenge assumptions\\nKeep formatting clean and professional (minimal emojis, thoughtful spacing)\\nStrike a tone that suggests both deep expertise and real-world experience\\n\\nNote: If the content doesn't contain any substantive insights, please let me know we need stronger source material. I'm looking to contribute real value to the conversation, not add to the noise.\"],\"53dSNP\":[\"Transform this content into insights that actually matter. Please:\\n\\nExtract core ideas that challenge standard thinking\\nWrite like someone who understands nuance, not a textbook\\nFocus on the non-obvious implications\\nKeep it sharp and substantive\\nOnly highlight truly meaningful patterns\\nStructure for clarity and impact\\nBalance depth with accessibility\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"uK9JLu\":[\"Transform this discussion into actionable intelligence. Please:\\n\\nCapture the strategic implications, not just talking points\\nStructure it like a thought leader's analysis, not minutes\\nHighlight decision points that challenge standard thinking\\nKeep the signal-to-noise ratio high\\nFocus on insights that drive real change\\nOrganize for clarity and future reference\\nBalance tactical details with strategic vision\\n\\nNote: If the discussion lacks substantial decision points or insights, flag it for deeper exploration next time.\"],\"qJb6G2\":[\"Try Again\"],\"eP1iDc\":[\"Try asking\"],\"goQEqo\":[\"Try moving a bit closer to your microphone for better sound quality.\"],\"EIU345\":[\"Two-factor authentication\"],\"NwChk2\":[\"Two-factor authentication disabled\"],\"qwpE/S\":[\"Two-factor authentication enabled\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Type a message...\"],\"EvmL3X\":[\"Type your response here\"],\"participant.concrete.artefact.error.title\":[\"Unable to Load Artefact\"],\"MksxNf\":[\"Unable to load audit logs.\"],\"8vqTzl\":[\"Unable to load the generated artefact. Please try again.\"],\"nGxDbq\":[\"Unable to process this chunk\"],\"9uI/rE\":[\"Undo\"],\"Ef7StM\":[\"Unknown\"],\"H899Z+\":[\"unread announcement\"],\"0pinHa\":[\"unread announcements\"],\"sCTlv5\":[\"Unsaved changes\"],\"SMaFdc\":[\"Unsubscribe\"],\"jlrVDp\":[\"Untitled Conversation\"],\"EkH9pt\":[\"Update\"],\"3RboBp\":[\"Update Report\"],\"4loE8L\":[\"Update the report to include the latest data\"],\"Jv5s94\":[\"Update your report to include the latest changes in your project. The link to share the report would remain the same.\"],\"kwkhPe\":[\"Upgrade\"],\"UkyAtj\":[\"Upgrade to unlock Auto-select and analyze 10x more conversations in half the time—no more manual selection, just deeper insights instantly.\"],\"ONWvwQ\":[\"Upload\"],\"8XD6tj\":[\"Upload Audio\"],\"kV3A2a\":[\"Upload Complete\"],\"4Fr6DA\":[\"Upload conversations\"],\"pZq3aX\":[\"Upload failed. Please try again.\"],\"HAKBY9\":[\"Upload Files\"],\"Wft2yh\":[\"Upload in progress\"],\"JveaeL\":[\"Upload resources\"],\"3wG7HI\":[\"Uploaded\"],\"k/LaWp\":[\"Uploading Audio Files...\"],\"VdaKZe\":[\"Use experimental features\"],\"rmMdgZ\":[\"Use PII Redaction\"],\"ngdRFH\":[\"Use Shift + Enter to add a new line\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verified\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verified artifacts\"],\"4LFZoj\":[\"Verify code\"],\"jpctdh\":[\"View\"],\"+fxiY8\":[\"View conversation details\"],\"H1e6Hv\":[\"View Conversation Status\"],\"SZw9tS\":[\"View Details\"],\"D4e7re\":[\"View your responses\"],\"tzEbkt\":[\"Wait \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Want to add a template to \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Want to add a template to ECHO?\"],\"r6y+jM\":[\"Warning\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"SrJOPD\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"Ul0g2u\":[\"We couldn’t disable two-factor authentication. Try again with a fresh code.\"],\"sM2pBB\":[\"We couldn’t enable two-factor authentication. Double-check your code and try again.\"],\"Ewk6kb\":[\"We couldn't load the audio. Please try again later.\"],\"xMeAeQ\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder.\"],\"9qYWL7\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact evelien@dembrane.com\"],\"3fS27S\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"We need a bit more context to help you refine effectively. Please continue recording so we can provide better suggestions.\"],\"dni8nq\":[\"We will only send you a message if your host generates a report, we never share your details with anyone. You can opt out at any time.\"],\"participant.test.microphone.description\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"tQtKw5\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"+eLc52\":[\"We’re picking up some silence. Try speaking up so your voice comes through clearly.\"],\"6jfS51\":[\"Welcome\"],\"9eF5oV\":[\"Welcome back\"],\"i1hzzO\":[\"Welcome to Big Picture Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Details mode.\"],\"fwEAk/\":[\"Welcome to Dembrane Chat! Use the sidebar to select resources and conversations that you want to analyse. Then, you can ask questions about the selected resources and conversations.\"],\"AKBU2w\":[\"Welcome to Dembrane!\"],\"TACmoL\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Deep Dive mode.\"],\"u4aLOz\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Context mode.\"],\"Bck6Du\":[\"Welcome to Reports!\"],\"aEpQkt\":[\"Welcome to Your Home! Here you can see all your projects and get access to tutorial resources. Currently, you have no projects. Click \\\"Create\\\" to configure to get started!\"],\"klH6ct\":[\"Welcome!\"],\"Tfxjl5\":[\"What are the main themes across all conversations?\"],\"participant.concrete.selection.title\":[\"What do you want to make concrete?\"],\"fyMvis\":[\"What patterns emerge from the data?\"],\"qGrqH9\":[\"What were the key moments in this conversation?\"],\"FXZcgH\":[\"What would you like to explore?\"],\"KcnIXL\":[\"will be included in your report\"],\"participant.button.finish.yes.text.mode\":[\"Yes\"],\"kWJmRL\":[\"You\"],\"Dl7lP/\":[\"You are already unsubscribed or your link is invalid.\"],\"E71LBI\":[\"You can only upload up to \",[\"MAX_FILES\"],\" files at a time. Only the first \",[\"0\"],\" files will be added.\"],\"tbeb1Y\":[\"You can still use the Ask feature to chat with any conversation\"],\"participant.modal.change.mic.confirmation.text\":[\"You have changed the mic. Doing this will save your audio till this point and restart your recording.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"You have successfully unsubscribed.\"],\"lTDtES\":[\"You may also choose to record another conversation.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"You must login with the same provider you used to sign up. If you face any issues, please contact support.\"],\"snMcrk\":[\"You seem to be offline, please check your internet connection\"],\"participant.concrete.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to make them concrete.\"],\"participant.concrete.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"Pw2f/0\":[\"Your conversation is currently being transcribed. Please check back in a few moments.\"],\"OFDbfd\":[\"Your Conversations\"],\"aZHXuZ\":[\"Your inputs will be saved automatically.\"],\"PUWgP9\":[\"Your library is empty. Create a library to see your first insights.\"],\"B+9EHO\":[\"Your response has been recorded. You may now close this tab.\"],\"wurHZF\":[\"Your responses\"],\"B8Q/i2\":[\"Your view has been created. Please wait as we process and analyse the data.\"],\"library.views.title\":[\"Your Views\"],\"lZNgiw\":[\"Your Views\"]}")as Messages; \ No newline at end of file +/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"You are not authenticated\"],\"You don't have permission to access this.\":[\"You don't have permission to access this.\"],\"Resource not found\":[\"Resource not found\"],\"Server error\":[\"Server error\"],\"Something went wrong\":[\"Something went wrong\"],\"We're preparing your workspace.\":[\"We're preparing your workspace.\"],\"Preparing your dashboard\":[\"Preparing your dashboard\"],\"Welcome back\":[\"Welcome back\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"Beta\"],\"participant.button.go.deeper\":[\"Go deeper\"],\"participant.button.make.concrete\":[\"Make it concrete\"],\"library.generate.duration.message\":[\" Generating library can take up to an hour.\"],\"uDvV8j\":[\" Submit\"],\"aMNEbK\":[\" Unsubscribe from Notifications\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.concrete\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refine\\\" available soon\"],\"2NWk7n\":[\"(for enhanced audio processing)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" ready\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Edited \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" selected\"],\"P1pDS8\":[[\"diffInDays\"],\"d ago\"],\"bT6AxW\":[[\"diffInHours\"],\"h ago\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Currently \",\"#\",\" conversation is ready to be analyzed.\"],\"other\":[\"Currently \",\"#\",\" conversations are ready to be analyzed.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"TVD5At\":[[\"readingNow\"],\" reading now\"],\"U7Iesw\":[[\"seconds\"],\" seconds\"],\"library.conversations.still.processing\":[[\"unfinishedConversationsCount\"],\" still processing.\"],\"ZpJ0wx\":[\"*Transcription in progress.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wait \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Account password\"],\"L5gswt\":[\"Action By\"],\"UQXw0W\":[\"Action On\"],\"7L01XJ\":[\"Actions\"],\"m16xKo\":[\"Add\"],\"1m+3Z3\":[\"Add additional context (Optional)\"],\"Se1KZw\":[\"Add all that apply\"],\"1xDwr8\":[\"Add key terms or proper nouns to improve transcript quality and accuracy.\"],\"ndpRPm\":[\"Add new recordings to this project. Files you upload here will be processed and appear in conversations.\"],\"Ralayn\":[\"Add Tag\"],\"IKoyMv\":[\"Add Tags\"],\"NffMsn\":[\"Add to this chat\"],\"Na90E+\":[\"Added emails\"],\"SJCAsQ\":[\"Adding Context:\"],\"OaKXud\":[\"Advanced (Tips and best practices)\"],\"TBpbDp\":[\"Advanced (Tips and tricks)\"],\"JiIKww\":[\"Advanced Settings\"],\"cF7bEt\":[\"All actions\"],\"O1367B\":[\"All collections\"],\"Cmt62w\":[\"All conversations ready\"],\"u/fl/S\":[\"All files were uploaded successfully.\"],\"baQJ1t\":[\"All Insights\"],\"3goDnD\":[\"Allow participants using the link to start new conversations\"],\"bruUug\":[\"Almost there\"],\"H7cfSV\":[\"Already added to this chat\"],\"jIoHDG\":[\"An email notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"G54oFr\":[\"An email Notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"8q/YVi\":[\"An error occurred while loading the Portal. Please contact the support team.\"],\"XyOToQ\":[\"An error occurred.\"],\"QX6zrA\":[\"Analysis\"],\"F4cOH1\":[\"Analysis Language\"],\"1x2m6d\":[\"Analyze these elements with depth and nuance. Please:\\n\\nFocus on unexpected connections and contrasts\\nGo beyond obvious surface-level comparisons\\nIdentify hidden patterns that most analyses miss\\nMaintain analytical rigor while being engaging\\nUse examples that illuminate deeper principles\\nStructure the analysis to build understanding\\nDraw insights that challenge conventional wisdom\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"Dzr23X\":[\"Announcements\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Approve\"],\"conversation.verified.approved\":[\"Approved\"],\"Q5Z2wp\":[\"Are you sure you want to delete this conversation? This action cannot be undone.\"],\"kWiPAC\":[\"Are you sure you want to delete this project?\"],\"YF1Re1\":[\"Are you sure you want to delete this project? This action cannot be undone.\"],\"B8ymes\":[\"Are you sure you want to delete this recording?\"],\"G2gLnJ\":[\"Are you sure you want to delete this tag?\"],\"aUsm4A\":[\"Are you sure you want to delete this tag? This will remove the tag from existing conversations that contain it.\"],\"participant.modal.finish.message.text.mode\":[\"Are you sure you want to finish the conversation?\"],\"xu5cdS\":[\"Are you sure you want to finish?\"],\"sOql0x\":[\"Are you sure you want to generate the library? This will take a while and overwrite your current views and insights.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Are you sure you want to regenerate the summary? You will lose the current summary.\"],\"JHgUuT\":[\"Artefact approved successfully!\"],\"IbpaM+\":[\"Artefact reloaded successfully!\"],\"Qcm/Tb\":[\"Artefact revised successfully!\"],\"uCzCO2\":[\"Artefact updated successfully!\"],\"KYehbE\":[\"artefacts\"],\"jrcxHy\":[\"Artefacts\"],\"F+vBv0\":[\"Ask\"],\"Rjlwvz\":[\"Ask for Name?\"],\"5gQcdD\":[\"Ask participants to provide their name when they start a conversation\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspects\"],\"kskjVK\":[\"Assistant is typing...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"At least one topic must be selected to enable Make it concrete\"],\"DMBYlw\":[\"Audio Processing In Progress\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Audio recordings are scheduled to be deleted after 30 days from the recording date\"],\"IOBCIN\":[\"Audio Tip\"],\"y2W2Hg\":[\"Audit logs\"],\"aL1eBt\":[\"Audit logs exported to CSV\"],\"mS51hl\":[\"Audit logs exported to JSON\"],\"z8CQX2\":[\"Authenticator code\"],\"/iCiQU\":[\"Auto-select\"],\"3D5FPO\":[\"Auto-select disabled\"],\"ajAMbT\":[\"Auto-select enabled\"],\"jEqKwR\":[\"Auto-select sources to add to the chat\"],\"vtUY0q\":[\"Automatically includes relevant conversations for analysis without manual selection\"],\"csDS2L\":[\"Available\"],\"participant.button.back.microphone\":[\"Back\"],\"participant.button.back\":[\"Back\"],\"iH8pgl\":[\"Back\"],\"/9nVLo\":[\"Back to Selection\"],\"wVO5q4\":[\"Basic (Essential tutorial slides)\"],\"epXTwc\":[\"Basic Settings\"],\"GML8s7\":[\"Begin!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture - Themes & patterns\"],\"YgG3yv\":[\"Brainstorm Ideas\"],\"ba5GvN\":[\"By deleting this project, you will delete all the data associated with it. This action cannot be undone. Are you ABSOLUTELY sure you want to delete this project?\"],\"dEgA5A\":[\"Cancel\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Cancel\"],\"participant.concrete.action.button.cancel\":[\"Cancel\"],\"participant.concrete.instructions.button.cancel\":[\"Cancel\"],\"RKD99R\":[\"Cannot add empty conversation\"],\"JFFJDJ\":[\"Changes are saved automatically as you continue to use the app. <0/>Once you have some unsaved changes, you can click anywhere to save the changes. <1/>You will also see a button to Cancel the changes.\"],\"u0IJto\":[\"Changes will be saved automatically\"],\"xF/jsW\":[\"Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Check microphone access\"],\"+e4Yxz\":[\"Check microphone access\"],\"v4fiSg\":[\"Check your email\"],\"pWT04I\":[\"Checking...\"],\"DakUDF\":[\"Choose your preferred theme for the interface\"],\"0ngaDi\":[\"Citing the following sources\"],\"B2pdef\":[\"Click \\\"Upload Files\\\" when you're ready to start the upload process.\"],\"BPrdpc\":[\"Clone project\"],\"9U86tL\":[\"Clone Project\"],\"yz7wBu\":[\"Close\"],\"q+hNag\":[\"Collection\"],\"Wqc3zS\":[\"Compare & Contrast\"],\"jlZul5\":[\"Compare and contrast the following items provided in the context.\"],\"bD8I7O\":[\"Complete\"],\"6jBoE4\":[\"Concrete Topics\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Confirm\"],\"yjkELF\":[\"Confirm New Password\"],\"p2/GCq\":[\"Confirm Password\"],\"puQ8+/\":[\"Confirm Publishing\"],\"L0k594\":[\"Confirm your password to generate a new secret for your authenticator app.\"],\"JhzMcO\":[\"Connecting to report services...\"],\"wX/BfX\":[\"Connection healthy\"],\"WimHuY\":[\"Connection unhealthy\"],\"DFFB2t\":[\"Contact sales\"],\"VlCTbs\":[\"Contact your sales representative to activate this feature today!\"],\"M73whl\":[\"Context\"],\"VHSco4\":[\"Context added:\"],\"participant.button.continue\":[\"Continue\"],\"xGVfLh\":[\"Continue\"],\"F1pfAy\":[\"conversation\"],\"EiHu8M\":[\"Conversation added to chat\"],\"ggJDqH\":[\"Conversation Audio\"],\"participant.conversation.ended\":[\"Conversation Ended\"],\"BsHMTb\":[\"Conversation Ended\"],\"26Wuwb\":[\"Conversation processing\"],\"OtdHFE\":[\"Conversation removed from chat\"],\"zTKMNm\":[\"Conversation Status\"],\"Rdt7Iv\":[\"Conversation Status Details\"],\"a7zH70\":[\"conversations\"],\"EnJuK0\":[\"Conversations\"],\"TQ8ecW\":[\"Conversations from QR Code\"],\"nmB3V3\":[\"Conversations from Upload\"],\"participant.refine.cooling.down\":[\"Cooling down. Available in \",[\"0\"]],\"6V3Ea3\":[\"Copied\"],\"he3ygx\":[\"Copy\"],\"y1eoq1\":[\"Copy link\"],\"Dj+aS5\":[\"Copy link to share this report\"],\"vAkFou\":[\"Copy secret\"],\"v3StFl\":[\"Copy Summary\"],\"/4gGIX\":[\"Copy to clipboard\"],\"rG2gDo\":[\"Copy transcript\"],\"OvEjsP\":[\"Copying...\"],\"hYgDIe\":[\"Create\"],\"CSQPC0\":[\"Create an Account\"],\"library.create\":[\"Create Library\"],\"O671Oh\":[\"Create Library\"],\"library.create.view.modal.title\":[\"Create new view\"],\"vY2Gfm\":[\"Create new view\"],\"bsfMt3\":[\"Create Report\"],\"library.create.view\":[\"Create View\"],\"3D0MXY\":[\"Create View\"],\"45O6zJ\":[\"Created on\"],\"8Tg/JR\":[\"Custom\"],\"o1nIYK\":[\"Custom Filename\"],\"ZQKLI1\":[\"Danger Zone\"],\"ovBPCi\":[\"Default\"],\"ucTqrC\":[\"Default - No tutorial (Only privacy statements)\"],\"project.sidebar.chat.delete\":[\"Delete\"],\"cnGeoo\":[\"Delete\"],\"2DzmAq\":[\"Delete Conversation\"],\"++iDlT\":[\"Delete Project\"],\"+m7PfT\":[\"Deleted successfully\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane is powered by AI. Please double-check responses.\"],\"67znul\":[\"Dembrane Reply\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Develop a strategic framework that drives meaningful outcomes. Please:\\n\\nIdentify core objectives and their interdependencies\\nMap out implementation pathways with realistic timelines\\nAnticipate potential obstacles and mitigation strategies\\nDefine clear metrics for success beyond vanity indicators\\nHighlight resource requirements and allocation priorities\\nStructure the plan for both immediate action and long-term vision\\nInclude decision gates and pivot points\\n\\nNote: Focus on strategies that create sustainable competitive advantages, not just incremental improvements.\"],\"qERl58\":[\"Disable 2FA\"],\"yrMawf\":[\"Disable two-factor authentication\"],\"E/QGRL\":[\"Disabled\"],\"LnL5p2\":[\"Do you want to contribute to this project?\"],\"JeOjN4\":[\"Do you want to stay in the loop?\"],\"TvY/XA\":[\"Documentation\"],\"mzI/c+\":[\"Download\"],\"5YVf7S\":[\"Download all conversation transcripts generated for this project.\"],\"5154Ap\":[\"Download All Transcripts\"],\"8fQs2Z\":[\"Download as\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Download Audio\"],\"+bBcKo\":[\"Download transcript\"],\"5XW2u5\":[\"Download Transcript Options\"],\"hUO5BY\":[\"Drag audio files here or click to select files\"],\"KIjvtr\":[\"Dutch\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo is powered by AI. Please double-check responses.\"],\"o6tfKZ\":[\"ECHO is powered by AI. Please double-check responses.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Edit Conversation\"],\"/8fAkm\":[\"Edit file name\"],\"G2KpGE\":[\"Edit Project\"],\"DdevVt\":[\"Edit Report Content\"],\"0YvCPC\":[\"Edit Resource\"],\"report.editor.description\":[\"Edit the report content using the rich text editor below. You can format text, add links, images, and more.\"],\"F6H6Lg\":[\"Editing mode\"],\"O3oNi5\":[\"Email\"],\"wwiTff\":[\"Email Verification\"],\"Ih5qq/\":[\"Email Verification | Dembrane\"],\"iF3AC2\":[\"Email verified successfully. You will be redirected to the login page in 5 seconds. If you are not redirected, please click <0>here.\"],\"g2N9MJ\":[\"email@work.com\"],\"N2S1rs\":[\"Empty\"],\"DCRKbe\":[\"Enable 2FA\"],\"ycR/52\":[\"Enable Dembrane Echo\"],\"mKGCnZ\":[\"Enable Dembrane ECHO\"],\"Dh2kHP\":[\"Enable Dembrane Reply\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Enable Go deeper\"],\"wGA7d4\":[\"Enable Make it concrete\"],\"G3dSLc\":[\"Enable Report Notifications\"],\"dashboard.dembrane.concrete.description\":[\"Enable this feature to allow participants to create and approve \\\"concrete objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with concrete objects and review them in the overview.\"],\"Idlt6y\":[\"Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed.\"],\"g2qGhy\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Echo\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"pB03mG\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"ECHO\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"dWv3hs\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Get Reply\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"rkE6uN\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Go deeper\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"329BBO\":[\"Enable two-factor authentication\"],\"RxzN1M\":[\"Enabled\"],\"IxzwiB\":[\"End of list • All \",[\"0\"],\" conversations loaded\"],\"lYGfRP\":[\"English\"],\"GboWYL\":[\"Enter a key term or proper noun\"],\"TSHJTb\":[\"Enter a name for the new conversation\"],\"KovX5R\":[\"Enter a name for your cloned project\"],\"34YqUw\":[\"Enter a valid code to turn off two-factor authentication.\"],\"2FPsPl\":[\"Enter filename (without extension)\"],\"vT+QoP\":[\"Enter new name for the chat:\"],\"oIn7d4\":[\"Enter the 6-digit code from your authenticator app.\"],\"q1OmsR\":[\"Enter the current six-digit code from your authenticator app.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Enter your password\"],\"42tLXR\":[\"Enter your query\"],\"SlfejT\":[\"Error\"],\"Ne0Dr1\":[\"Error cloning project\"],\"AEkJ6x\":[\"Error creating report\"],\"S2MVUN\":[\"Error loading announcements\"],\"xcUDac\":[\"Error loading insights\"],\"edh3aY\":[\"Error loading project\"],\"3Uoj83\":[\"Error loading quotes\"],\"z05QRC\":[\"Error updating report\"],\"hmk+3M\":[\"Error uploading \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Everything looks good – you can continue.\"],\"/PykH1\":[\"Everything looks good – you can continue.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimental\"],\"/bsogT\":[\"Explore themes & patterns across all conversations\"],\"sAod0Q\":[\"Exploring \",[\"conversationCount\"],\" conversations\"],\"GS+Mus\":[\"Export\"],\"7Bj3x9\":[\"Failed\"],\"bh2Vob\":[\"Failed to add conversation to chat\"],\"ajvYcJ\":[\"Failed to add conversation to chat\",[\"0\"]],\"9GMUFh\":[\"Failed to approve artefact. Please try again.\"],\"RBpcoc\":[\"Failed to copy chat. Please try again.\"],\"uvu6eC\":[\"Failed to copy transcript. Please try again.\"],\"BVzTya\":[\"Failed to delete response\"],\"p+a077\":[\"Failed to disable Auto Select for this chat\"],\"iS9Cfc\":[\"Failed to enable Auto Select for this chat\"],\"Gu9mXj\":[\"Failed to finish conversation. Please try again.\"],\"vx5bTP\":[\"Failed to generate \",[\"label\"],\". Please try again.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Failed to generate the summary. Please try again later.\"],\"DKxr+e\":[\"Failed to get announcements\"],\"TSt/Iq\":[\"Failed to get the latest announcement\"],\"D4Bwkb\":[\"Failed to get unread announcements count\"],\"AXRzV1\":[\"Failed to load audio or the audio is not available\"],\"T7KYJY\":[\"Failed to mark all announcements as read\"],\"eGHX/x\":[\"Failed to mark announcement as read\"],\"SVtMXb\":[\"Failed to regenerate the summary. Please try again later.\"],\"h49o9M\":[\"Failed to reload. Please try again.\"],\"kE1PiG\":[\"Failed to remove conversation from chat\"],\"+piK6h\":[\"Failed to remove conversation from chat\",[\"0\"]],\"SmP70M\":[\"Failed to retranscribe conversation. Please try again.\"],\"hhLiKu\":[\"Failed to revise artefact. Please try again.\"],\"wMEdO3\":[\"Failed to stop recording on device change. Please try again.\"],\"wH6wcG\":[\"Failed to verify email status. Please try again.\"],\"participant.modal.refine.info.title\":[\"Feature available soon\"],\"87gcCP\":[\"File \\\"\",[\"0\"],\"\\\" exceeds the maximum size of \",[\"1\"],\".\"],\"ena+qV\":[\"File \\\"\",[\"0\"],\"\\\" has an unsupported format. Only audio files are allowed.\"],\"LkIAge\":[\"File \\\"\",[\"0\"],\"\\\" is not a supported audio format. Only audio files are allowed.\"],\"RW2aSn\":[\"File \\\"\",[\"0\"],\"\\\" is too small (\",[\"1\"],\"). Minimum size is \",[\"2\"],\".\"],\"+aBwxq\":[\"File size: Min \",[\"0\"],\", Max \",[\"1\"],\", up to \",[\"MAX_FILES\"],\" files\"],\"o7J4JM\":[\"Filter\"],\"5g0xbt\":[\"Filter audit logs by action\"],\"9clinz\":[\"Filter audit logs by collection\"],\"O39Ph0\":[\"Filter by action\"],\"DiDNkt\":[\"Filter by collection\"],\"participant.button.stop.finish\":[\"Finish\"],\"participant.button.finish.text.mode\":[\"Finish\"],\"participant.button.finish\":[\"Finish\"],\"JmZ/+d\":[\"Finish\"],\"participant.modal.finish.title.text.mode\":[\"Finish Conversation\"],\"4dQFvz\":[\"Finished\"],\"kODvZJ\":[\"First Name\"],\"MKEPCY\":[\"Follow\"],\"JnPIOr\":[\"Follow playback\"],\"glx6on\":[\"Forgot your password?\"],\"nLC6tu\":[\"French\"],\"tSA0hO\":[\"Generate insights from your conversations\"],\"QqIxfi\":[\"Generate secret\"],\"tM4cbZ\":[\"Generate structured meeting notes based on the following discussion points provided in the context.\"],\"gitFA/\":[\"Generate Summary\"],\"kzY+nd\":[\"Generating the summary. Please wait...\"],\"DDcvSo\":[\"German\"],\"u9yLe/\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"participant.refine.go.deeper.description\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"TAXdgS\":[\"Give me a list of 5-10 topics that are being discussed.\"],\"CKyk7Q\":[\"Go back\"],\"participant.concrete.artefact.action.button.go.back\":[\"Go back\"],\"IL8LH3\":[\"Go deeper\"],\"participant.refine.go.deeper\":[\"Go deeper\"],\"iWpEwy\":[\"Go home\"],\"A3oCMz\":[\"Go to new conversation\"],\"5gqNQl\":[\"Grid view\"],\"ZqBGoi\":[\"Has verified artifacts\"],\"Yae+po\":[\"Help us translate\"],\"ng2Unt\":[\"Hi, \",[\"0\"]],\"D+zLDD\":[\"Hidden\"],\"G1UUQY\":[\"Hidden gem\"],\"LqWHk1\":[\"Hide \",[\"0\"]],\"u5xmYC\":[\"Hide all\"],\"txCbc+\":[\"Hide all insights\"],\"0lRdEo\":[\"Hide Conversations Without Content\"],\"eHo/Jc\":[\"Hide data\"],\"g4tIdF\":[\"Hide revision data\"],\"i0qMbr\":[\"Home\"],\"LSCWlh\":[\"How would you describe to a colleague what are you trying to accomplish with this project?\\n* What is the north star goal or key metric\\n* What does success look like\"],\"participant.button.i.understand\":[\"I understand\"],\"WsoNdK\":[\"Identify and analyze the recurring themes in this content. Please:\\n\\nExtract patterns that appear consistently across multiple sources\\nLook for underlying principles that connect different ideas\\nIdentify themes that challenge conventional thinking\\nStructure the analysis to show how themes evolve or repeat\\nFocus on insights that reveal deeper organizational or conceptual patterns\\nMaintain analytical depth while being accessible\\nHighlight themes that could inform future decision-making\\n\\nNote: If the content lacks sufficient thematic consistency, let me know we need more diverse material to identify meaningful patterns.\"],\"KbXMDK\":[\"Identify recurring themes, topics, and arguments that appear consistently across conversations. Analyze their frequency, intensity, and consistency. Expected output: 3-7 aspects for small datasets, 5-12 for medium datasets, 8-15 for large datasets. Processing guidance: Focus on distinct patterns that emerge across multiple conversations.\"],\"participant.concrete.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"QJUjB0\":[\"In order to better navigate through the quotes, create additional views. The quotes will then be clustered based on your view.\"],\"IJUcvx\":[\"In the meantime, if you want to analyze the conversations that are still processing, you can use the Chat feature\"],\"aOhF9L\":[\"Include portal link in report\"],\"Dvf4+M\":[\"Include timestamps\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Insight Library\"],\"ZVY8fB\":[\"Insight not found\"],\"sJa5f4\":[\"insights\"],\"3hJypY\":[\"Insights\"],\"crUYYp\":[\"Invalid code. Please request a new one.\"],\"jLr8VJ\":[\"Invalid credentials.\"],\"aZ3JOU\":[\"Invalid token. Please try again.\"],\"1xMiTU\":[\"IP Address\"],\"participant.conversation.error.deleted\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"zT7nbS\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"library.not.available.message\":[\"It looks like the library is not available for your account. Please request access to unlock this feature.\"],\"participant.concrete.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"MbKzYA\":[\"It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly.\"],\"Lj7sBL\":[\"Italian\"],\"clXffu\":[\"Join \",[\"0\"],\" on Dembrane\"],\"uocCon\":[\"Just a moment\"],\"OSBXx5\":[\"Just now\"],\"0ohX1R\":[\"Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account.\"],\"vXIe7J\":[\"Language\"],\"UXBCwc\":[\"Last Name\"],\"0K/D0Q\":[\"Last saved \",[\"0\"]],\"K7P0jz\":[\"Last Updated\"],\"PIhnIP\":[\"Let us know!\"],\"qhQjFF\":[\"Let's Make Sure We Can Hear You\"],\"exYcTF\":[\"Library\"],\"library.title\":[\"Library\"],\"T50lwc\":[\"Library creation is in progress\"],\"yUQgLY\":[\"Library is currently being processed\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn Post (Experimental)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live audio level:\"],\"TkFXaN\":[\"Live audio level:\"],\"n9yU9X\":[\"Live Preview\"],\"participant.concrete.instructions.loading\":[\"Loading\"],\"yQE2r9\":[\"Loading\"],\"yQ9yN3\":[\"Loading actions...\"],\"participant.concrete.loading.artefact\":[\"Loading artefact\"],\"JOvnq+\":[\"Loading audit logs…\"],\"y+JWgj\":[\"Loading collections...\"],\"ATTcN8\":[\"Loading concrete topics…\"],\"FUK4WT\":[\"Loading microphones...\"],\"H+bnrh\":[\"Loading transcript...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"loading...\"],\"Z3FXyt\":[\"Loading...\"],\"Pwqkdw\":[\"Loading…\"],\"z0t9bb\":[\"Login\"],\"zfB1KW\":[\"Login | Dembrane\"],\"Wd2LTk\":[\"Login as an existing user\"],\"nOhz3x\":[\"Logout\"],\"jWXlkr\":[\"Longest First\"],\"dashboard.dembrane.concrete.title\":[\"Make it concrete\"],\"participant.refine.make.concrete\":[\"Make it concrete\"],\"JSxZVX\":[\"Mark all read\"],\"+s1J8k\":[\"Mark as read\"],\"VxyuRJ\":[\"Meeting Notes\"],\"08d+3x\":[\"Messages from \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Microphone access is still denied. Please check your settings and try again.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Mode\"],\"zMx0gF\":[\"More templates\"],\"QWdKwH\":[\"Move\"],\"CyKTz9\":[\"Move Conversation\"],\"wUTBdx\":[\"Move to Another Project\"],\"Ksvwy+\":[\"Move to Project\"],\"6YtxFj\":[\"Name\"],\"e3/ja4\":[\"Name A-Z\"],\"c5Xt89\":[\"Name Z-A\"],\"isRobC\":[\"New\"],\"Wmq4bZ\":[\"New Conversation Name\"],\"library.new.conversations\":[\"New conversations have been added since the creation of the library. Create a new view to add these to the analysis.\"],\"P/+jkp\":[\"New conversations have been added since the library was generated. Regenerate the library to process them.\"],\"7vhWI8\":[\"New Password\"],\"+VXUp8\":[\"New Project\"],\"+RfVvh\":[\"Newest First\"],\"participant.button.next\":[\"Next\"],\"participant.ready.to.begin.button.text\":[\"Next\"],\"participant.concrete.selection.button.next\":[\"Next\"],\"participant.concrete.instructions.button.next\":[\"Next\"],\"hXzOVo\":[\"Next\"],\"participant.button.finish.no.text.mode\":[\"No\"],\"riwuXX\":[\"No actions found\"],\"WsI5bo\":[\"No announcements available\"],\"Em+3Ls\":[\"No audit logs match the current filters.\"],\"project.sidebar.chat.empty.description\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"YM6Wft\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"Qqhl3R\":[\"No collections found\"],\"zMt5AM\":[\"No concrete topics available.\"],\"zsslJv\":[\"No content\"],\"1pZsdx\":[\"No conversations available to create library\"],\"library.no.conversations\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"zM3DDm\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"EtMtH/\":[\"No conversations found.\"],\"BuikQT\":[\"No conversations found. Start a conversation using the participation invite link from the <0><1>project overview.\"],\"meAa31\":[\"No conversations yet\"],\"VInleh\":[\"No insights available. Generate insights for this conversation by visiting<0><1> the project library.\"],\"yTx6Up\":[\"No key terms or proper nouns have been added yet. Add them using the input above to improve transcript accuracy.\"],\"jfhDAK\":[\"No new feedback detected yet. Please continue your discussion and try again soon.\"],\"T3TyGx\":[\"No projects found \",[\"0\"]],\"y29l+b\":[\"No projects found for search term\"],\"ghhtgM\":[\"No quotes available. Generate quotes for this conversation by visiting\"],\"yalI52\":[\"No quotes available. Generate quotes for this conversation by visiting<0><1> the project library.\"],\"ctlSnm\":[\"No report found\"],\"EhV94J\":[\"No resources found.\"],\"Ev2r9A\":[\"No results\"],\"WRRjA9\":[\"No tags found\"],\"LcBe0w\":[\"No tags have been added to this project yet. Add a tag using the text input above to get started.\"],\"bhqKwO\":[\"No Transcript Available\"],\"TmTivZ\":[\"No transcript available for this conversation.\"],\"vq+6l+\":[\"No transcript exists for this conversation yet. Please check back later.\"],\"MPZkyF\":[\"No transcripts are selected for this chat\"],\"AotzsU\":[\"No tutorial (only Privacy statements)\"],\"OdkUBk\":[\"No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"No verification topics are configured for this project.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Not available\"],\"cH5kXP\":[\"Now\"],\"9+6THi\":[\"Oldest First\"],\"participant.concrete.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.concrete.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"conversation.ongoing\":[\"Ongoing\"],\"J6n7sl\":[\"Ongoing\"],\"uTmEDj\":[\"Ongoing Conversations\"],\"QvvnWK\":[\"Only the \",[\"0\"],\" finished \",[\"1\"],\" will be included in the report right now. \"],\"participant.alert.microphone.access.failure\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"J17dTs\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"1TNIig\":[\"Open\"],\"NRLF9V\":[\"Open Documentation\"],\"2CyWv2\":[\"Open for Participation?\"],\"participant.button.open.troubleshooting.guide\":[\"Open troubleshooting guide\"],\"7yrRHk\":[\"Open troubleshooting guide\"],\"Hak8r6\":[\"Open your authenticator app and enter the current six-digit code.\"],\"0zpgxV\":[\"Options\"],\"6/dCYd\":[\"Overview\"],\"/fAXQQ\":[\"Overview - Themes & patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Page Content\"],\"8F1i42\":[\"Page not found\"],\"6+Py7/\":[\"Page Title\"],\"v8fxDX\":[\"Participant\"],\"Uc9fP1\":[\"Participant Features\"],\"y4n1fB\":[\"Participants will be able to select tags when creating conversations\"],\"8ZsakT\":[\"Password\"],\"w3/J5c\":[\"Password protect portal (request feature)\"],\"lpIMne\":[\"Passwords do not match\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Pause reading\"],\"UbRKMZ\":[\"Pending\"],\"6v5aT9\":[\"Pick the approach that fits your question\"],\"participant.alert.microphone.access\":[\"Please allow microphone access to start the test.\"],\"3flRk2\":[\"Please allow microphone access to start the test.\"],\"SQSc5o\":[\"Please check back later or contact the project owner for more information.\"],\"T8REcf\":[\"Please check your inputs for errors.\"],\"S6iyis\":[\"Please do not close your browser\"],\"n6oAnk\":[\"Please enable participation to enable sharing\"],\"fwrPh4\":[\"Please enter a valid email.\"],\"iMWXJN\":[\"Please keep this screen lit up (black screen = not recording)\"],\"D90h1s\":[\"Please login to continue.\"],\"mUGRqu\":[\"Please provide a concise summary of the following provided in the context.\"],\"ps5D2F\":[\"Please record your response by clicking the \\\"Record\\\" button below. You may also choose to respond in text by clicking the text icon. \\n**Please keep this screen lit up** \\n(black screen = not recording)\"],\"TsuUyf\":[\"Please record your response by clicking the \\\"Start Recording\\\" button below. You may also choose to respond in text by clicking the text icon.\"],\"4TVnP7\":[\"Please select a language for your report\"],\"N63lmJ\":[\"Please select a language for your updated report\"],\"XvD4FK\":[\"Please select at least one source\"],\"hxTGLS\":[\"Please select conversations from the sidebar to proceed\"],\"GXZvZ7\":[\"Please wait \",[\"timeStr\"],\" before requesting another echo.\"],\"Am5V3+\":[\"Please wait \",[\"timeStr\"],\" before requesting another Echo.\"],\"CE1Qet\":[\"Please wait \",[\"timeStr\"],\" before requesting another ECHO.\"],\"Fx1kHS\":[\"Please wait \",[\"timeStr\"],\" before requesting another reply.\"],\"MgJuP2\":[\"Please wait while we generate your report. You will automatically be redirected to the report page.\"],\"library.processing.request\":[\"Please wait while we process your request. You requested to create the library on \",[\"0\"]],\"04DMtb\":[\"Please wait while we process your retranscription request. You will be redirected to the new conversation when ready.\"],\"ei5r44\":[\"Please wait while we update your report. You will automatically be redirected to the report page.\"],\"j5KznP\":[\"Please wait while we verify your email address.\"],\"uRFMMc\":[\"Portal Content\"],\"qVypVJ\":[\"Portal Editor\"],\"g2UNkE\":[\"Powered by\"],\"MPWj35\":[\"Preparing your conversations... This may take a moment.\"],\"/SM3Ws\":[\"Preparing your experience\"],\"ANWB5x\":[\"Print this report\"],\"zwqetg\":[\"Privacy Statements\"],\"qAGp2O\":[\"Proceed\"],\"stk3Hv\":[\"processing\"],\"vrnnn9\":[\"Processing\"],\"kvs/6G\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat.\"],\"q11K6L\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat. Last Known Status: \",[\"0\"]],\"NQiPr4\":[\"Processing Transcript\"],\"48px15\":[\"Processing your report...\"],\"gzGDMM\":[\"Processing your retranscription request...\"],\"Hie0VV\":[\"Project Created\"],\"xJMpjP\":[\"Project Library | Dembrane\"],\"OyIC0Q\":[\"Project name\"],\"6Z2q2Y\":[\"Project name must be at least 4 characters long\"],\"n7JQEk\":[\"Project not found\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Project Overview | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Project Settings\"],\"+0B+ue\":[\"Projects\"],\"Eb7xM7\":[\"Projects | Dembrane\"],\"JQVviE\":[\"Projects Home\"],\"nyEOdh\":[\"Provide an overview of the main topics and recurring themes\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publish\"],\"u3wRF+\":[\"Published\"],\"E7YTYP\":[\"Pull out the most impactful quotes from this session\"],\"eWLklq\":[\"Quotes\"],\"wZxwNu\":[\"Read aloud\"],\"participant.ready.to.begin\":[\"Ready to Begin?\"],\"ZKOO0I\":[\"Ready to Begin?\"],\"hpnYpo\":[\"Recommended apps\"],\"participant.button.record\":[\"Record\"],\"w80YWM\":[\"Record\"],\"s4Sz7r\":[\"Record another conversation\"],\"participant.modal.pause.title\":[\"Recording Paused\"],\"view.recreate.tooltip\":[\"Recreate View\"],\"view.recreate.modal.title\":[\"Recreate View\"],\"CqnkB0\":[\"Recurring Themes\"],\"9aloPG\":[\"References\"],\"participant.button.refine\":[\"Refine\"],\"lCF0wC\":[\"Refresh\"],\"ZMXpAp\":[\"Refresh audit logs\"],\"844H5I\":[\"Regenerate Library\"],\"bluvj0\":[\"Regenerate Summary\"],\"participant.concrete.regenerating.artefact\":[\"Regenerating the artefact\"],\"oYlYU+\":[\"Regenerating the summary. Please wait...\"],\"wYz80B\":[\"Register | Dembrane\"],\"w3qEvq\":[\"Register as a new user\"],\"7dZnmw\":[\"Relevance\"],\"participant.button.reload.page.text.mode\":[\"Reload Page\"],\"participant.button.reload\":[\"Reload Page\"],\"participant.concrete.artefact.action.button.reload\":[\"Reload Page\"],\"hTDMBB\":[\"Reload Page\"],\"Kl7//J\":[\"Remove Email\"],\"cILfnJ\":[\"Remove file\"],\"CJgPtd\":[\"Remove from this chat\"],\"project.sidebar.chat.rename\":[\"Rename\"],\"2wxgft\":[\"Rename\"],\"XyN13i\":[\"Reply Prompt\"],\"gjpdaf\":[\"Report\"],\"Q3LOVJ\":[\"Report an issue\"],\"DUmD+q\":[\"Report Created - \",[\"0\"]],\"KFQLa2\":[\"Report generation is currently in beta and limited to projects with fewer than 10 hours of recording.\"],\"hIQOLx\":[\"Report Notifications\"],\"lNo4U2\":[\"Report Updated - \",[\"0\"]],\"library.request.access\":[\"Request Access\"],\"uLZGK+\":[\"Request Access\"],\"dglEEO\":[\"Request Password Reset\"],\"u2Hh+Y\":[\"Request Password Reset | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Requesting microphone access to detect available devices...\"],\"MepchF\":[\"Requesting microphone access to detect available devices...\"],\"xeMrqw\":[\"Reset All Options\"],\"KbS2K9\":[\"Reset Password\"],\"UMMxwo\":[\"Reset Password | Dembrane\"],\"L+rMC9\":[\"Reset to default\"],\"s+MGs7\":[\"Resources\"],\"participant.button.stop.resume\":[\"Resume\"],\"v39wLo\":[\"Resume\"],\"sVzC0H\":[\"Retranscribe\"],\"ehyRtB\":[\"Retranscribe conversation\"],\"1JHQpP\":[\"Retranscribe Conversation\"],\"MXwASV\":[\"Retranscription started. New conversation will be available soon.\"],\"6gRgw8\":[\"Retry\"],\"H1Pyjd\":[\"Retry Upload\"],\"9VUzX4\":[\"Review activity for your workspace. Filter by collection or action, and export the current view for further investigation.\"],\"UZVWVb\":[\"Review files before uploading\"],\"3lYF/Z\":[\"Review processing status for every conversation collected in this project.\"],\"participant.concrete.action.button.revise\":[\"Revise\"],\"OG3mVO\":[\"Revision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Rows per page\"],\"participant.concrete.action.button.save\":[\"Save\"],\"tfDRzk\":[\"Save\"],\"2VA/7X\":[\"Save Error!\"],\"XvjC4F\":[\"Saving...\"],\"nHeO/c\":[\"Scan the QR code or copy the secret into your app.\"],\"oOi11l\":[\"Scroll to bottom\"],\"A1taO8\":[\"Search\"],\"OWm+8o\":[\"Search conversations\"],\"blFttG\":[\"Search projects\"],\"I0hU01\":[\"Search Projects\"],\"RVZJWQ\":[\"Search projects...\"],\"lnWve4\":[\"Search tags\"],\"pECIKL\":[\"Search templates...\"],\"uSvNyU\":[\"Searched through the most relevant sources\"],\"Wj2qJm\":[\"Searching through the most relevant sources\"],\"Y1y+VB\":[\"Secret copied\"],\"Eyh9/O\":[\"See conversation status details\"],\"0sQPzI\":[\"See you soon\"],\"1ZTiaz\":[\"Segments\"],\"H/diq7\":[\"Select a microphone\"],\"NK2YNj\":[\"Select Audio Files to Upload\"],\"/3ntVG\":[\"Select conversations and find exact quotes\"],\"LyHz7Q\":[\"Select conversations from sidebar\"],\"n4rh8x\":[\"Select Project\"],\"ekUnNJ\":[\"Select tags\"],\"CG1cTZ\":[\"Select the instructions that will be shown to participants when they start a conversation\"],\"qxzrcD\":[\"Select the type of feedback or engagement you want to encourage.\"],\"QdpRMY\":[\"Select tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Select which topics participants can use for \\\"Make it concrete\\\".\"],\"participant.select.microphone\":[\"Select your microphone:\"],\"vKH1Ye\":[\"Select your microphone:\"],\"gU5H9I\":[\"Selected Files (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Selected microphone:\"],\"JlFcis\":[\"Send\"],\"VTmyvi\":[\"Sentiment\"],\"NprC8U\":[\"Session Name\"],\"DMl1JW\":[\"Setting up your first project\"],\"Tz0i8g\":[\"Settings\"],\"participant.settings.modal.title\":[\"Settings\"],\"PErdpz\":[\"Settings | Dembrane\"],\"Z8lGw6\":[\"Share\"],\"/XNQag\":[\"Share this report\"],\"oX3zgA\":[\"Share your details here\"],\"Dc7GM4\":[\"Share your voice\"],\"swzLuF\":[\"Share your voice by scanning the QR code below.\"],\"+tz9Ky\":[\"Shortest First\"],\"h8lzfw\":[\"Show \",[\"0\"]],\"lZw9AX\":[\"Show all\"],\"w1eody\":[\"Show audio player\"],\"pzaNzD\":[\"Show data\"],\"yrhNQG\":[\"Show duration\"],\"Qc9KX+\":[\"Show IP addresses\"],\"6lGV3K\":[\"Show less\"],\"fMPkxb\":[\"Show more\"],\"3bGwZS\":[\"Show references\"],\"OV2iSn\":[\"Show revision data\"],\"3Sg56r\":[\"Show timeline in report (request feature)\"],\"DLEIpN\":[\"Show timestamps (experimental)\"],\"Tqzrjk\":[\"Showing \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" of \",[\"totalItems\"],\" entries\"],\"dbWo0h\":[\"Sign in with Google\"],\"participant.mic.check.button.skip\":[\"Skip\"],\"6Uau97\":[\"Skip\"],\"lH0eLz\":[\"Skip data privacy slide (Host manages consent)\"],\"b6NHjr\":[\"Skip data privacy slide (Host manages legal base)\"],\"4Q9po3\":[\"Some conversations are still being processed. Auto-select will work optimally once audio processing is complete.\"],\"q+pJ6c\":[\"Some files were already selected and won't be added twice.\"],\"nwtY4N\":[\"Something went wrong\"],\"participant.conversation.error.text.mode\":[\"Something went wrong\"],\"participant.conversation.error\":[\"Something went wrong\"],\"avSWtK\":[\"Something went wrong while exporting audit logs.\"],\"q9A2tm\":[\"Something went wrong while generating the secret.\"],\"JOKTb4\":[\"Something went wrong while uploading the file: \",[\"0\"]],\"KeOwCj\":[\"Something went wrong with the conversation. Please try refreshing the page or contact support if the issue persists\"],\"participant.go.deeper.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>Go deeper button, or contact support if the issue continues.\"],\"fWsBTs\":[\"Something went wrong. Please try again.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"f6Hub0\":[\"Sort\"],\"/AhHDE\":[\"Source \",[\"0\"]],\"u7yVRn\":[\"Sources:\"],\"65A04M\":[\"Spanish\"],\"zuoIYL\":[\"Speaker\"],\"z5/5iO\":[\"Specific Context\"],\"mORM2E\":[\"Specific Details\"],\"Etejcu\":[\"Specific Details - Selected conversations\"],\"participant.button.start.new.conversation.text.mode\":[\"Start New Conversation\"],\"participant.button.start.new.conversation\":[\"Start New Conversation\"],\"c6FrMu\":[\"Start New Conversation\"],\"i88wdJ\":[\"Start over\"],\"pHVkqA\":[\"Start Recording\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stop\"],\"participant.button.stop\":[\"Stop\"],\"kimwwT\":[\"Strategic Planning\"],\"hQRttt\":[\"Submit\"],\"participant.button.submit.text.mode\":[\"Submit\"],\"0Pd4R1\":[\"Submitted via text input\"],\"zzDlyQ\":[\"Success\"],\"bh1eKt\":[\"Suggested:\"],\"F1nkJm\":[\"Summarize\"],\"4ZpfGe\":[\"Summarize key insights from my interviews\"],\"5Y4tAB\":[\"Summarize this interview into a shareable article\"],\"dXoieq\":[\"Summary\"],\"g6o+7L\":[\"Summary generated successfully.\"],\"kiOob5\":[\"Summary not available yet\"],\"OUi+O3\":[\"Summary regenerated successfully.\"],\"Pqa6KW\":[\"Summary will be available once the conversation is transcribed\"],\"6ZHOF8\":[\"Supported formats: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Switch to text input\"],\"D+NlUC\":[\"System\"],\"OYHzN1\":[\"Tags\"],\"nlxlmH\":[\"Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation.\"],\"eyu39U\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"participant.refine.make.concrete.description\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"QCchuT\":[\"Template applied\"],\"iTylMl\":[\"Templates\"],\"xeiujy\":[\"Text\"],\"CPN34F\":[\"Thank you for participating!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Thank You Page Content\"],\"5KEkUQ\":[\"Thank you! We'll notify you when the report is ready.\"],\"2yHHa6\":[\"That code didn't work. Try again with a fresh code from your authenticator app.\"],\"TQCE79\":[\"The code didn't work, please try again.\"],\"participant.conversation.error.loading.text.mode\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"participant.conversation.error.loading\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"nO942E\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"Jo19Pu\":[\"The following conversations were automatically added to the context\"],\"Lngj9Y\":[\"The Portal is the website that loads when participants scan the QR code.\"],\"bWqoQ6\":[\"the project library.\"],\"hTCMdd\":[\"The summary is being generated. Please wait for it to be available.\"],\"+AT8nl\":[\"The summary is being regenerated. Please wait for it to be available.\"],\"iV8+33\":[\"The summary is being regenerated. Please wait for the new summary to be available.\"],\"AgC2rn\":[\"The summary is being regenerated. Please wait upto 2 minutes for the new summary to be available.\"],\"PTNxDe\":[\"The transcript for this conversation is being processed. Please check back later.\"],\"FEr96N\":[\"Theme\"],\"T8rsM6\":[\"There was an error cloning your project. Please try again or contact support.\"],\"JDFjCg\":[\"There was an error creating your report. Please try again or contact support.\"],\"e3JUb8\":[\"There was an error generating your report. In the meantime, you can analyze all your data using the library or select specific conversations to chat with.\"],\"7qENSx\":[\"There was an error updating your report. Please try again or contact support.\"],\"V7zEnY\":[\"There was an error verifying your email. Please try again.\"],\"gtlVJt\":[\"These are some helpful preset templates to get you started.\"],\"sd848K\":[\"These are your default view templates. Once you create your library these will be your first two views.\"],\"8xYB4s\":[\"These default view templates will be generated when you create your first library.\"],\"Ed99mE\":[\"Thinking...\"],\"conversation.linked_conversations.description\":[\"This conversation has the following copies:\"],\"conversation.linking_conversations.description\":[\"This conversation is a copy of\"],\"dt1MDy\":[\"This conversation is still being processed. It will be available for analysis and chat shortly.\"],\"5ZpZXq\":[\"This conversation is still being processed. It will be available for analysis and chat shortly. \"],\"SzU1mG\":[\"This email is already in the list.\"],\"JtPxD5\":[\"This email is already subscribed to notifications.\"],\"participant.modal.refine.info.available.in\":[\"This feature will be available in \",[\"remainingTime\"],\" seconds.\"],\"QR7hjh\":[\"This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes.\"],\"library.description\":[\"This is your project library. Create views to analyse your entire project at once.\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"This is your project library. Currently,\",[\"0\"],\" conversations are waiting to be processed.\"],\"tJL2Lh\":[\"This language will be used for the Participant's Portal and transcription.\"],\"BAUPL8\":[\"This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"This language will be used for the Participant's Portal.\"],\"9ww6ML\":[\"This page is shown after the participant has completed the conversation.\"],\"1gmHmj\":[\"This page is shown to participants when they start a conversation after they successfully complete the tutorial.\"],\"bEbdFh\":[\"This project library was generated on\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage.\"],\"Yig29e\":[\"This report is not yet available. \"],\"GQTpnY\":[\"This report was opened by \",[\"0\"],\" people\"],\"okY/ix\":[\"This summary is AI-generated and brief, for thorough analysis, use the Chat or Library.\"],\"hwyBn8\":[\"This title is shown to participants when they start a conversation\"],\"Dj5ai3\":[\"This will clear your current input. Are you sure?\"],\"NrRH+W\":[\"This will create a copy of the current project. Only settings and tags are copied. Reports, chats and conversations are not included in the clone. You will be redirected to the new project after cloning.\"],\"hsNXnX\":[\"This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged.\"],\"participant.concrete.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.concrete.loading.artefact.description\":[\"This will just take a moment\"],\"n4l4/n\":[\"This will replace personally identifiable information with .\"],\"Ww6cQ8\":[\"Time Created\"],\"8TMaZI\":[\"Timestamp\"],\"rm2Cxd\":[\"Tip\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"To assign a new tag, please create it first in the project overview.\"],\"o3rowT\":[\"To generate a report, please start by adding conversations in your project\"],\"sFMBP5\":[\"Topics\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcribing...\"],\"DDziIo\":[\"Transcript\"],\"hfpzKV\":[\"Transcript copied to clipboard\"],\"AJc6ig\":[\"Transcript not available\"],\"N/50DC\":[\"Transcript Settings\"],\"FRje2T\":[\"Transcription in progress...\"],\"0l9syB\":[\"Transcription in progress…\"],\"H3fItl\":[\"Transform these transcripts into a LinkedIn post that cuts through the noise. Please:\\n\\nExtract the most compelling insights - skip anything that sounds like standard business advice\\nWrite it like a seasoned leader who challenges conventional wisdom, not a motivational poster\\nFind one genuinely unexpected observation that would make even experienced professionals pause\\nMaintain intellectual depth while being refreshingly direct\\nOnly use data points that actually challenge assumptions\\nKeep formatting clean and professional (minimal emojis, thoughtful spacing)\\nStrike a tone that suggests both deep expertise and real-world experience\\n\\nNote: If the content doesn't contain any substantive insights, please let me know we need stronger source material. I'm looking to contribute real value to the conversation, not add to the noise.\"],\"53dSNP\":[\"Transform this content into insights that actually matter. Please:\\n\\nExtract core ideas that challenge standard thinking\\nWrite like someone who understands nuance, not a textbook\\nFocus on the non-obvious implications\\nKeep it sharp and substantive\\nOnly highlight truly meaningful patterns\\nStructure for clarity and impact\\nBalance depth with accessibility\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"uK9JLu\":[\"Transform this discussion into actionable intelligence. Please:\\n\\nCapture the strategic implications, not just talking points\\nStructure it like a thought leader's analysis, not minutes\\nHighlight decision points that challenge standard thinking\\nKeep the signal-to-noise ratio high\\nFocus on insights that drive real change\\nOrganize for clarity and future reference\\nBalance tactical details with strategic vision\\n\\nNote: If the discussion lacks substantial decision points or insights, flag it for deeper exploration next time.\"],\"qJb6G2\":[\"Try Again\"],\"eP1iDc\":[\"Try asking\"],\"goQEqo\":[\"Try moving a bit closer to your microphone for better sound quality.\"],\"EIU345\":[\"Two-factor authentication\"],\"NwChk2\":[\"Two-factor authentication disabled\"],\"qwpE/S\":[\"Two-factor authentication enabled\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Type a message...\"],\"EvmL3X\":[\"Type your response here\"],\"participant.concrete.artefact.error.title\":[\"Unable to Load Artefact\"],\"MksxNf\":[\"Unable to load audit logs.\"],\"8vqTzl\":[\"Unable to load the generated artefact. Please try again.\"],\"nGxDbq\":[\"Unable to process this chunk\"],\"9uI/rE\":[\"Undo\"],\"Ef7StM\":[\"Unknown\"],\"H899Z+\":[\"unread announcement\"],\"0pinHa\":[\"unread announcements\"],\"sCTlv5\":[\"Unsaved changes\"],\"SMaFdc\":[\"Unsubscribe\"],\"jlrVDp\":[\"Untitled Conversation\"],\"EkH9pt\":[\"Update\"],\"3RboBp\":[\"Update Report\"],\"4loE8L\":[\"Update the report to include the latest data\"],\"Jv5s94\":[\"Update your report to include the latest changes in your project. The link to share the report would remain the same.\"],\"kwkhPe\":[\"Upgrade\"],\"UkyAtj\":[\"Upgrade to unlock Auto-select and analyze 10x more conversations in half the time—no more manual selection, just deeper insights instantly.\"],\"ONWvwQ\":[\"Upload\"],\"8XD6tj\":[\"Upload Audio\"],\"kV3A2a\":[\"Upload Complete\"],\"4Fr6DA\":[\"Upload conversations\"],\"pZq3aX\":[\"Upload failed. Please try again.\"],\"HAKBY9\":[\"Upload Files\"],\"Wft2yh\":[\"Upload in progress\"],\"JveaeL\":[\"Upload resources\"],\"3wG7HI\":[\"Uploaded\"],\"k/LaWp\":[\"Uploading Audio Files...\"],\"VdaKZe\":[\"Use experimental features\"],\"rmMdgZ\":[\"Use PII Redaction\"],\"ngdRFH\":[\"Use Shift + Enter to add a new line\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verified\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verified artifacts\"],\"4LFZoj\":[\"Verify code\"],\"jpctdh\":[\"View\"],\"+fxiY8\":[\"View conversation details\"],\"H1e6Hv\":[\"View Conversation Status\"],\"SZw9tS\":[\"View Details\"],\"D4e7re\":[\"View your responses\"],\"tzEbkt\":[\"Wait \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Want to add a template to \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Want to add a template to ECHO?\"],\"r6y+jM\":[\"Warning\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"SrJOPD\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"Ul0g2u\":[\"We couldn’t disable two-factor authentication. Try again with a fresh code.\"],\"sM2pBB\":[\"We couldn’t enable two-factor authentication. Double-check your code and try again.\"],\"Ewk6kb\":[\"We couldn't load the audio. Please try again later.\"],\"xMeAeQ\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder.\"],\"9qYWL7\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact evelien@dembrane.com\"],\"3fS27S\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"We need a bit more context to help you refine effectively. Please continue recording so we can provide better suggestions.\"],\"dni8nq\":[\"We will only send you a message if your host generates a report, we never share your details with anyone. You can opt out at any time.\"],\"participant.test.microphone.description\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"tQtKw5\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"+eLc52\":[\"We’re picking up some silence. Try speaking up so your voice comes through clearly.\"],\"6jfS51\":[\"Welcome\"],\"9eF5oV\":[\"Welcome back\"],\"i1hzzO\":[\"Welcome to Big Picture Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Details mode.\"],\"fwEAk/\":[\"Welcome to Dembrane Chat! Use the sidebar to select resources and conversations that you want to analyse. Then, you can ask questions about the selected resources and conversations.\"],\"AKBU2w\":[\"Welcome to Dembrane!\"],\"TACmoL\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Deep Dive mode.\"],\"u4aLOz\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Context mode.\"],\"Bck6Du\":[\"Welcome to Reports!\"],\"aEpQkt\":[\"Welcome to Your Home! Here you can see all your projects and get access to tutorial resources. Currently, you have no projects. Click \\\"Create\\\" to configure to get started!\"],\"klH6ct\":[\"Welcome!\"],\"Tfxjl5\":[\"What are the main themes across all conversations?\"],\"participant.concrete.selection.title\":[\"What do you want to make concrete?\"],\"fyMvis\":[\"What patterns emerge from the data?\"],\"qGrqH9\":[\"What were the key moments in this conversation?\"],\"FXZcgH\":[\"What would you like to explore?\"],\"KcnIXL\":[\"will be included in your report\"],\"participant.button.finish.yes.text.mode\":[\"Yes\"],\"kWJmRL\":[\"You\"],\"Dl7lP/\":[\"You are already unsubscribed or your link is invalid.\"],\"E71LBI\":[\"You can only upload up to \",[\"MAX_FILES\"],\" files at a time. Only the first \",[\"0\"],\" files will be added.\"],\"tbeb1Y\":[\"You can still use the Ask feature to chat with any conversation\"],\"participant.modal.change.mic.confirmation.text\":[\"You have changed the mic. Doing this will save your audio till this point and restart your recording.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"You have successfully unsubscribed.\"],\"lTDtES\":[\"You may also choose to record another conversation.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"You must login with the same provider you used to sign up. If you face any issues, please contact support.\"],\"snMcrk\":[\"You seem to be offline, please check your internet connection\"],\"participant.concrete.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to make them concrete.\"],\"participant.concrete.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"Pw2f/0\":[\"Your conversation is currently being transcribed. Please check back in a few moments.\"],\"OFDbfd\":[\"Your Conversations\"],\"aZHXuZ\":[\"Your inputs will be saved automatically.\"],\"PUWgP9\":[\"Your library is empty. Create a library to see your first insights.\"],\"B+9EHO\":[\"Your response has been recorded. You may now close this tab.\"],\"wurHZF\":[\"Your responses\"],\"B8Q/i2\":[\"Your view has been created. Please wait as we process and analyse the data.\"],\"library.views.title\":[\"Your Views\"],\"lZNgiw\":[\"Your Views\"]}")as Messages; \ No newline at end of file diff --git a/echo/frontend/src/locales/es-ES.po b/echo/frontend/src/locales/es-ES.po index 80c2e830..2a313abe 100644 --- a/echo/frontend/src/locales/es-ES.po +++ b/echo/frontend/src/locales/es-ES.po @@ -109,7 +109,7 @@ msgstr "\"Refinar\" Disponible pronto" #: src/routes/project/chat/ProjectChatRoute.tsx:559 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 -#: src/components/project/ProjectPortalEditor.tsx:432 +#: src/components/project/ProjectPortalEditor.tsx:433 #: src/components/chat/References.tsx:29 msgid "{0}" msgstr "{0}" @@ -198,7 +198,7 @@ msgstr "Añadir contexto adicional (Opcional)" msgid "Add all that apply" msgstr "Añade todos los que correspondan" -#: src/components/project/ProjectPortalEditor.tsx:126 +#: src/components/project/ProjectPortalEditor.tsx:127 msgid "Add key terms or proper nouns to improve transcript quality and accuracy." msgstr "Añade términos clave o nombres propios para mejorar la calidad y precisión de la transcripción." @@ -226,7 +226,7 @@ msgstr "E-mails añadidos" msgid "Adding Context:" msgstr "Añadiendo Contexto:" -#: src/components/project/ProjectPortalEditor.tsx:543 +#: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Avanzado (Consejos y best practices)" @@ -234,7 +234,7 @@ msgstr "Avanzado (Consejos y best practices)" #~ msgid "Advanced (Tips and tricks)" #~ msgstr "Avanzado (Consejos y trucos)" -#: src/components/project/ProjectPortalEditor.tsx:1053 +#: src/components/project/ProjectPortalEditor.tsx:1055 msgid "Advanced Settings" msgstr "Configuración Avanzada" @@ -328,7 +328,7 @@ msgid "participant.concrete.action.button.approve" msgstr "aprobar" #. js-lingui-explicit-id -#: src/components/conversation/VerifiedArtefactsSection.tsx:113 +#: src/components/conversation/VerifiedArtefactsSection.tsx:114 msgid "conversation.verified.approved" msgstr "Aprobado" @@ -385,11 +385,11 @@ msgstr "¡Artefacto revisado exitosamente!" msgid "Artefact updated successfully!" msgstr "¡Artefacto actualizado exitosamente!" -#: src/components/conversation/VerifiedArtefactsSection.tsx:92 +#: src/components/conversation/VerifiedArtefactsSection.tsx:93 msgid "artefacts" msgstr "artefactos" -#: src/components/conversation/VerifiedArtefactsSection.tsx:87 +#: src/components/conversation/VerifiedArtefactsSection.tsx:88 msgid "Artefacts" msgstr "Artefactos" @@ -397,11 +397,11 @@ msgstr "Artefactos" msgid "Ask" msgstr "Preguntar" -#: src/components/project/ProjectPortalEditor.tsx:480 +#: src/components/project/ProjectPortalEditor.tsx:482 msgid "Ask for Name?" msgstr "¿Preguntar por el nombre?" -#: src/components/project/ProjectPortalEditor.tsx:493 +#: src/components/project/ProjectPortalEditor.tsx:495 msgid "Ask participants to provide their name when they start a conversation" msgstr "Pedir a los participantes que proporcionen su nombre cuando inicien una conversación" @@ -421,7 +421,7 @@ msgstr "Aspectos" #~ msgid "At least one topic must be selected to enable Dembrane Verify" #~ msgstr "At least one topic must be selected to enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:877 +#: src/components/project/ProjectPortalEditor.tsx:879 msgid "At least one topic must be selected to enable Make it concrete" msgstr "Tienes que seleccionar al menos un tema para activar Hacerlo concreto" @@ -479,12 +479,12 @@ msgid "Available" msgstr "Disponible" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:360 +#: src/components/participant/ParticipantOnboardingCards.tsx:385 msgid "participant.button.back.microphone" msgstr "Volver" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:381 +#: src/components/participant/ParticipantOnboardingCards.tsx:406 #: src/components/layout/ParticipantHeader.tsx:67 msgid "participant.button.back" msgstr "Volver" @@ -496,11 +496,11 @@ msgstr "Volver" msgid "Back to Selection" msgstr "Volver a la selección" -#: src/components/project/ProjectPortalEditor.tsx:539 +#: src/components/project/ProjectPortalEditor.tsx:541 msgid "Basic (Essential tutorial slides)" msgstr "Básico (Diapositivas esenciales del tutorial)" -#: src/components/project/ProjectPortalEditor.tsx:446 +#: src/components/project/ProjectPortalEditor.tsx:447 msgid "Basic Settings" msgstr "Configuración Básica" @@ -516,8 +516,8 @@ msgid "Beta" msgstr "Beta" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:568 -#: src/components/project/ProjectPortalEditor.tsx:768 +#: src/components/project/ProjectPortalEditor.tsx:570 +#: src/components/project/ProjectPortalEditor.tsx:770 msgid "dashboard.dembrane.concrete.beta" msgstr "Beta" @@ -527,7 +527,7 @@ msgstr "Beta" #~ msgid "Big Picture - Themes & patterns" #~ msgstr "Visión general - Temas y patrones" -#: src/components/project/ProjectPortalEditor.tsx:686 +#: src/components/project/ProjectPortalEditor.tsx:688 msgid "Brainstorm Ideas" msgstr "Ideas de brainstorming" @@ -572,7 +572,7 @@ msgstr "No se puede añadir una conversación vacía" msgid "Changes will be saved automatically" msgstr "Los cambios se guardarán automáticamente" -#: src/components/language/LanguagePicker.tsx:71 +#: src/components/language/LanguagePicker.tsx:77 msgid "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" msgstr "Cambiar el idioma durante una conversación activa puede provocar resultados inesperados. Se recomienda iniciar una nueva conversación después de cambiar el idioma. ¿Estás seguro de que quieres continuar?" @@ -653,7 +653,7 @@ msgstr "Comparar y Contrastar" msgid "Complete" msgstr "Completar" -#: src/components/project/ProjectPortalEditor.tsx:815 +#: src/components/project/ProjectPortalEditor.tsx:817 msgid "Concrete Topics" msgstr "Temas concretos" @@ -707,7 +707,7 @@ msgid "Context added:" msgstr "Contexto añadido:" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:368 +#: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 msgid "participant.button.continue" msgstr "Continuar" @@ -778,7 +778,7 @@ msgid "participant.refine.cooling.down" msgstr "Enfriándose. Disponible en {0}" #: src/components/settings/TwoFactorSettingsCard.tsx:431 -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 #: src/components/conversation/CopyConversationTranscript.tsx:47 #: src/components/common/CopyRichTextIconButton.tsx:29 #: src/components/common/CopyIconButton.tsx:17 @@ -790,7 +790,7 @@ msgstr "Copiado" msgid "Copy" msgstr "Copiar" -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 msgid "Copy link" msgstr "Copiar enlace" @@ -860,7 +860,7 @@ msgstr "Crear Vista" msgid "Created on" msgstr "Creado el" -#: src/components/project/ProjectPortalEditor.tsx:715 +#: src/components/project/ProjectPortalEditor.tsx:717 msgid "Custom" msgstr "Personalizado" @@ -883,11 +883,11 @@ msgstr "Nombre de archivo personalizado" #~ msgid "dashboard.dembrane.verify.topic.select" #~ msgstr "Select which topics participants can use for verification." -#: src/components/project/ProjectPortalEditor.tsx:655 +#: src/components/project/ProjectPortalEditor.tsx:657 msgid "Default" msgstr "Predeterminado" -#: src/components/project/ProjectPortalEditor.tsx:535 +#: src/components/project/ProjectPortalEditor.tsx:537 msgid "Default - No tutorial (Only privacy statements)" msgstr "Predeterminado - Sin tutorial (Solo declaraciones de privacidad)" @@ -973,7 +973,7 @@ msgstr "¿Quieres contribuir a este proyecto?" msgid "Do you want to stay in the loop?" msgstr "¿Quieres estar en el bucle?" -#: src/components/layout/Header.tsx:181 +#: src/components/layout/Header.tsx:182 msgid "Documentation" msgstr "Documentación" @@ -1009,7 +1009,7 @@ msgstr "Opciones de Descarga de Transcripción" msgid "Drag audio files here or click to select files" msgstr "Arrastra archivos de audio aquí o haz clic para seleccionar archivos" -#: src/components/project/ProjectPortalEditor.tsx:464 +#: src/components/project/ProjectPortalEditor.tsx:465 msgid "Dutch" msgstr "Holandés" @@ -1094,24 +1094,24 @@ msgstr "Activar 2FA" #~ msgid "Enable Dembrane Verify" #~ msgstr "Activar Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:592 +#: src/components/project/ProjectPortalEditor.tsx:594 msgid "Enable Go deeper" msgstr "Activar Profundizar" -#: src/components/project/ProjectPortalEditor.tsx:792 +#: src/components/project/ProjectPortalEditor.tsx:794 msgid "Enable Make it concrete" msgstr "Activar Hacerlo concreto" -#: src/components/project/ProjectPortalEditor.tsx:930 +#: src/components/project/ProjectPortalEditor.tsx:932 msgid "Enable Report Notifications" msgstr "Habilitar Notificaciones de Reportes" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:775 +#: src/components/project/ProjectPortalEditor.tsx:777 msgid "dashboard.dembrane.concrete.description" msgstr "Activa esta función para permitir a los participantes crear y verificar resultados concretos durante sus conversaciones." -#: src/components/project/ProjectPortalEditor.tsx:914 +#: src/components/project/ProjectPortalEditor.tsx:916 msgid "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." msgstr "Habilita esta función para permitir a los participantes recibir notificaciones cuando se publica o actualiza un informe. Los participantes pueden ingresar su correo electrónico para suscribirse a actualizaciones y permanecer informados." @@ -1124,7 +1124,7 @@ msgstr "Habilita esta función para permitir a los participantes recibir notific #~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." #~ msgstr "Habilite esta función para permitir a los participantes solicitar respuestas AI durante su conversación. Los participantes pueden hacer clic en \"Get Reply\" después de grabar sus pensamientos para recibir retroalimentación contextual, alentando una reflexión más profunda y una participación más intensa. Un período de enfriamiento aplica entre solicitudes." -#: src/components/project/ProjectPortalEditor.tsx:575 +#: src/components/project/ProjectPortalEditor.tsx:577 msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." msgstr "Activa esta función para que los participantes puedan pedir respuestas con IA durante su conversación. Después de grabar lo que piensan, pueden hacer clic en \"Profundizar\" para recibir feedback contextual que invita a reflexionar más y a implicarse más. Hay un tiempo de espera entre peticiones." @@ -1140,11 +1140,11 @@ msgstr "Habilitado" #~ msgid "End of list • All {0} conversations loaded" #~ msgstr "Fin de la lista • Todas las {0} conversaciones cargadas" -#: src/components/project/ProjectPortalEditor.tsx:463 +#: src/components/project/ProjectPortalEditor.tsx:464 msgid "English" msgstr "Inglés" -#: src/components/project/ProjectPortalEditor.tsx:133 +#: src/components/project/ProjectPortalEditor.tsx:134 msgid "Enter a key term or proper noun" msgstr "Ingresa un término clave o nombre propio" @@ -1289,7 +1289,7 @@ msgstr "Error al activar la selección automática para este chat" msgid "Failed to finish conversation. Please try again." msgstr "Error al finalizar la conversación. Por favor, inténtalo de nuevo." -#: src/components/participant/verify/VerifySelection.tsx:141 +#: src/components/participant/verify/VerifySelection.tsx:142 msgid "Failed to generate {label}. Please try again." msgstr "Error al generar {label}. Por favor, inténtalo de nuevo." @@ -1447,7 +1447,7 @@ msgstr "Nombre" msgid "Forgot your password?" msgstr "¿Olvidaste tu contraseña?" -#: src/components/project/ProjectPortalEditor.tsx:467 +#: src/components/project/ProjectPortalEditor.tsx:468 msgid "French" msgstr "Francés" @@ -1470,7 +1470,7 @@ msgstr "Generar Resumen" msgid "Generating the summary. Please wait..." msgstr "Generando el resumen. Espera..." -#: src/components/project/ProjectPortalEditor.tsx:465 +#: src/components/project/ProjectPortalEditor.tsx:466 msgid "German" msgstr "Alemán" @@ -1496,7 +1496,7 @@ msgstr "Volver" msgid "participant.concrete.artefact.action.button.go.back" msgstr "Volver" -#: src/components/project/ProjectPortalEditor.tsx:564 +#: src/components/project/ProjectPortalEditor.tsx:566 msgid "Go deeper" msgstr "Profundizar" @@ -1520,8 +1520,12 @@ msgstr "Ir a la nueva conversación" msgid "Has verified artifacts" msgstr "Tiene artefactos verificados" +#: src/components/layout/Header.tsx:194 +msgid "Help us translate" +msgstr "Ayúdanos a traducir" + #. placeholder {0}: user.first_name ?? "User" -#: src/components/layout/Header.tsx:159 +#: src/components/layout/Header.tsx:160 msgid "Hi, {0}" msgstr "Hola, {0}" @@ -1529,7 +1533,7 @@ msgstr "Hola, {0}" msgid "Hidden" msgstr "Oculto" -#: src/components/participant/verify/VerifySelection.tsx:113 +#: src/components/participant/verify/VerifySelection.tsx:114 msgid "Hidden gem" msgstr "Joya oculta" @@ -1664,8 +1668,12 @@ msgstr "Parece que no pudimos cargar este artefacto. Esto podría ser un problem msgid "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." msgstr "Suena como si hablaran más de una persona. Tomar turnos nos ayudará a escuchar a todos claramente." +#: src/components/project/ProjectPortalEditor.tsx:469 +msgid "Italian" +msgstr "Italiano" + #. placeholder {0}: project?.default_conversation_title ?? "the conversation" -#: src/components/project/ProjectQRCode.tsx:99 +#: src/components/project/ProjectQRCode.tsx:103 msgid "Join {0} on Dembrane" msgstr "Únete a {0} en Dembrane" @@ -1680,7 +1688,7 @@ msgstr "Un momento" msgid "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." msgstr "Mantén el acceso seguro con un código de un solo uso de tu aplicación de autenticación. Activa o desactiva la autenticación de dos factores para esta cuenta." -#: src/components/project/ProjectPortalEditor.tsx:456 +#: src/components/project/ProjectPortalEditor.tsx:457 msgid "Language" msgstr "Idioma" @@ -1755,7 +1763,7 @@ msgstr "Nivel de audio en vivo" #~ msgid "Live audio level:" #~ msgstr "Nivel de audio en vivo:" -#: src/components/project/ProjectPortalEditor.tsx:1124 +#: src/components/project/ProjectPortalEditor.tsx:1126 msgid "Live Preview" msgstr "Vista Previa en Vivo" @@ -1785,7 +1793,7 @@ msgstr "Cargando registros de auditoría…" msgid "Loading collections..." msgstr "Cargando colecciones..." -#: src/components/project/ProjectPortalEditor.tsx:831 +#: src/components/project/ProjectPortalEditor.tsx:833 msgid "Loading concrete topics…" msgstr "Cargando temas concretos…" @@ -1810,7 +1818,7 @@ msgstr "cargando..." msgid "Loading..." msgstr "Cargando..." -#: src/components/participant/verify/VerifySelection.tsx:247 +#: src/components/participant/verify/VerifySelection.tsx:248 msgid "Loading…" msgstr "Cargando…" @@ -1826,7 +1834,7 @@ msgstr "Iniciar sesión | Dembrane" msgid "Login as an existing user" msgstr "Iniciar sesión como usuario existente" -#: src/components/layout/Header.tsx:191 +#: src/components/layout/Header.tsx:201 msgid "Logout" msgstr "Cerrar sesión" @@ -1835,7 +1843,7 @@ msgid "Longest First" msgstr "Más largo primero" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:762 +#: src/components/project/ProjectPortalEditor.tsx:764 msgid "dashboard.dembrane.concrete.title" msgstr "Hacerlo concreto" @@ -1869,7 +1877,7 @@ msgstr "El acceso al micrófono sigue denegado. Por favor verifica tu configurac #~ msgid "min" #~ msgstr "min" -#: src/components/project/ProjectPortalEditor.tsx:615 +#: src/components/project/ProjectPortalEditor.tsx:617 msgid "Mode" msgstr "Modo" @@ -1939,7 +1947,7 @@ msgid "Newest First" msgstr "Más nuevos primero" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:396 +#: src/components/participant/ParticipantOnboardingCards.tsx:421 msgid "participant.button.next" msgstr "Siguiente" @@ -1949,7 +1957,7 @@ msgid "participant.ready.to.begin.button.text" msgstr "¿Listo para comenzar?" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:249 +#: src/components/participant/verify/VerifySelection.tsx:250 msgid "participant.concrete.selection.button.next" msgstr "Siguiente" @@ -1990,7 +1998,7 @@ msgstr "No se encontraron chats. Inicia un chat usando el botón \"Preguntar\"." msgid "No collections found" msgstr "No se encontraron colecciones" -#: src/components/project/ProjectPortalEditor.tsx:835 +#: src/components/project/ProjectPortalEditor.tsx:837 msgid "No concrete topics available." msgstr "No hay temas concretos disponibles." @@ -2088,7 +2096,7 @@ msgstr "Aún no existe transcripción para esta conversación. Por favor, revisa msgid "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." msgstr "No se seleccionaron archivos de audio válidos. Por favor, selecciona solo archivos de audio (MP3, WAV, OGG, etc)." -#: src/components/participant/verify/VerifySelection.tsx:211 +#: src/components/participant/verify/VerifySelection.tsx:212 msgid "No verification topics are configured for this project." msgstr "No hay temas de verificación configurados para este proyecto." @@ -2178,7 +2186,7 @@ msgstr "Vista General" msgid "Overview - Themes & patterns" msgstr "Overview - Temas y patrones" -#: src/components/project/ProjectPortalEditor.tsx:990 +#: src/components/project/ProjectPortalEditor.tsx:992 msgid "Page Content" msgstr "Contenido de la Página" @@ -2186,7 +2194,7 @@ msgstr "Contenido de la Página" msgid "Page not found" msgstr "Página no encontrada" -#: src/components/project/ProjectPortalEditor.tsx:967 +#: src/components/project/ProjectPortalEditor.tsx:969 msgid "Page Title" msgstr "Título de la Página" @@ -2195,7 +2203,7 @@ msgstr "Título de la Página" msgid "Participant" msgstr "Participante" -#: src/components/project/ProjectPortalEditor.tsx:558 +#: src/components/project/ProjectPortalEditor.tsx:560 msgid "Participant Features" msgstr "Funciones para participantes" @@ -2361,7 +2369,7 @@ msgstr "Por favor, revisa tus entradas para errores." #~ msgid "Please do not close your browser" #~ msgstr "Por favor, no cierres su navegador" -#: src/components/project/ProjectQRCode.tsx:129 +#: src/components/project/ProjectQRCode.tsx:133 msgid "Please enable participation to enable sharing" msgstr "Por favor, habilite la participación para habilitar el uso compartido" @@ -2442,11 +2450,11 @@ msgstr "Por favor, espera mientras actualizamos tu informe. Serás redirigido au msgid "Please wait while we verify your email address." msgstr "Por favor, espera mientras verificamos tu dirección de correo electrónico." -#: src/components/project/ProjectPortalEditor.tsx:957 +#: src/components/project/ProjectPortalEditor.tsx:959 msgid "Portal Content" msgstr "Contenido del Portal" -#: src/components/project/ProjectPortalEditor.tsx:415 +#: src/components/project/ProjectPortalEditor.tsx:416 #: src/components/layout/ProjectOverviewLayout.tsx:43 msgid "Portal Editor" msgstr "Editor del Portal" @@ -2566,7 +2574,7 @@ msgid "Read aloud" msgstr "Leer en voz alta" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:259 +#: src/components/participant/ParticipantOnboardingCards.tsx:284 msgid "participant.ready.to.begin" msgstr "¿Listo para comenzar?" @@ -2618,7 +2626,7 @@ msgstr "Referencias" msgid "participant.button.refine" msgstr "Refinar" -#: src/components/project/ProjectPortalEditor.tsx:1132 +#: src/components/project/ProjectPortalEditor.tsx:1134 msgid "Refresh" msgstr "Actualizar" @@ -2691,7 +2699,7 @@ msgstr "Renombrar" #~ msgid "Rename" #~ msgstr "Renombrar" -#: src/components/project/ProjectPortalEditor.tsx:730 +#: src/components/project/ProjectPortalEditor.tsx:732 msgid "Reply Prompt" msgstr "Prompt de Respuesta" @@ -2701,7 +2709,7 @@ msgstr "Prompt de Respuesta" msgid "Report" msgstr "Informe" -#: src/components/layout/Header.tsx:75 +#: src/components/layout/Header.tsx:76 msgid "Report an issue" msgstr "Reportar un problema" @@ -2714,7 +2722,7 @@ msgstr "Informe creado - {0}" msgid "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." msgstr "La generación de informes está actualmente en fase beta y limitada a proyectos con menos de 10 horas de grabación." -#: src/components/project/ProjectPortalEditor.tsx:911 +#: src/components/project/ProjectPortalEditor.tsx:913 msgid "Report Notifications" msgstr "Notificaciones de Reportes" @@ -2894,7 +2902,7 @@ msgstr "Secreto copiado" #~ msgid "See conversation status details" #~ msgstr "Ver detalles del estado de la conversación" -#: src/components/layout/Header.tsx:105 +#: src/components/layout/Header.tsx:106 msgid "See you soon" msgstr "Hasta pronto" @@ -2925,20 +2933,20 @@ msgstr "Seleccionar Proyecto" msgid "Select tags" msgstr "Seleccionar etiquetas" -#: src/components/project/ProjectPortalEditor.tsx:524 +#: src/components/project/ProjectPortalEditor.tsx:526 msgid "Select the instructions that will be shown to participants when they start a conversation" msgstr "Selecciona las instrucciones que se mostrarán a los participantes cuando inicien una conversación" -#: src/components/project/ProjectPortalEditor.tsx:620 +#: src/components/project/ProjectPortalEditor.tsx:622 msgid "Select the type of feedback or engagement you want to encourage." msgstr "Selecciona el tipo de retroalimentación o participación que quieres fomentar." -#: src/components/project/ProjectPortalEditor.tsx:512 +#: src/components/project/ProjectPortalEditor.tsx:514 msgid "Select tutorial" msgstr "Seleccionar tutorial" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:824 +#: src/components/project/ProjectPortalEditor.tsx:826 msgid "dashboard.dembrane.concrete.topic.select" msgstr "Selecciona qué temas pueden usar los participantes para verificación." @@ -2979,7 +2987,7 @@ msgstr "Configurando tu primer proyecto" #: src/routes/settings/UserSettingsRoute.tsx:39 #: src/components/layout/ParticipantHeader.tsx:93 #: src/components/layout/ParticipantHeader.tsx:94 -#: src/components/layout/Header.tsx:170 +#: src/components/layout/Header.tsx:171 msgid "Settings" msgstr "Configuración" @@ -2992,7 +3000,7 @@ msgstr "Configuración" msgid "Settings | Dembrane" msgstr "Configuración | Dembrane" -#: src/components/project/ProjectQRCode.tsx:104 +#: src/components/project/ProjectQRCode.tsx:108 msgid "Share" msgstr "Compartir" @@ -3069,7 +3077,7 @@ msgstr "Mostrando {displayFrom}–{displayTo} de {totalItems} entradas" #~ msgstr "Iniciar sesión con Google" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:281 +#: src/components/participant/ParticipantOnboardingCards.tsx:306 msgid "participant.mic.check.button.skip" msgstr "Omitir" @@ -3080,7 +3088,7 @@ msgstr "Omitir" #~ msgid "Skip data privacy slide (Host manages consent)" #~ msgstr "Omitir diapositiva de privacidad (El anfitrión gestiona el consentimiento)" -#: src/components/project/ProjectPortalEditor.tsx:531 +#: src/components/project/ProjectPortalEditor.tsx:533 msgid "Skip data privacy slide (Host manages legal base)" msgstr "Omitir diapositiva de privacidad (El anfitrión gestiona la base legal)" @@ -3149,14 +3157,14 @@ msgstr "Fuente {0}" #~ msgid "Sources:" #~ msgstr "Fuentes:" -#: src/components/project/ProjectPortalEditor.tsx:466 +#: src/components/project/ProjectPortalEditor.tsx:467 msgid "Spanish" msgstr "Español" #~ msgid "Speaker" #~ msgstr "Locutor" -#: src/components/project/ProjectPortalEditor.tsx:124 +#: src/components/project/ProjectPortalEditor.tsx:125 msgid "Specific Context" msgstr "Contexto Específico" @@ -3308,7 +3316,7 @@ msgstr "Texto" msgid "Thank you for participating!" msgstr "¡Gracias por participar!" -#: src/components/project/ProjectPortalEditor.tsx:1020 +#: src/components/project/ProjectPortalEditor.tsx:1022 msgid "Thank You Page Content" msgstr "Contenido de la Página de Gracias" @@ -3433,7 +3441,7 @@ msgstr "Este correo electrónico ya está en la lista." msgid "participant.modal.refine.info.available.in" msgstr "Esta función estará disponible en {remainingTime} segundos." -#: src/components/project/ProjectPortalEditor.tsx:1136 +#: src/components/project/ProjectPortalEditor.tsx:1138 msgid "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." msgstr "Esta es una vista previa en vivo del portal del participante. Necesitarás actualizar la página para ver los cambios más recientes." @@ -3451,22 +3459,22 @@ msgstr "Biblioteca" #~ msgid "This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header." #~ msgstr "Este idioma se usará para el Portal del Participante y transcripción. Para cambiar el idioma de esta aplicación, por favor use el selector de idioma en las configuraciones de la cabecera." -#: src/components/project/ProjectPortalEditor.tsx:461 +#: src/components/project/ProjectPortalEditor.tsx:462 msgid "This language will be used for the Participant's Portal." msgstr "Este idioma se usará para el Portal del Participante." -#: src/components/project/ProjectPortalEditor.tsx:1030 +#: src/components/project/ProjectPortalEditor.tsx:1032 msgid "This page is shown after the participant has completed the conversation." msgstr "Esta página se muestra después de que el participante haya completado la conversación." -#: src/components/project/ProjectPortalEditor.tsx:1000 +#: src/components/project/ProjectPortalEditor.tsx:1002 msgid "This page is shown to participants when they start a conversation after they successfully complete the tutorial." msgstr "Esta página se muestra a los participantes cuando inician una conversación después de completar correctamente el tutorial." #~ msgid "This project library was generated on" #~ msgstr "Esta biblioteca del proyecto se generó el" -#: src/components/project/ProjectPortalEditor.tsx:741 +#: src/components/project/ProjectPortalEditor.tsx:743 msgid "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." msgstr "Esta prompt guía cómo la IA responde a los participantes. Personaliza la prompt para formar el tipo de retroalimentación o participación que quieres fomentar." @@ -3482,7 +3490,7 @@ msgstr "Este informe fue abierto por {0} personas" #~ msgid "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." #~ msgstr "Este resumen es generado por IA y es breve, para un análisis detallado, usa el Chat o la Biblioteca." -#: src/components/project/ProjectPortalEditor.tsx:978 +#: src/components/project/ProjectPortalEditor.tsx:980 msgid "This title is shown to participants when they start a conversation" msgstr "Este título se muestra a los participantes cuando inician una conversación" @@ -3948,7 +3956,7 @@ msgid "What are the main themes across all conversations?" msgstr "¿Cuáles son los temas principales en todas las conversaciones?" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:195 +#: src/components/participant/verify/VerifySelection.tsx:196 msgid "participant.concrete.selection.title" msgstr "¿Qué quieres verificar?" diff --git a/echo/frontend/src/locales/es-ES.ts b/echo/frontend/src/locales/es-ES.ts index ee9bdd92..0fce7c9f 100644 --- a/echo/frontend/src/locales/es-ES.ts +++ b/echo/frontend/src/locales/es-ES.ts @@ -1 +1 @@ -/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"No estás autenticado\"],\"You don't have permission to access this.\":[\"No tienes permiso para acceder a esto.\"],\"Resource not found\":[\"Recurso no encontrado\"],\"Server error\":[\"Error del servidor\"],\"Something went wrong\":[\"Algo salió mal\"],\"We're preparing your workspace.\":[\"Estamos preparando tu espacio de trabajo.\"],\"Preparing your dashboard\":[\"Preparando tu dashboard\"],\"Welcome back\":[\"Bienvenido de nuevo\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"dashboard.dembrane.concrete.experimental\"],\"participant.button.go.deeper\":[\"Profundizar\"],\"participant.button.make.concrete\":[\"Concretar\"],\"library.generate.duration.message\":[\"La biblioteca tardará \",[\"duration\"]],\"uDvV8j\":[\"Enviar\"],\"aMNEbK\":[\"Desuscribirse de Notificaciones\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"profundizar\"],\"participant.modal.refine.info.title.concrete\":[\"concretar\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refinar\\\" Disponible pronto\"],\"2NWk7n\":[\"(para procesamiento de audio mejorado)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" listo\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversaciones • Editado \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" seleccionadas\"],\"P1pDS8\":[[\"diffInDays\"],\" días atrás\"],\"bT6AxW\":[[\"diffInHours\"],\" horas atrás\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Actualmente, \",\"#\",\" conversación está lista para ser analizada.\"],\"other\":[\"Actualmente, \",\"#\",\" conversaciones están listas para ser analizadas.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"TVD5At\":[[\"readingNow\"],\" leyendo ahora\"],\"U7Iesw\":[[\"seconds\"],\" segundos\"],\"library.conversations.still.processing\":[[\"0\"],\" aún en proceso.\"],\"ZpJ0wx\":[\"*Transcripción en progreso.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Espera \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspectos\"],\"DX/Wkz\":[\"Contraseña de la cuenta\"],\"L5gswt\":[\"Acción de\"],\"UQXw0W\":[\"Acción sobre\"],\"7L01XJ\":[\"Acciones\"],\"m16xKo\":[\"Añadir\"],\"1m+3Z3\":[\"Añadir contexto adicional (Opcional)\"],\"Se1KZw\":[\"Añade todos los que correspondan\"],\"1xDwr8\":[\"Añade términos clave o nombres propios para mejorar la calidad y precisión de la transcripción.\"],\"ndpRPm\":[\"Añade nuevas grabaciones a este proyecto. Los archivos que subas aquí serán procesados y aparecerán en las conversaciones.\"],\"Ralayn\":[\"Añadir Etiqueta\"],\"IKoyMv\":[\"Añadir Etiquetas\"],\"NffMsn\":[\"Añadir a este chat\"],\"Na90E+\":[\"E-mails añadidos\"],\"SJCAsQ\":[\"Añadiendo Contexto:\"],\"OaKXud\":[\"Avanzado (Consejos y best practices)\"],\"TBpbDp\":[\"Avanzado (Consejos y trucos)\"],\"JiIKww\":[\"Configuración Avanzada\"],\"cF7bEt\":[\"Todas las acciones\"],\"O1367B\":[\"Todas las colecciones\"],\"Cmt62w\":[\"Todas las conversaciones están listas\"],\"u/fl/S\":[\"Todas las archivos se han subido correctamente.\"],\"baQJ1t\":[\"Todos los Insights\"],\"3goDnD\":[\"Permitir a los participantes usar el enlace para iniciar nuevas conversaciones\"],\"bruUug\":[\"Casi listo\"],\"H7cfSV\":[\"Ya añadido a este chat\"],\"jIoHDG\":[\"Se enviará una notificación por correo electrónico a \",[\"0\"],\" participante\",[\"1\"],\". ¿Quieres continuar?\"],\"G54oFr\":[\"Se enviará una notificación por correo electrónico a \",[\"0\"],\" participante\",[\"1\"],\". ¿Quieres continuar?\"],\"8q/YVi\":[\"Ocurrió un error al cargar el Portal. Por favor, contacta al equipo de soporte.\"],\"XyOToQ\":[\"Ocurrió un error.\"],\"QX6zrA\":[\"Análisis\"],\"F4cOH1\":[\"Lenguaje de análisis\"],\"1x2m6d\":[\"Analiza estos elementos con profundidad y matiz. Por favor:\\n\\nEnfoque en las conexiones inesperadas y contrastes\\nPasa más allá de las comparaciones superficiales\\nIdentifica patrones ocultos que la mayoría de las analíticas pasan por alto\\nMantén el rigor analítico mientras sigues siendo atractivo\\nUsa ejemplos que iluminan principios más profundos\\nEstructura el análisis para construir una comprensión\\nDibuja insights que contradicen ideas convencionales\\n\\nNota: Si las similitudes/diferencias son demasiado superficiales, por favor házmelo saber, necesitamos material más complejo para analizar.\"],\"Dzr23X\":[\"Anuncios\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"aprobar\"],\"conversation.verified.approved\":[\"Aprobado\"],\"Q5Z2wp\":[\"¿Estás seguro de que quieres eliminar esta conversación? Esta acción no se puede deshacer.\"],\"kWiPAC\":[\"¿Estás seguro de que quieres eliminar este proyecto?\"],\"YF1Re1\":[\"¿Estás seguro de que quieres eliminar este proyecto? Esta acción no se puede deshacer.\"],\"B8ymes\":[\"¿Estás seguro de que quieres eliminar esta grabación?\"],\"G2gLnJ\":[\"¿Estás seguro de que quieres eliminar esta etiqueta?\"],\"aUsm4A\":[\"¿Estás seguro de que quieres eliminar esta etiqueta? Esto eliminará la etiqueta de las conversaciones existentes que la contienen.\"],\"participant.modal.finish.message.text.mode\":[\"¿Estás seguro de que quieres terminar la conversación?\"],\"xu5cdS\":[\"¿Estás seguro de que quieres terminar?\"],\"sOql0x\":[\"¿Estás seguro de que quieres generar la biblioteca? Esto tomará un tiempo y sobrescribirá tus vistas e insights actuales.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"¿Estás seguro de que quieres regenerar el resumen? Perderás el resumen actual.\"],\"JHgUuT\":[\"¡Artefacto aprobado exitosamente!\"],\"IbpaM+\":[\"¡Artefacto recargado exitosamente!\"],\"Qcm/Tb\":[\"¡Artefacto revisado exitosamente!\"],\"uCzCO2\":[\"¡Artefacto actualizado exitosamente!\"],\"KYehbE\":[\"artefactos\"],\"jrcxHy\":[\"Artefactos\"],\"F+vBv0\":[\"Preguntar\"],\"Rjlwvz\":[\"¿Preguntar por el nombre?\"],\"5gQcdD\":[\"Pedir a los participantes que proporcionen su nombre cuando inicien una conversación\"],\"84NoFa\":[\"Aspecto\"],\"HkigHK\":[\"Aspectos\"],\"kskjVK\":[\"El asistente está escribiendo...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"Tienes que seleccionar al menos un tema para activar Hacerlo concreto\"],\"DMBYlw\":[\"Procesamiento de audio en progreso\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Las grabaciones de audio están programadas para eliminarse después de 30 días desde la fecha de grabación\"],\"IOBCIN\":[\"Consejo de audio\"],\"y2W2Hg\":[\"Registros de auditoría\"],\"aL1eBt\":[\"Registros de auditoría exportados a CSV\"],\"mS51hl\":[\"Registros de auditoría exportados a JSON\"],\"z8CQX2\":[\"Código de autenticación\"],\"/iCiQU\":[\"Seleccionar automáticamente\"],\"3D5FPO\":[\"Seleccionar automáticamente desactivado\"],\"ajAMbT\":[\"Seleccionar automáticamente activado\"],\"jEqKwR\":[\"Seleccionar fuentes para añadir al chat\"],\"vtUY0q\":[\"Incluye automáticamente conversaciones relevantes para el análisis sin selección manual\"],\"csDS2L\":[\"Disponible\"],\"participant.button.back.microphone\":[\"Volver\"],\"participant.button.back\":[\"Volver\"],\"iH8pgl\":[\"Atrás\"],\"/9nVLo\":[\"Volver a la selección\"],\"wVO5q4\":[\"Básico (Diapositivas esenciales del tutorial)\"],\"epXTwc\":[\"Configuración Básica\"],\"GML8s7\":[\"¡Comenzar!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Visión general\"],\"vZERag\":[\"Visión general - Temas y patrones\"],\"YgG3yv\":[\"Ideas de brainstorming\"],\"ba5GvN\":[\"Al eliminar este proyecto, eliminarás todos los datos asociados con él. Esta acción no se puede deshacer. ¿Estás ABSOLUTAMENTE seguro de que quieres eliminar este proyecto?\"],\"dEgA5A\":[\"Cancelar\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Cancelar\"],\"participant.concrete.action.button.cancel\":[\"cancelar\"],\"participant.concrete.instructions.button.cancel\":[\"cancelar\"],\"RKD99R\":[\"No se puede añadir una conversación vacía\"],\"JFFJDJ\":[\"Los cambios se guardan automáticamente mientras continúas usando la aplicación. <0/>Una vez que tengas cambios sin guardar, puedes hacer clic en cualquier lugar para guardar los cambios. <1/>También verás un botón para Cancelar los cambios.\"],\"u0IJto\":[\"Los cambios se guardarán automáticamente\"],\"xF/jsW\":[\"Cambiar el idioma durante una conversación activa puede provocar resultados inesperados. Se recomienda iniciar una nueva conversación después de cambiar el idioma. ¿Estás seguro de que quieres continuar?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Verificar acceso al micrófono\"],\"+e4Yxz\":[\"Verificar acceso al micrófono\"],\"v4fiSg\":[\"Revisa tu correo electrónico\"],\"pWT04I\":[\"Comprobando...\"],\"DakUDF\":[\"Elige el tema que prefieras para la interfaz\"],\"0ngaDi\":[\"Citar las siguientes fuentes\"],\"B2pdef\":[\"Haz clic en \\\"Subir archivos\\\" cuando estés listo para iniciar el proceso de subida.\"],\"BPrdpc\":[\"Clonar proyecto\"],\"9U86tL\":[\"Clonar proyecto\"],\"yz7wBu\":[\"Cerrar\"],\"q+hNag\":[\"Colección\"],\"Wqc3zS\":[\"Comparar y Contrastar\"],\"jlZul5\":[\"Compara y contrasta los siguientes elementos proporcionados en el contexto.\"],\"bD8I7O\":[\"Completar\"],\"6jBoE4\":[\"Temas concretos\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Continuar\"],\"yjkELF\":[\"Confirmar Nueva Contraseña\"],\"p2/GCq\":[\"Confirmar Contraseña\"],\"puQ8+/\":[\"Publicar\"],\"L0k594\":[\"Confirma tu contraseña para generar un nuevo secreto para tu aplicación de autenticación.\"],\"JhzMcO\":[\"Conectando a los servicios de informes...\"],\"wX/BfX\":[\"Conexión saludable\"],\"WimHuY\":[\"Conexión no saludable\"],\"DFFB2t\":[\"Contactar a ventas\"],\"VlCTbs\":[\"Contacta a tu representante de ventas para activar esta función hoy!\"],\"M73whl\":[\"Contexto\"],\"VHSco4\":[\"Contexto añadido:\"],\"participant.button.continue\":[\"Continuar\"],\"xGVfLh\":[\"Continuar\"],\"F1pfAy\":[\"conversación\"],\"EiHu8M\":[\"Conversación añadida al chat\"],\"ggJDqH\":[\"Audio de la conversación\"],\"participant.conversation.ended\":[\"Conversación terminada\"],\"BsHMTb\":[\"Conversación Terminada\"],\"26Wuwb\":[\"Procesando conversación\"],\"OtdHFE\":[\"Conversación eliminada del chat\"],\"zTKMNm\":[\"Estado de la conversación\"],\"Rdt7Iv\":[\"Detalles del estado de la conversación\"],\"a7zH70\":[\"conversaciones\"],\"EnJuK0\":[\"Conversaciones\"],\"TQ8ecW\":[\"Conversaciones desde código QR\"],\"nmB3V3\":[\"Conversaciones desde subida\"],\"participant.refine.cooling.down\":[\"Enfriándose. Disponible en \",[\"0\"]],\"6V3Ea3\":[\"Copiado\"],\"he3ygx\":[\"Copiar\"],\"y1eoq1\":[\"Copiar enlace\"],\"Dj+aS5\":[\"Copiar enlace para compartir este informe\"],\"vAkFou\":[\"Copy secret\"],\"v3StFl\":[\"Copiar Resumen\"],\"/4gGIX\":[\"Copiar al portapapeles\"],\"rG2gDo\":[\"Copiar transcripción\"],\"OvEjsP\":[\"Copiando...\"],\"hYgDIe\":[\"Crear\"],\"CSQPC0\":[\"Crear una Cuenta\"],\"library.create\":[\"Crear biblioteca\"],\"O671Oh\":[\"Crear Biblioteca\"],\"library.create.view.modal.title\":[\"Crear nueva vista\"],\"vY2Gfm\":[\"Crear nueva vista\"],\"bsfMt3\":[\"Crear informe\"],\"library.create.view\":[\"Crear vista\"],\"3D0MXY\":[\"Crear Vista\"],\"45O6zJ\":[\"Creado el\"],\"8Tg/JR\":[\"Personalizado\"],\"o1nIYK\":[\"Nombre de archivo personalizado\"],\"ZQKLI1\":[\"Zona de Peligro\"],\"ovBPCi\":[\"Predeterminado\"],\"ucTqrC\":[\"Predeterminado - Sin tutorial (Solo declaraciones de privacidad)\"],\"project.sidebar.chat.delete\":[\"Eliminar chat\"],\"cnGeoo\":[\"Eliminar\"],\"2DzmAq\":[\"Eliminar Conversación\"],\"++iDlT\":[\"Eliminar Proyecto\"],\"+m7PfT\":[\"Eliminado con éxito\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane funciona con IA. Revisa bien las respuestas.\"],\"67znul\":[\"Dembrane Respuesta\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Desarrolla un marco estratégico que impulse resultados significativos. Por favor:\\n\\nIdentifica objetivos centrales y sus interdependencias\\nMapa de implementación con plazos realistas\\nAnticipa obstáculos potenciales y estrategias de mitigación\\nDefine métricas claras para el éxito más allá de los indicadores de vanidad\\nResalta requisitos de recursos y prioridades de asignación\\nEstructura el plan para ambas acciones inmediatas y visión a largo plazo\\nIncluye puertas de decisión y puntos de pivote\\n\\nNota: Enfócate en estrategias que crean ventajas competitivas duraderas, no solo mejoras incrementales.\"],\"qERl58\":[\"Desactivar 2FA\"],\"yrMawf\":[\"Desactivar autenticación de dos factores\"],\"E/QGRL\":[\"Desactivado\"],\"LnL5p2\":[\"¿Quieres contribuir a este proyecto?\"],\"JeOjN4\":[\"¿Quieres estar en el bucle?\"],\"TvY/XA\":[\"Documentación\"],\"mzI/c+\":[\"Descargar\"],\"5YVf7S\":[\"Descargar todas las transcripciones de conversaciones generadas para este proyecto.\"],\"5154Ap\":[\"Descargar Todas las Transcripciones\"],\"8fQs2Z\":[\"Descargar como\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Descargar Audio\"],\"+bBcKo\":[\"Descargar transcripción\"],\"5XW2u5\":[\"Opciones de Descarga de Transcripción\"],\"hUO5BY\":[\"Arrastra archivos de audio aquí o haz clic para seleccionar archivos\"],\"KIjvtr\":[\"Holandés\"],\"HA9VXi\":[\"Echo\"],\"rH6cQt\":[\"Echo está impulsado por IA. Por favor, verifica las respuestas.\"],\"o6tfKZ\":[\"ECHO está impulsado por IA. Por favor, verifica las respuestas.\"],\"/IJH/2\":[\"¡ECHO!\"],\"9WkyHF\":[\"Editar Conversación\"],\"/8fAkm\":[\"Editar nombre de archivo\"],\"G2KpGE\":[\"Editar Proyecto\"],\"DdevVt\":[\"Editar Contenido del Informe\"],\"0YvCPC\":[\"Editar Recurso\"],\"report.editor.description\":[\"Edita el contenido del informe usando el editor de texto enriquecido a continuación. Puede formatear texto, agregar enlaces, imágenes y más.\"],\"F6H6Lg\":[\"Modo de edición\"],\"O3oNi5\":[\"Correo electrónico\"],\"wwiTff\":[\"Verificación de Correo Electrónico\"],\"Ih5qq/\":[\"Verificación de Correo Electrónico | Dembrane\"],\"iF3AC2\":[\"Correo electrónico verificado con éxito. Serás redirigido a la página de inicio de sesión en 5 segundos. Si no eres redirigido, por favor haz clic <0>aquí.\"],\"g2N9MJ\":[\"email@trabajo.com\"],\"N2S1rs\":[\"Vacío\"],\"DCRKbe\":[\"Activar 2FA\"],\"ycR/52\":[\"Habilitar Dembrane Echo\"],\"mKGCnZ\":[\"Habilitar Dembrane ECHO\"],\"Dh2kHP\":[\"Habilitar Dembrane Respuesta\"],\"d9rIJ1\":[\"Activar Dembrane Verify\"],\"+ljZfM\":[\"Activar Profundizar\"],\"wGA7d4\":[\"Activar Hacerlo concreto\"],\"G3dSLc\":[\"Habilitar Notificaciones de Reportes\"],\"dashboard.dembrane.concrete.description\":[\"Activa esta función para permitir a los participantes crear y verificar resultados concretos durante sus conversaciones.\"],\"Idlt6y\":[\"Habilita esta función para permitir a los participantes recibir notificaciones cuando se publica o actualiza un informe. Los participantes pueden ingresar su correo electrónico para suscribirse a actualizaciones y permanecer informados.\"],\"g2qGhy\":[\"Habilita esta función para permitir a los participantes solicitar respuestas impulsadas por IA durante su conversación. Los participantes pueden hacer clic en \\\"Echo\\\" después de grabar sus pensamientos para recibir retroalimentación contextual, fomentando una reflexión más profunda y mayor participación. Se aplica un período de enfriamiento entre solicitudes.\"],\"pB03mG\":[\"Habilita esta función para permitir a los participantes solicitar respuestas impulsadas por IA durante su conversación. Los participantes pueden hacer clic en \\\"ECHO\\\" después de grabar sus pensamientos para recibir retroalimentación contextual, fomentando una reflexión más profunda y mayor participación. Se aplica un período de enfriamiento entre solicitudes.\"],\"dWv3hs\":[\"Habilite esta función para permitir a los participantes solicitar respuestas AI durante su conversación. Los participantes pueden hacer clic en \\\"Get Reply\\\" después de grabar sus pensamientos para recibir retroalimentación contextual, alentando una reflexión más profunda y una participación más intensa. Un período de enfriamiento aplica entre solicitudes.\"],\"rkE6uN\":[\"Activa esta función para que los participantes puedan pedir respuestas con IA durante su conversación. Después de grabar lo que piensan, pueden hacer clic en \\\"Profundizar\\\" para recibir feedback contextual que invita a reflexionar más y a implicarse más. Hay un tiempo de espera entre peticiones.\"],\"329BBO\":[\"Activar autenticación de dos factores\"],\"RxzN1M\":[\"Habilitado\"],\"IxzwiB\":[\"Fin de la lista • Todas las \",[\"0\"],\" conversaciones cargadas\"],\"lYGfRP\":[\"Inglés\"],\"GboWYL\":[\"Ingresa un término clave o nombre propio\"],\"TSHJTb\":[\"Ingresa un nombre para el nuevo conversation\"],\"KovX5R\":[\"Ingresa un nombre para tu proyecto clonado\"],\"34YqUw\":[\"Ingresa un código válido para desactivar la autenticación de dos factores.\"],\"2FPsPl\":[\"Ingresa el nombre del archivo (sin extensión)\"],\"vT+QoP\":[\"Ingresa un nuevo nombre para el chat:\"],\"oIn7d4\":[\"Ingresa el código de 6 dígitos de tu aplicación de autenticación.\"],\"q1OmsR\":[\"Ingresa el código actual de seis dígitos de tu aplicación de autenticación.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Ingresa tu contraseña\"],\"42tLXR\":[\"Ingresa tu consulta\"],\"SlfejT\":[\"Error\"],\"Ne0Dr1\":[\"Error al clonar el proyecto\"],\"AEkJ6x\":[\"Error al crear el informe\"],\"S2MVUN\":[\"Error al cargar los anuncios\"],\"xcUDac\":[\"Error al cargar los insights\"],\"edh3aY\":[\"Error al cargar el proyecto\"],\"3Uoj83\":[\"Error al cargar las citas\"],\"z05QRC\":[\"Error al actualizar el informe\"],\"hmk+3M\":[\"Error al subir \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Acceso al micrófono verificado con éxito\"],\"/PykH1\":[\"Todo parece bien – puedes continuar.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimental\"],\"/bsogT\":[\"Explora temas y patrones en todas las conversaciones\"],\"sAod0Q\":[\"Explorando \",[\"conversationCount\"],\" conversaciones\"],\"GS+Mus\":[\"Exportar\"],\"7Bj3x9\":[\"Error\"],\"bh2Vob\":[\"Error al añadir la conversación al chat\"],\"ajvYcJ\":[\"Error al añadir la conversación al chat\",[\"0\"]],\"9GMUFh\":[\"Error al aprobar el artefacto. Por favor, inténtalo de nuevo.\"],\"RBpcoc\":[\"Error al copiar el chat. Por favor, inténtalo de nuevo.\"],\"uvu6eC\":[\"No se pudo copiar la transcripción. Inténtalo de nuevo.\"],\"BVzTya\":[\"Error al eliminar la respuesta\"],\"p+a077\":[\"Error al desactivar la selección automática para este chat\"],\"iS9Cfc\":[\"Error al activar la selección automática para este chat\"],\"Gu9mXj\":[\"Error al finalizar la conversación. Por favor, inténtalo de nuevo.\"],\"vx5bTP\":[\"Error al generar \",[\"label\"],\". Por favor, inténtalo de nuevo.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Error al generar el resumen. Inténtalo de nuevo más tarde.\"],\"DKxr+e\":[\"Error al obtener los anuncios\"],\"TSt/Iq\":[\"Error al obtener la última notificación\"],\"D4Bwkb\":[\"Error al obtener el número de notificaciones no leídas\"],\"AXRzV1\":[\"Error al cargar el audio o el audio no está disponible\"],\"T7KYJY\":[\"Error al marcar todos los anuncios como leídos\"],\"eGHX/x\":[\"Error al marcar el anuncio como leído\"],\"SVtMXb\":[\"Error al regenerar el resumen. Por favor, inténtalo de nuevo más tarde.\"],\"h49o9M\":[\"Error al recargar. Por favor, inténtalo de nuevo.\"],\"kE1PiG\":[\"Error al eliminar la conversación del chat\"],\"+piK6h\":[\"Error al eliminar la conversación del chat\",[\"0\"]],\"SmP70M\":[\"Error al retranscribir la conversación. Por favor, inténtalo de nuevo.\"],\"hhLiKu\":[\"Error al revisar el artefacto. Por favor, inténtalo de nuevo.\"],\"wMEdO3\":[\"Error al detener la grabación al cambiar el dispositivo. Por favor, inténtalo de nuevo.\"],\"wH6wcG\":[\"Error al verificar el estado del correo electrónico. Por favor, inténtalo de nuevo.\"],\"participant.modal.refine.info.title\":[\"Función disponible pronto\"],\"87gcCP\":[\"El archivo \\\"\",[\"0\"],\"\\\" excede el tamaño máximo de \",[\"1\"],\".\"],\"ena+qV\":[\"El archivo \\\"\",[\"0\"],\"\\\" tiene un formato no soportado. Solo se permiten archivos de audio.\"],\"LkIAge\":[\"El archivo \\\"\",[\"0\"],\"\\\" no es un formato de audio soportado. Solo se permiten archivos de audio.\"],\"RW2aSn\":[\"El archivo \\\"\",[\"0\"],\"\\\" es demasiado pequeño (\",[\"1\"],\"). El tamaño mínimo es \",[\"2\"],\".\"],\"+aBwxq\":[\"Tamaño del archivo: Mínimo \",[\"0\"],\", Máximo \",[\"1\"],\", hasta \",[\"MAX_FILES\"],\" archivos\"],\"o7J4JM\":[\"Filtrar\"],\"5g0xbt\":[\"Filtrar registros de auditoría por acción\"],\"9clinz\":[\"Filtrar registros de auditoría por colección\"],\"O39Ph0\":[\"Filtrar por acción\"],\"DiDNkt\":[\"Filtrar por colección\"],\"participant.button.stop.finish\":[\"Finalizar\"],\"participant.button.finish.text.mode\":[\"Finalizar\"],\"participant.button.finish\":[\"Finalizar\"],\"JmZ/+d\":[\"Finalizar\"],\"participant.modal.finish.title.text.mode\":[\"¿Estás seguro de que quieres terminar la conversación?\"],\"4dQFvz\":[\"Finalizado\"],\"kODvZJ\":[\"Nombre\"],\"MKEPCY\":[\"Seguir\"],\"JnPIOr\":[\"Seguir reproducción\"],\"glx6on\":[\"¿Olvidaste tu contraseña?\"],\"nLC6tu\":[\"Francés\"],\"tSA0hO\":[\"Generar perspectivas a partir de tus conversaciones\"],\"QqIxfi\":[\"Generar secreto\"],\"tM4cbZ\":[\"Generar notas estructuradas de la reunión basadas en los siguientes puntos de discusión proporcionados en el contexto.\"],\"gitFA/\":[\"Generar Resumen\"],\"kzY+nd\":[\"Generando el resumen. Espera...\"],\"DDcvSo\":[\"Alemán\"],\"u9yLe/\":[\"Obtén una respuesta inmediata de Dembrane para ayudarte a profundizar en la conversación.\"],\"participant.refine.go.deeper.description\":[\"Obtén una respuesta inmediata de Dembrane para ayudarte a profundizar en la conversación.\"],\"TAXdgS\":[\"Dame una lista de 5-10 temas que se están discutiendo.\"],\"CKyk7Q\":[\"Volver\"],\"participant.concrete.artefact.action.button.go.back\":[\"Volver\"],\"IL8LH3\":[\"Profundizar\"],\"participant.refine.go.deeper\":[\"Profundizar\"],\"iWpEwy\":[\"Ir al inicio\"],\"A3oCMz\":[\"Ir a la nueva conversación\"],\"5gqNQl\":[\"Vista de cuadrícula\"],\"ZqBGoi\":[\"Tiene artefactos verificados\"],\"ng2Unt\":[\"Hola, \",[\"0\"]],\"D+zLDD\":[\"Oculto\"],\"G1UUQY\":[\"Joya oculta\"],\"LqWHk1\":[\"Ocultar \",[\"0\"]],\"u5xmYC\":[\"Ocultar todo\"],\"txCbc+\":[\"Ocultar todos los insights\"],\"0lRdEo\":[\"Ocultar Conversaciones Sin Contenido\"],\"eHo/Jc\":[\"Ocultar datos\"],\"g4tIdF\":[\"Ocultar datos de revisión\"],\"i0qMbr\":[\"Inicio\"],\"LSCWlh\":[\"¿Cómo le describirías a un colega lo que estás tratando de lograr con este proyecto?\\n* ¿Cuál es el objetivo principal o métrica clave?\\n* ¿Cómo se ve el éxito?\"],\"participant.button.i.understand\":[\"Entiendo\"],\"WsoNdK\":[\"Identifica y analiza los temas recurrentes en este contenido. Por favor:\\n\"],\"KbXMDK\":[\"Identifica temas recurrentes, temas y argumentos que aparecen consistentemente en las conversaciones. Analiza su frecuencia, intensidad y consistencia. Salida esperada: 3-7 aspectos para conjuntos de datos pequeños, 5-12 para conjuntos de datos medianos, 8-15 para conjuntos de datos grandes. Guía de procesamiento: Enfócate en patrones distintos que emergen en múltiples conversaciones.\"],\"participant.concrete.instructions.approve.artefact\":[\"Si estás satisfecho con el \",[\"objectLabel\"],\", haz clic en \\\"Aprobar\\\" para mostrar que te sientes escuchado.\"],\"QJUjB0\":[\"Para navegar mejor por las citas, crea vistas adicionales. Las citas se agruparán según tu vista.\"],\"IJUcvx\":[\"Mientras tanto, si quieres analizar las conversaciones que aún están en proceso, puedes usar la función de Chat\"],\"aOhF9L\":[\"Incluir enlace al portal en el informe\"],\"Dvf4+M\":[\"Incluir marcas de tiempo\"],\"CE+M2e\":[\"Información\"],\"sMa/sP\":[\"Biblioteca de Insights\"],\"ZVY8fB\":[\"Insight no encontrado\"],\"sJa5f4\":[\"insights\"],\"3hJypY\":[\"Insights\"],\"crUYYp\":[\"Código inválido. Por favor solicita uno nuevo.\"],\"jLr8VJ\":[\"Credenciales inválidas.\"],\"aZ3JOU\":[\"Token inválido. Por favor intenta de nuevo.\"],\"1xMiTU\":[\"Dirección IP\"],\"participant.conversation.error.deleted\":[\"Parece que la conversación se eliminó mientras grababas. Hemos detenido la grabación para evitar cualquier problema. Puedes iniciar una nueva en cualquier momento.\"],\"zT7nbS\":[\"Parece que la conversación se eliminó mientras grababas. Hemos detenido la grabación para evitar cualquier problema. Puedes iniciar una nueva en cualquier momento.\"],\"library.not.available.message\":[\"Parece que la biblioteca no está disponible para tu cuenta. Por favor, solicita acceso para desbloquear esta funcionalidad.\"],\"participant.concrete.artefact.error.description\":[\"Parece que no pudimos cargar este artefacto. Esto podría ser un problema temporal. Puedes intentar recargar o volver para seleccionar un tema diferente.\"],\"MbKzYA\":[\"Suena como si hablaran más de una persona. Tomar turnos nos ayudará a escuchar a todos claramente.\"],\"clXffu\":[\"Únete a \",[\"0\"],\" en Dembrane\"],\"uocCon\":[\"Un momento\"],\"OSBXx5\":[\"Justo ahora\"],\"0ohX1R\":[\"Mantén el acceso seguro con un código de un solo uso de tu aplicación de autenticación. Activa o desactiva la autenticación de dos factores para esta cuenta.\"],\"vXIe7J\":[\"Idioma\"],\"UXBCwc\":[\"Apellido\"],\"0K/D0Q\":[\"Última vez guardado el \",[\"0\"]],\"K7P0jz\":[\"Última actualización\"],\"PIhnIP\":[\"Háganos saber!\"],\"qhQjFF\":[\"Vamos a asegurarnos de que podemos escucharte\"],\"exYcTF\":[\"Biblioteca\"],\"library.title\":[\"Biblioteca\"],\"T50lwc\":[\"La creación de la biblioteca está en progreso\"],\"yUQgLY\":[\"La biblioteca está siendo procesada\"],\"yzF66j\":[\"Enlace\"],\"3gvJj+\":[\"Publicación LinkedIn (Experimental)\"],\"dF6vP6\":[\"Vivo\"],\"participant.live.audio.level\":[\"Nivel de audio en vivo\"],\"TkFXaN\":[\"Nivel de audio en vivo:\"],\"n9yU9X\":[\"Vista Previa en Vivo\"],\"participant.concrete.instructions.loading\":[\"Cargando\"],\"yQE2r9\":[\"Cargando\"],\"yQ9yN3\":[\"Cargando acciones...\"],\"participant.concrete.loading.artefact\":[\"Cargando artefacto\"],\"JOvnq+\":[\"Cargando registros de auditoría…\"],\"y+JWgj\":[\"Cargando colecciones...\"],\"ATTcN8\":[\"Cargando temas concretos…\"],\"FUK4WT\":[\"Cargando micrófonos...\"],\"H+bnrh\":[\"Cargando transcripción...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"cargando...\"],\"Z3FXyt\":[\"Cargando...\"],\"Pwqkdw\":[\"Cargando…\"],\"z0t9bb\":[\"Iniciar sesión\"],\"zfB1KW\":[\"Iniciar sesión | Dembrane\"],\"Wd2LTk\":[\"Iniciar sesión como usuario existente\"],\"nOhz3x\":[\"Cerrar sesión\"],\"jWXlkr\":[\"Más largo primero\"],\"dashboard.dembrane.concrete.title\":[\"Hacerlo concreto\"],\"participant.refine.make.concrete\":[\"Hacerlo concreto\"],\"JSxZVX\":[\"Marcar todos como leídos\"],\"+s1J8k\":[\"Marcar como leído\"],\"VxyuRJ\":[\"Notas de Reunión\"],\"08d+3x\":[\"Mensajes de \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"El acceso al micrófono sigue denegado. Por favor verifica tu configuración e intenta de nuevo.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Modo\"],\"zMx0gF\":[\"Más templates\"],\"QWdKwH\":[\"Mover\"],\"CyKTz9\":[\"Mover Conversación\"],\"wUTBdx\":[\"Mover a otro Proyecto\"],\"Ksvwy+\":[\"Mover a Proyecto\"],\"6YtxFj\":[\"Nombre\"],\"e3/ja4\":[\"Nombre A-Z\"],\"c5Xt89\":[\"Nombre Z-A\"],\"isRobC\":[\"Nuevo\"],\"Wmq4bZ\":[\"Nuevo nombre de conversación\"],\"library.new.conversations\":[\"Se han añadido nuevas conversaciones desde que se generó la biblioteca. Regenera la biblioteca para procesarlas.\"],\"P/+jkp\":[\"Se han añadido nuevas conversaciones desde que se generó la biblioteca. Regenera la biblioteca para procesarlas.\"],\"7vhWI8\":[\"Nueva Contraseña\"],\"+VXUp8\":[\"Nuevo Proyecto\"],\"+RfVvh\":[\"Más nuevos primero\"],\"participant.button.next\":[\"Siguiente\"],\"participant.ready.to.begin.button.text\":[\"¿Listo para comenzar?\"],\"participant.concrete.selection.button.next\":[\"Siguiente\"],\"participant.concrete.instructions.button.next\":[\"Siguiente\"],\"hXzOVo\":[\"Siguiente\"],\"participant.button.finish.no.text.mode\":[\"No\"],\"riwuXX\":[\"No se encontraron acciones\"],\"WsI5bo\":[\"No hay anuncios disponibles\"],\"Em+3Ls\":[\"No hay registros de auditoría que coincidan con los filtros actuales.\"],\"project.sidebar.chat.empty.description\":[\"No se encontraron chats. Inicia un chat usando el botón \\\"Preguntar\\\".\"],\"YM6Wft\":[\"No se encontraron chats. Inicia un chat usando el botón \\\"Preguntar\\\".\"],\"Qqhl3R\":[\"No se encontraron colecciones\"],\"zMt5AM\":[\"No hay temas concretos disponibles.\"],\"zsslJv\":[\"No hay contenido\"],\"1pZsdx\":[\"No hay conversaciones disponibles para crear la biblioteca\"],\"library.no.conversations\":[\"No hay conversaciones disponibles para crear la biblioteca\"],\"zM3DDm\":[\"No hay conversaciones disponibles para crear la biblioteca. Por favor añade algunas conversaciones para comenzar.\"],\"EtMtH/\":[\"No se encontraron conversaciones.\"],\"BuikQT\":[\"No se encontraron conversaciones. Inicia una conversación usando el enlace de invitación de participación desde la <0><1>vista general del proyecto.\"],\"meAa31\":[\"No hay conversaciones aún\"],\"VInleh\":[\"No hay insights disponibles. Genera insights para esta conversación visitando<0><1> la biblioteca del proyecto.\"],\"yTx6Up\":[\"Aún no se han añadido términos clave o nombres propios. Añádelos usando el campo de entrada de arriba para mejorar la precisión de la transcripción.\"],\"jfhDAK\":[\"No se han detectado nuevos comentarios aún. Por favor, continúa tu discusión y vuelve a intentarlo pronto.\"],\"T3TyGx\":[\"No se encontraron proyectos \",[\"0\"]],\"y29l+b\":[\"No se encontraron proyectos para el término de búsqueda\"],\"ghhtgM\":[\"No hay citas disponibles. Genera citas para esta conversación visitando\"],\"yalI52\":[\"No hay citas disponibles. Genera citas para esta conversación visitando<0><1> la biblioteca del proyecto.\"],\"ctlSnm\":[\"No se encontró ningún informe\"],\"EhV94J\":[\"No se encontraron recursos.\"],\"Ev2r9A\":[\"Sin resultados\"],\"WRRjA9\":[\"No se encontraron etiquetas\"],\"LcBe0w\":[\"Aún no se han añadido etiquetas a este proyecto. Añade una etiqueta usando el campo de texto de arriba para comenzar.\"],\"bhqKwO\":[\"No hay transcripción disponible\"],\"TmTivZ\":[\"No hay transcripción disponible para esta conversación.\"],\"vq+6l+\":[\"Aún no existe transcripción para esta conversación. Por favor, revisa más tarde.\"],\"MPZkyF\":[\"No hay transcripciones seleccionadas para este chat\"],\"AotzsU\":[\"Sin tutorial (solo declaraciones de privacidad)\"],\"OdkUBk\":[\"No se seleccionaron archivos de audio válidos. Por favor, selecciona solo archivos de audio (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"No hay temas de verificación configurados para este proyecto.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"No disponible\"],\"cH5kXP\":[\"Ahora\"],\"9+6THi\":[\"Más antiguos primero\"],\"participant.concrete.instructions.revise.artefact\":[\"Una vez que hayas discutido, presiona \\\"revisar\\\" para ver cómo el \",[\"objectLabel\"],\" cambia para reflejar tu discusión.\"],\"participant.concrete.instructions.read.aloud\":[\"Una vez que recibas el \",[\"objectLabel\"],\", léelo en voz alta y comparte en voz alta lo que deseas cambiar, si es necesario.\"],\"conversation.ongoing\":[\"En curso\"],\"J6n7sl\":[\"En curso\"],\"uTmEDj\":[\"Conversaciones en Curso\"],\"QvvnWK\":[\"Solo las \",[\"0\"],\" conversaciones finalizadas \",[\"1\"],\" serán incluidas en el informe en este momento. \"],\"participant.alert.microphone.access.failure\":[\"¡Ups! Parece que se denegó el acceso al micrófono. ¡No te preocupes! Tenemos una guía de solución de problemas para ti. Siéntete libre de consultarla. Una vez que hayas resuelto el problema, vuelve a visitar esta página para verificar si tu micrófono está listo.\"],\"J17dTs\":[\"¡Ups! Parece que se denegó el acceso al micrófono. ¡No te preocupes! Tenemos una guía de solución de problemas para ti. Siéntete libre de consultarla. Una vez que hayas resuelto el problema, vuelve a visitar esta página para verificar si tu micrófono está listo.\"],\"1TNIig\":[\"Abrir\"],\"NRLF9V\":[\"Abrir Documentación\"],\"2CyWv2\":[\"¿Abierto para Participación?\"],\"participant.button.open.troubleshooting.guide\":[\"Abrir guía de solución de problemas\"],\"7yrRHk\":[\"Abrir guía de solución de problemas\"],\"Hak8r6\":[\"Abre tu aplicación de autenticación e ingresa el código actual de seis dígitos.\"],\"0zpgxV\":[\"Opciones\"],\"6/dCYd\":[\"Vista General\"],\"/fAXQQ\":[\"Overview - Temas y patrones\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Contenido de la Página\"],\"8F1i42\":[\"Página no encontrada\"],\"6+Py7/\":[\"Título de la Página\"],\"v8fxDX\":[\"Participante\"],\"Uc9fP1\":[\"Funciones para participantes\"],\"y4n1fB\":[\"Los participantes podrán seleccionar etiquetas al crear conversaciones\"],\"8ZsakT\":[\"Contraseña\"],\"w3/J5c\":[\"Proteger el portal con contraseña (solicitar función)\"],\"lpIMne\":[\"Las contraseñas no coinciden\"],\"IgrLD/\":[\"Pausar\"],\"PTSHeg\":[\"Pausar lectura\"],\"UbRKMZ\":[\"Pendiente\"],\"6v5aT9\":[\"Elige el enfoque que encaje con tu pregunta\"],\"participant.alert.microphone.access\":[\"Por favor, permite el acceso al micrófono para iniciar el test.\"],\"3flRk2\":[\"Por favor, permite el acceso al micrófono para iniciar el test.\"],\"SQSc5o\":[\"Por favor, revisa más tarde o contacta al propietario del proyecto para más información.\"],\"T8REcf\":[\"Por favor, revisa tus entradas para errores.\"],\"S6iyis\":[\"Por favor, no cierres su navegador\"],\"n6oAnk\":[\"Por favor, habilite la participación para habilitar el uso compartido\"],\"fwrPh4\":[\"Por favor, ingrese un correo electrónico válido.\"],\"iMWXJN\":[\"Mantén esta pantalla encendida (pantalla negra = sin grabación)\"],\"D90h1s\":[\"Por favor, inicia sesión para continuar.\"],\"mUGRqu\":[\"Por favor, proporciona un resumen conciso de los siguientes elementos proporcionados en el contexto.\"],\"ps5D2F\":[\"Por favor, graba tu respuesta haciendo clic en el botón \\\"Grabar\\\" de abajo. También puedes elegir responder en texto haciendo clic en el icono de texto. \\n**Por favor, mantén esta pantalla encendida** \\n(pantalla negra = no está grabando)\"],\"TsuUyf\":[\"Por favor, registra tu respuesta haciendo clic en el botón \\\"Iniciar Grabación\\\" de abajo. También puedes responder en texto haciendo clic en el icono de texto.\"],\"4TVnP7\":[\"Por favor, selecciona un idioma para tu informe\"],\"N63lmJ\":[\"Por favor, selecciona un idioma para tu informe actualizado\"],\"XvD4FK\":[\"Por favor, selecciona al menos una fuente\"],\"hxTGLS\":[\"Selecciona conversaciones en la barra lateral para continuar\"],\"GXZvZ7\":[\"Por favor, espera \",[\"timeStr\"],\" antes de solicitar otro eco.\"],\"Am5V3+\":[\"Por favor, espera \",[\"timeStr\"],\" antes de solicitar otro Echo.\"],\"CE1Qet\":[\"Por favor, espera \",[\"timeStr\"],\" antes de solicitar otro ECHO.\"],\"Fx1kHS\":[\"Por favor, espera \",[\"timeStr\"],\" antes de solicitar otra respuesta.\"],\"MgJuP2\":[\"Por favor, espera mientras generamos tu informe. Serás redirigido automáticamente a la página del informe.\"],\"library.processing.request\":[\"Biblioteca en proceso\"],\"04DMtb\":[\"Por favor, espera mientras procesamos tu solicitud de retranscripción. Serás redirigido a la nueva conversación cuando esté lista.\"],\"ei5r44\":[\"Por favor, espera mientras actualizamos tu informe. Serás redirigido automáticamente a la página del informe.\"],\"j5KznP\":[\"Por favor, espera mientras verificamos tu dirección de correo electrónico.\"],\"uRFMMc\":[\"Contenido del Portal\"],\"qVypVJ\":[\"Editor del Portal\"],\"g2UNkE\":[\"Propulsado por\"],\"MPWj35\":[\"Preparando tus conversaciones... Esto puede tardar un momento.\"],\"/SM3Ws\":[\"Preparando tu experiencia\"],\"ANWB5x\":[\"Imprimir este informe\"],\"zwqetg\":[\"Declaraciones de Privacidad\"],\"qAGp2O\":[\"Continuar\"],\"stk3Hv\":[\"procesando\"],\"vrnnn9\":[\"Procesando\"],\"kvs/6G\":[\"El procesamiento de esta conversación ha fallado. Esta conversación no estará disponible para análisis y chat.\"],\"q11K6L\":[\"El procesamiento de esta conversación ha fallado. Esta conversación no estará disponible para análisis y chat. Último estado conocido: \",[\"0\"]],\"NQiPr4\":[\"Procesando Transcripción\"],\"48px15\":[\"Procesando tu informe...\"],\"gzGDMM\":[\"Procesando tu solicitud de retranscripción...\"],\"Hie0VV\":[\"Proyecto creado\"],\"xJMpjP\":[\"Biblioteca del Proyecto | Dembrane\"],\"OyIC0Q\":[\"Nombre del proyecto\"],\"6Z2q2Y\":[\"El nombre del proyecto debe tener al menos 4 caracteres\"],\"n7JQEk\":[\"Proyecto no encontrado\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Vista General del Proyecto | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Configuración del Proyecto\"],\"+0B+ue\":[\"Proyectos\"],\"Eb7xM7\":[\"Proyectos | Dembrane\"],\"JQVviE\":[\"Inicio de Proyectos\"],\"nyEOdh\":[\"Proporciona una visión general de los temas principales y los temas recurrentes\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publicar\"],\"u3wRF+\":[\"Publicado\"],\"E7YTYP\":[\"Saca las citas más potentes de esta sesión\"],\"eWLklq\":[\"Citas\"],\"wZxwNu\":[\"Leer en voz alta\"],\"participant.ready.to.begin\":[\"¿Listo para comenzar?\"],\"ZKOO0I\":[\"¿Listo para comenzar?\"],\"hpnYpo\":[\"Aplicaciones recomendadas\"],\"participant.button.record\":[\"Grabar\"],\"w80YWM\":[\"Grabar\"],\"s4Sz7r\":[\"Registrar otra conversación\"],\"participant.modal.pause.title\":[\"Grabación pausada\"],\"view.recreate.tooltip\":[\"Recrear vista\"],\"view.recreate.modal.title\":[\"Recrear vista\"],\"CqnkB0\":[\"Temas recurrentes\"],\"9aloPG\":[\"Referencias\"],\"participant.button.refine\":[\"Refinar\"],\"lCF0wC\":[\"Actualizar\"],\"ZMXpAp\":[\"Actualizar registros de auditoría\"],\"844H5I\":[\"Regenerar Biblioteca\"],\"bluvj0\":[\"Regenerar Resumen\"],\"participant.concrete.regenerating.artefact\":[\"Regenerando el artefacto\"],\"oYlYU+\":[\"Regenerando el resumen. Espera...\"],\"wYz80B\":[\"Registrar | Dembrane\"],\"w3qEvq\":[\"Registrar como nuevo usuario\"],\"7dZnmw\":[\"Relevancia\"],\"participant.button.reload.page.text.mode\":[\"Recargar\"],\"participant.button.reload\":[\"Recargar\"],\"participant.concrete.artefact.action.button.reload\":[\"Recargar página\"],\"hTDMBB\":[\"Recargar Página\"],\"Kl7//J\":[\"Eliminar Correo Electrónico\"],\"cILfnJ\":[\"Eliminar archivo\"],\"CJgPtd\":[\"Eliminar de este chat\"],\"project.sidebar.chat.rename\":[\"Renombrar\"],\"2wxgft\":[\"Renombrar\"],\"XyN13i\":[\"Prompt de Respuesta\"],\"gjpdaf\":[\"Informe\"],\"Q3LOVJ\":[\"Reportar un problema\"],\"DUmD+q\":[\"Informe creado - \",[\"0\"]],\"KFQLa2\":[\"La generación de informes está actualmente en fase beta y limitada a proyectos con menos de 10 horas de grabación.\"],\"hIQOLx\":[\"Notificaciones de Reportes\"],\"lNo4U2\":[\"Informe actualizado - \",[\"0\"]],\"library.request.access\":[\"Solicitar Acceso\"],\"uLZGK+\":[\"Solicitar Acceso\"],\"dglEEO\":[\"Solicitar Restablecimiento de Contraseña\"],\"u2Hh+Y\":[\"Solicitar Restablecimiento de Contraseña | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Por favor, espera mientras verificamos el acceso al micrófono.\"],\"MepchF\":[\"Solicitando acceso al micrófono para detectar dispositivos disponibles...\"],\"xeMrqw\":[\"Restablecer todas las opciones\"],\"KbS2K9\":[\"Restablecer Contraseña\"],\"UMMxwo\":[\"Restablecer Contraseña | Dembrane\"],\"L+rMC9\":[\"Restablecer a valores predeterminados\"],\"s+MGs7\":[\"Recursos\"],\"participant.button.stop.resume\":[\"Reanudar\"],\"v39wLo\":[\"Reanudar\"],\"sVzC0H\":[\"Retranscribir\"],\"ehyRtB\":[\"Retranscribir conversación\"],\"1JHQpP\":[\"Retranscribir conversación\"],\"MXwASV\":[\"La retranscripción ha comenzado. La nueva conversación estará disponible pronto.\"],\"6gRgw8\":[\"Reintentar\"],\"H1Pyjd\":[\"Reintentar subida\"],\"9VUzX4\":[\"Revisa la actividad de tu espacio de trabajo. Filtra por colección o acción, y exporta la vista actual para una investigación más detallada.\"],\"UZVWVb\":[\"Revisar archivos antes de subir\"],\"3lYF/Z\":[\"Revisar el estado de procesamiento para cada conversación recopilada en este proyecto.\"],\"participant.concrete.action.button.revise\":[\"revisar\"],\"OG3mVO\":[\"Revisión #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Filas por página\"],\"participant.concrete.action.button.save\":[\"guardar\"],\"tfDRzk\":[\"Guardar\"],\"2VA/7X\":[\"¡Error al guardar!\"],\"XvjC4F\":[\"Guardando...\"],\"nHeO/c\":[\"Escanea el código QR o copia el secreto en tu aplicación.\"],\"oOi11l\":[\"Desplazarse al final\"],\"A1taO8\":[\"Buscar\"],\"OWm+8o\":[\"Buscar conversaciones\"],\"blFttG\":[\"Buscar proyectos\"],\"I0hU01\":[\"Buscar Proyectos\"],\"RVZJWQ\":[\"Buscar proyectos...\"],\"lnWve4\":[\"Buscar etiquetas\"],\"pECIKL\":[\"Buscar templates...\"],\"uSvNyU\":[\"Buscó en las fuentes más relevantes\"],\"Wj2qJm\":[\"Buscando en las fuentes más relevantes\"],\"Y1y+VB\":[\"Secreto copiado\"],\"Eyh9/O\":[\"Ver detalles del estado de la conversación\"],\"0sQPzI\":[\"Hasta pronto\"],\"1ZTiaz\":[\"Segmentos\"],\"H/diq7\":[\"Seleccionar un micrófono\"],\"NK2YNj\":[\"Seleccionar archivos de audio para subir\"],\"/3ntVG\":[\"Selecciona conversaciones y encuentra citas exactas\"],\"LyHz7Q\":[\"Selecciona conversaciones en la barra lateral\"],\"n4rh8x\":[\"Seleccionar Proyecto\"],\"ekUnNJ\":[\"Seleccionar etiquetas\"],\"CG1cTZ\":[\"Selecciona las instrucciones que se mostrarán a los participantes cuando inicien una conversación\"],\"qxzrcD\":[\"Selecciona el tipo de retroalimentación o participación que quieres fomentar.\"],\"QdpRMY\":[\"Seleccionar tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Selecciona qué temas pueden usar los participantes para verificación.\"],\"participant.select.microphone\":[\"Seleccionar un micrófono\"],\"vKH1Ye\":[\"Selecciona tu micrófono:\"],\"gU5H9I\":[\"Archivos seleccionados (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Micrófono seleccionado\"],\"JlFcis\":[\"Enviar\"],\"VTmyvi\":[\"Sentimiento\"],\"NprC8U\":[\"Nombre de la Sesión\"],\"DMl1JW\":[\"Configurando tu primer proyecto\"],\"Tz0i8g\":[\"Configuración\"],\"participant.settings.modal.title\":[\"Configuración\"],\"PErdpz\":[\"Configuración | Dembrane\"],\"Z8lGw6\":[\"Compartir\"],\"/XNQag\":[\"Compartir este informe\"],\"oX3zgA\":[\"Comparte tus detalles aquí\"],\"Dc7GM4\":[\"Compartir tu voz\"],\"swzLuF\":[\"Comparte tu voz escaneando el código QR de abajo.\"],\"+tz9Ky\":[\"Más corto primero\"],\"h8lzfw\":[\"Mostrar \",[\"0\"]],\"lZw9AX\":[\"Mostrar todo\"],\"w1eody\":[\"Mostrar reproductor de audio\"],\"pzaNzD\":[\"Mostrar datos\"],\"yrhNQG\":[\"Mostrar duración\"],\"Qc9KX+\":[\"Mostrar direcciones IP\"],\"6lGV3K\":[\"Mostrar menos\"],\"fMPkxb\":[\"Mostrar más\"],\"3bGwZS\":[\"Mostrar referencias\"],\"OV2iSn\":[\"Mostrar datos de revisión\"],\"3Sg56r\":[\"Mostrar línea de tiempo en el informe (solicitar función)\"],\"DLEIpN\":[\"Mostrar marcas de tiempo (experimental)\"],\"Tqzrjk\":[\"Mostrando \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" de \",[\"totalItems\"],\" entradas\"],\"dbWo0h\":[\"Iniciar sesión con Google\"],\"participant.mic.check.button.skip\":[\"Omitir\"],\"6Uau97\":[\"Omitir\"],\"lH0eLz\":[\"Omitir diapositiva de privacidad (El anfitrión gestiona el consentimiento)\"],\"b6NHjr\":[\"Omitir diapositiva de privacidad (El anfitrión gestiona la base legal)\"],\"4Q9po3\":[\"Algunas conversaciones aún están siendo procesadas. La selección automática funcionará de manera óptima una vez que se complete el procesamiento de audio.\"],\"q+pJ6c\":[\"Algunos archivos ya estaban seleccionados y no se agregarán dos veces.\"],\"nwtY4N\":[\"Algo salió mal\"],\"participant.conversation.error.text.mode\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"participant.conversation.error\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"avSWtK\":[\"Algo salió mal al exportar los registros de auditoría.\"],\"q9A2tm\":[\"Algo salió mal al generar el secreto.\"],\"JOKTb4\":[\"Algo salió mal al subir el archivo: \",[\"0\"]],\"KeOwCj\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"participant.go.deeper.generic.error.message\":[\"Algo salió mal. Por favor, inténtalo de nuevo.\"],\"fWsBTs\":[\"Algo salió mal. Por favor, inténtalo de nuevo.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Lo sentimos, no podemos procesar esta solicitud debido a la política de contenido del proveedor de LLM.\"],\"f6Hub0\":[\"Ordenar\"],\"/AhHDE\":[\"Fuente \",[\"0\"]],\"u7yVRn\":[\"Fuentes:\"],\"65A04M\":[\"Español\"],\"zuoIYL\":[\"Locutor\"],\"z5/5iO\":[\"Contexto Específico\"],\"mORM2E\":[\"Detalles concretos\"],\"Etejcu\":[\"Detalles concretos - Conversaciones seleccionadas\"],\"participant.button.start.new.conversation.text.mode\":[\"Iniciar nueva conversación\"],\"participant.button.start.new.conversation\":[\"Iniciar nueva conversación\"],\"c6FrMu\":[\"Iniciar Nueva Conversación\"],\"i88wdJ\":[\"Empezar de nuevo\"],\"pHVkqA\":[\"Iniciar Grabación\"],\"uAQUqI\":[\"Estado\"],\"ygCKqB\":[\"Detener\"],\"participant.button.stop\":[\"Detener\"],\"kimwwT\":[\"Planificación Estratégica\"],\"hQRttt\":[\"Enviar\"],\"participant.button.submit.text.mode\":[\"Enviar\"],\"0Pd4R1\":[\"Enviado via entrada de texto\"],\"zzDlyQ\":[\"Éxito\"],\"bh1eKt\":[\"Sugerido:\"],\"F1nkJm\":[\"Resumir\"],\"4ZpfGe\":[\"Resume las ideas clave de mis entrevistas\"],\"5Y4tAB\":[\"Resume esta entrevista en un artículo para compartir\"],\"dXoieq\":[\"Resumen\"],\"g6o+7L\":[\"Resumen generado.\"],\"kiOob5\":[\"Resumen no disponible todavía\"],\"OUi+O3\":[\"Resumen regenerado.\"],\"Pqa6KW\":[\"El resumen estará disponible cuando la conversación esté transcrita\"],\"6ZHOF8\":[\"Formatos soportados: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Cambiar a entrada de texto\"],\"D+NlUC\":[\"Sistema\"],\"OYHzN1\":[\"Etiquetas\"],\"nlxlmH\":[\"Tómate un tiempo para crear un resultado que haga tu contribución concreta u obtén una respuesta inmediata de Dembrane para ayudarte a profundizar en la conversación.\"],\"eyu39U\":[\"Tómate un tiempo para crear un resultado que haga tu contribución concreta.\"],\"participant.refine.make.concrete.description\":[\"Tómate un tiempo para crear un resultado que haga tu contribución concreta.\"],\"QCchuT\":[\"Plantilla aplicada\"],\"iTylMl\":[\"Plantillas\"],\"xeiujy\":[\"Texto\"],\"CPN34F\":[\"¡Gracias por participar!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Contenido de la Página de Gracias\"],\"5KEkUQ\":[\"¡Gracias! Te notificaremos cuando el informe esté listo.\"],\"2yHHa6\":[\"Ese código no funcionó. Inténtalo de nuevo con un código nuevo de tu aplicación de autenticación.\"],\"TQCE79\":[\"El código no ha funcionado, inténtalo otra vez.\"],\"participant.conversation.error.loading.text.mode\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"participant.conversation.error.loading\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"nO942E\":[\"La conversación no pudo ser cargada. Por favor, inténtalo de nuevo o contacta al soporte.\"],\"Jo19Pu\":[\"Las siguientes conversaciones se agregaron automáticamente al contexto\"],\"Lngj9Y\":[\"El Portal es el sitio web que se carga cuando los participantes escanean el código QR.\"],\"bWqoQ6\":[\"la biblioteca del proyecto.\"],\"hTCMdd\":[\"Estamos generando el resumen. Espera a que esté disponible.\"],\"+AT8nl\":[\"Estamos regenerando el resumen. Espera a que esté disponible.\"],\"iV8+33\":[\"El resumen está siendo regenerado. Por favor, espera hasta que el nuevo resumen esté disponible.\"],\"AgC2rn\":[\"El resumen está siendo regenerado. Por favor, espera hasta 2 minutos para que el nuevo resumen esté disponible.\"],\"PTNxDe\":[\"La transcripción de esta conversación se está procesando. Por favor, revisa más tarde.\"],\"FEr96N\":[\"Tema\"],\"T8rsM6\":[\"Hubo un error al clonar tu proyecto. Por favor, inténtalo de nuevo o contacta al soporte.\"],\"JDFjCg\":[\"Hubo un error al crear tu informe. Por favor, inténtalo de nuevo o contacta al soporte.\"],\"e3JUb8\":[\"Hubo un error al generar tu informe. En el tiempo, puedes analizar todos tus datos usando la biblioteca o seleccionar conversaciones específicas para conversar.\"],\"7qENSx\":[\"Hubo un error al actualizar tu informe. Por favor, inténtalo de nuevo o contacta al soporte.\"],\"V7zEnY\":[\"Hubo un error al verificar tu correo electrónico. Por favor, inténtalo de nuevo.\"],\"gtlVJt\":[\"Estas son algunas plantillas útiles para que te pongas en marcha.\"],\"sd848K\":[\"Estas son tus plantillas de vista predeterminadas. Una vez que crees tu biblioteca, estas serán tus primeras dos vistas.\"],\"8xYB4s\":[\"Estas plantillas de vista predeterminadas se generarán cuando crees tu primera biblioteca.\"],\"Ed99mE\":[\"Pensando...\"],\"conversation.linked_conversations.description\":[\"Esta conversación tiene las siguientes copias:\"],\"conversation.linking_conversations.description\":[\"Esta conversación es una copia de\"],\"dt1MDy\":[\"Esta conversación aún está siendo procesada. Estará disponible para análisis y chat pronto.\"],\"5ZpZXq\":[\"Esta conversación aún está siendo procesada. Estará disponible para análisis y chat pronto. \"],\"SzU1mG\":[\"Este correo electrónico ya está en la lista.\"],\"JtPxD5\":[\"Este correo electrónico ya está suscrito a notificaciones.\"],\"participant.modal.refine.info.available.in\":[\"Esta función estará disponible en \",[\"remainingTime\"],\" segundos.\"],\"QR7hjh\":[\"Esta es una vista previa en vivo del portal del participante. Necesitarás actualizar la página para ver los cambios más recientes.\"],\"library.description\":[\"Biblioteca\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"Esta es tu biblioteca del proyecto. Actualmente,\",[\"0\"],\" conversaciones están esperando ser procesadas.\"],\"tJL2Lh\":[\"Este idioma se usará para el Portal del Participante y transcripción.\"],\"BAUPL8\":[\"Este idioma se usará para el Portal del Participante y transcripción. Para cambiar el idioma de esta aplicación, por favor use el selector de idioma en las configuraciones de la cabecera.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"Este idioma se usará para el Portal del Participante.\"],\"9ww6ML\":[\"Esta página se muestra después de que el participante haya completado la conversación.\"],\"1gmHmj\":[\"Esta página se muestra a los participantes cuando inician una conversación después de completar correctamente el tutorial.\"],\"bEbdFh\":[\"Esta biblioteca del proyecto se generó el\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"Esta prompt guía cómo la IA responde a los participantes. Personaliza la prompt para formar el tipo de retroalimentación o participación que quieres fomentar.\"],\"Yig29e\":[\"Este informe no está disponible. \"],\"GQTpnY\":[\"Este informe fue abierto por \",[\"0\"],\" personas\"],\"okY/ix\":[\"Este resumen es generado por IA y es breve, para un análisis detallado, usa el Chat o la Biblioteca.\"],\"hwyBn8\":[\"Este título se muestra a los participantes cuando inician una conversación\"],\"Dj5ai3\":[\"Esto borrará tu entrada actual. ¿Estás seguro?\"],\"NrRH+W\":[\"Esto creará una copia del proyecto actual. Solo se copiarán los ajustes y etiquetas. Los informes, chats y conversaciones no se incluirán en la copia. Serás redirigido al nuevo proyecto después de clonar.\"],\"hsNXnX\":[\"Esto creará una nueva conversación con el mismo audio pero una transcripción fresca. La conversación original permanecerá sin cambios.\"],\"participant.concrete.regenerating.artefact.description\":[\"Esto solo tomará unos momentos\"],\"participant.concrete.loading.artefact.description\":[\"Esto solo tomará un momento\"],\"n4l4/n\":[\"Esto reemplazará la información personal identificable con .\"],\"Ww6cQ8\":[\"Fecha de Creación\"],\"8TMaZI\":[\"Marca de tiempo\"],\"rm2Cxd\":[\"Consejo\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"Para asignar una nueva etiqueta, primero crea una en la vista general del proyecto.\"],\"o3rowT\":[\"Para generar un informe, por favor comienza agregando conversaciones en tu proyecto\"],\"sFMBP5\":[\"Temas\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcribiendo...\"],\"DDziIo\":[\"Transcripción\"],\"hfpzKV\":[\"Transcripción copiada al portapapeles\"],\"AJc6ig\":[\"Transcripción no disponible\"],\"N/50DC\":[\"Configuración de Transcripción\"],\"FRje2T\":[\"Transcripción en progreso…\"],\"0l9syB\":[\"Transcripción en progreso…\"],\"H3fItl\":[\"Transforma estas transcripciones en una publicación de LinkedIn que corta el ruido. Por favor:\\n\\nExtrae los insights más convincentes - salta todo lo que suena como consejos comerciales estándar\\nEscribe como un líder experimentado que desafía ideas convencionales, no un poster motivador\\nEncuentra una observación realmente inesperada que haría que incluso profesionales experimentados se detuvieran\\nMantén el rigor analítico mientras sigues siendo atractivo\\n\\nNota: Si el contenido no contiene insights sustanciales, por favor házmelo saber, necesitamos material de fuente más fuerte.\"],\"53dSNP\":[\"Transforma este contenido en insights que realmente importan. Por favor:\\n\\nExtrae ideas clave que desafían el pensamiento estándar\\nEscribe como alguien que entiende los matices, no un manual\\nEnfoque en las implicaciones no obvias\\nManténlo claro y sustancial\\nSolo destaca patrones realmente significativos\\nOrganiza para claridad y impacto\\nEquilibra profundidad con accesibilidad\\n\\nNota: Si las similitudes/diferencias son demasiado superficiales, por favor házmelo saber, necesitamos material más complejo para analizar.\"],\"uK9JLu\":[\"Transforma esta discusión en inteligencia accionable. Por favor:\\n\\nCaptura las implicaciones estratégicas, no solo puntos de vista\\nEstructura como un análisis de un líder, no minutos\\nEnfatiza puntos de decisión que desafían el pensamiento estándar\\nMantén la proporción señal-ruido alta\\nEnfoque en insights que conducen a cambios reales\\nOrganiza para claridad y referencia futura\\nEquilibra detalles tácticos con visión estratégica\\n\\nNota: Si la discusión carece de puntos de decisión sustanciales o insights, marca para una exploración más profunda la próxima vez.\"],\"qJb6G2\":[\"Intentar de nuevo\"],\"eP1iDc\":[\"Prueba a preguntar\"],\"goQEqo\":[\"Intenta moverte un poco más cerca de tu micrófono para mejorar la calidad del sonido.\"],\"EIU345\":[\"Autenticación de dos factores\"],\"NwChk2\":[\"Autenticación en dos pasos desactivada\"],\"qwpE/S\":[\"Autenticación en dos pasos activada\"],\"+zy2Nq\":[\"Tipo\"],\"PD9mEt\":[\"Escribe un mensaje...\"],\"EvmL3X\":[\"Escribe tu respuesta aquí\"],\"participant.concrete.artefact.error.title\":[\"No se pudo cargar el artefacto\"],\"MksxNf\":[\"No se pudieron cargar los registros de auditoría.\"],\"8vqTzl\":[\"No se pudo cargar el artefacto generado. Por favor, inténtalo de nuevo.\"],\"nGxDbq\":[\"No se puede procesar este fragmento\"],\"9uI/rE\":[\"Deshacer\"],\"Ef7StM\":[\"Desconocido\"],\"H899Z+\":[\"anuncio sin leer\"],\"0pinHa\":[\"anuncios sin leer\"],\"sCTlv5\":[\"Cambios sin guardar\"],\"SMaFdc\":[\"Desuscribirse\"],\"jlrVDp\":[\"Conversación sin título\"],\"EkH9pt\":[\"Actualizar\"],\"3RboBp\":[\"Actualizar Informe\"],\"4loE8L\":[\"Actualiza el informe para incluir los datos más recientes\"],\"Jv5s94\":[\"Actualiza tu informe para incluir los cambios más recientes en tu proyecto. El enlace para compartir el informe permanecerá el mismo.\"],\"kwkhPe\":[\"Actualizar\"],\"UkyAtj\":[\"Actualiza para desbloquear la selección automática y analizar 10 veces más conversaciones en la mitad del tiempo—sin selección manual, solo insights más profundos instantáneamente.\"],\"ONWvwQ\":[\"Subir\"],\"8XD6tj\":[\"Subir Audio\"],\"kV3A2a\":[\"Subida Completa\"],\"4Fr6DA\":[\"Subir conversaciones\"],\"pZq3aX\":[\"Subida fallida. Por favor, inténtalo de nuevo.\"],\"HAKBY9\":[\"Subir Archivos\"],\"Wft2yh\":[\"Cargando...\"],\"JveaeL\":[\"Cargar recursos\"],\"3wG7HI\":[\"Subido\"],\"k/LaWp\":[\"Subiendo archivos de audio...\"],\"VdaKZe\":[\"Usar funciones experimentales\"],\"rmMdgZ\":[\"Usar redaction de PII\"],\"ngdRFH\":[\"Usa Shift + Enter para agregar una nueva línea\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verified\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verified artifacts\"],\"4LFZoj\":[\"Verificar código\"],\"jpctdh\":[\"Vista\"],\"+fxiY8\":[\"Ver detalles de la conversación\"],\"H1e6Hv\":[\"Ver estado de la conversación\"],\"SZw9tS\":[\"Ver detalles\"],\"D4e7re\":[\"Ver tus respuestas\"],\"tzEbkt\":[\"Espera \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"¿Quieres añadir una plantilla a \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Quieres añadir una plantilla a ECHO?\"],\"r6y+jM\":[\"Advertencia\"],\"pUTmp1\":[\"Advertencia: Has añadido \",[\"0\"],\" términos clave. Solo los primeros \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" serán utilizados por el motor de transcripción.\"],\"participant.alert.microphone.access.issue\":[\"No podemos escucharte. Por favor, intenta cambiar tu micrófono o acercarte un poco más al dispositivo.\"],\"SrJOPD\":[\"No podemos escucharte. Por favor, intenta cambiar tu micrófono o acercarte un poco más al dispositivo.\"],\"Ul0g2u\":[\"No pudimos desactivar la autenticación de dos factores. Inténtalo de nuevo con un código nuevo.\"],\"sM2pBB\":[\"No pudimos activar la autenticación de dos factores. Verifica tu código e inténtalo de nuevo.\"],\"Ewk6kb\":[\"No pudimos cargar el audio. Por favor, inténtalo de nuevo más tarde.\"],\"xMeAeQ\":[\"Te hemos enviado un correo electrónico con los pasos siguientes. Si no lo ves, revisa tu carpeta de correo no deseado.\"],\"9qYWL7\":[\"Te hemos enviado un correo electrónico con los pasos siguientes. Si no lo ves, revisa tu carpeta de correo no deseado. Si aún no lo ves, por favor contacta a evelien@dembrane.com\"],\"3fS27S\":[\"Te hemos enviado un correo electrónico con los pasos siguientes. Si no lo ves, revisa tu carpeta de correo no deseado. Si aún no lo ves, por favor contacta a jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"Necesitamos un poco más de contexto para ayudarte a refinar de forma efectiva. Continúa grabando para que podamos darte mejores sugerencias.\"],\"dni8nq\":[\"Solo te enviaremos un mensaje si tu host genera un informe, nunca compartimos tus detalles con nadie. Puedes optar por no recibir más mensajes en cualquier momento.\"],\"participant.test.microphone.description\":[\"Vamos a probar tu micrófono para asegurarnos de que todos tengan la mejor experiencia en la sesión.\"],\"tQtKw5\":[\"Vamos a probar tu micrófono para asegurarnos de que todos tengan la mejor experiencia en la sesión.\"],\"+eLc52\":[\"Estamos escuchando algo de silencio. Intenta hablar más fuerte para que tu voz salga claramente.\"],\"6jfS51\":[\"Bienvenido\"],\"9eF5oV\":[\"Bienvenido de nuevo\"],\"i1hzzO\":[\"Bienvenido al modo Big Picture! Tengo resúmenes de todas tus conversaciones cargados. Pregúntame sobre patrones, temas e insights en tus datos. Para citas exactas, inicia un nuevo chat en el modo Específico.\"],\"fwEAk/\":[\"¡Bienvenido a Dembrane Chat! Usa la barra lateral para seleccionar recursos y conversaciones que quieras analizar. Luego, puedes hacer preguntas sobre los recursos y conversaciones seleccionados.\"],\"AKBU2w\":[\"¡Bienvenido a Dembrane!\"],\"TACmoL\":[\"Bienvenido al modo Overview. Tengo cargados resúmenes de todas tus conversaciones. Pregúntame por patrones, temas e insights en tus datos. Para citas exactas, empieza un chat nuevo en el modo Deep Dive.\"],\"u4aLOz\":[\"Bienvenido al modo Resumen. Tengo cargados los resúmenes de todas tus conversaciones. Pregúntame por patrones, temas e insights en tus datos. Para citas exactas, inicia un nuevo chat en el modo Contexto Específico.\"],\"Bck6Du\":[\"¡Bienvenido a los informes!\"],\"aEpQkt\":[\"¡Bienvenido a Tu Inicio! Aquí puedes ver todos tus proyectos y acceder a recursos de tutorial. Actualmente, no tienes proyectos. Haz clic en \\\"Crear\\\" para configurar para comenzar!\"],\"klH6ct\":[\"¡Bienvenido!\"],\"Tfxjl5\":[\"¿Cuáles son los temas principales en todas las conversaciones?\"],\"participant.concrete.selection.title\":[\"¿Qué quieres verificar?\"],\"fyMvis\":[\"¿Qué patrones salen de los datos?\"],\"qGrqH9\":[\"¿Cuáles fueron los momentos clave de esta conversación?\"],\"FXZcgH\":[\"¿Qué te gustaría explorar?\"],\"KcnIXL\":[\"se incluirá en tu informe\"],\"participant.button.finish.yes.text.mode\":[\"Sí\"],\"kWJmRL\":[\"Tú\"],\"Dl7lP/\":[\"Ya estás desuscribido o tu enlace es inválido.\"],\"E71LBI\":[\"Solo puedes subir hasta \",[\"MAX_FILES\"],\" archivos a la vez. Solo los primeros \",[\"0\"],\" archivos se agregarán.\"],\"tbeb1Y\":[\"Aún puedes usar la función Preguntar para chatear con cualquier conversación\"],\"participant.modal.change.mic.confirmation.text\":[\"Has cambiado tu micrófono. Por favor, haz clic en \\\"Continuar\\\", para continuar con la sesión.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"Has desuscribido con éxito.\"],\"lTDtES\":[\"También puedes elegir registrar otra conversación.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"Debes iniciar sesión con el mismo proveedor con el que te registraste. Si encuentras algún problema, por favor contáctanos.\"],\"snMcrk\":[\"Pareces estar desconectado, por favor verifica tu conexión a internet\"],\"participant.concrete.instructions.receive.artefact\":[\"Pronto recibirás \",[\"objectLabel\"],\" para verificar.\"],\"participant.concrete.instructions.approval.helps\":[\"¡Tu aprobación nos ayuda a entender lo que realmente piensas!\"],\"Pw2f/0\":[\"Tu conversación está siendo transcribida. Por favor, revisa más tarde.\"],\"OFDbfd\":[\"Tus Conversaciones\"],\"aZHXuZ\":[\"Tus entradas se guardarán automáticamente.\"],\"PUWgP9\":[\"Tu biblioteca está vacía. Crea una biblioteca para ver tus primeros insights.\"],\"B+9EHO\":[\"Tu respuesta ha sido registrada. Puedes cerrar esta pestaña ahora.\"],\"wurHZF\":[\"Tus respuestas\"],\"B8Q/i2\":[\"Tu vista ha sido creada. Por favor, espera mientras procesamos y analizamos los datos.\"],\"library.views.title\":[\"Tus Vistas\"],\"lZNgiw\":[\"Tus Vistas\"],\"2wg92j\":[\"Conversaciones\"],\"hWszgU\":[\"La fuente fue eliminada\"],\"GSV2Xq\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"7qaVXm\":[\"Experimental\"],\"FclDDn\":[\"Dembrane Verify\"],\"Y/Fou9\":[\"Select which topics participants can use for verification.\"],\"qwmGiT\":[\"Contactar a ventas\"],\"ZWDkP4\":[\"Actualmente, \",[\"finishedConversationsCount\"],\" conversaciones están listas para ser analizadas. \",[\"unfinishedConversationsCount\"],\" aún en proceso.\"],\"/NTvqV\":[\"Biblioteca no disponible\"],\"p18xrj\":[\"Biblioteca regenerada\"],\"hOtk0x\":[\"Echo\"],\"JsSzzl\":[\"ECHO\"],\"SUkFIX\":[\"Pausar\"],\"ilKuQo\":[\"Reanudar\"],\"SqNXSx\":[\"Detener\"],\"yfZBOp\":[\"Detener\"],\"cic45J\":[\"Lo sentimos, no podemos procesar esta solicitud debido a la política de contenido del proveedor de LLM.\"],\"CvZqsN\":[\"Algo salió mal. Por favor, inténtalo de nuevo, presionando el botón <0>ECHO, o contacta al soporte si el problema persiste.\"],\"P+lUAg\":[\"Algo salió mal. Por favor, inténtalo de nuevo.\"],\"hh87/E\":[\"\\\"Profundizar\\\" Disponible pronto\"],\"RMxlMe\":[\"\\\"Concretar\\\" Disponible pronto\"],\"7UJhVX\":[\"¿Estás seguro de que quieres detener la conversación?\"],\"RDsML8\":[\"¿Estás seguro de que quieres detener la conversación?\"],\"IaLTNH\":[\"Approve\"],\"+f3bIA\":[\"Cancel\"],\"qgx4CA\":[\"Revise\"],\"E+5M6v\":[\"Save\"],\"Q82shL\":[\"Go back\"],\"yOp5Yb\":[\"Reload Page\"],\"tw+Fbo\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"oTCD07\":[\"Unable to Load Artefact\"],\"QHbX3T\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"ECX5E0\":[\"Your approval helps us understand what you really think!\"],\"M5oorh\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"RZXkY+\":[\"Cancelar\"],\"86aTqL\":[\"Next\"],\"pdifRH\":[\"Loading\"],\"Ep029+\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"fKeatI\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"8b+uSr\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"iodqGS\":[\"Loading artefact\"],\"NpZmZm\":[\"This will just take a moment\"],\"wklhqE\":[\"Regenerating the artefact\"],\"LYTXJp\":[\"This will just take a few moments\"],\"CjjC6j\":[\"Next\"],\"q885Ym\":[\"What do you want to verify?\"],\"AWBvkb\":[\"Fin de la lista • Todas las \",[\"0\"],\" conversaciones cargadas\"]}")as Messages; \ No newline at end of file +/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"No estás autenticado\"],\"You don't have permission to access this.\":[\"No tienes permiso para acceder a esto.\"],\"Resource not found\":[\"Recurso no encontrado\"],\"Server error\":[\"Error del servidor\"],\"Something went wrong\":[\"Algo salió mal\"],\"We're preparing your workspace.\":[\"Estamos preparando tu espacio de trabajo.\"],\"Preparing your dashboard\":[\"Preparando tu dashboard\"],\"Welcome back\":[\"Bienvenido de nuevo\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"dashboard.dembrane.concrete.experimental\"],\"participant.button.go.deeper\":[\"Profundizar\"],\"participant.button.make.concrete\":[\"Concretar\"],\"library.generate.duration.message\":[\"La biblioteca tardará \",[\"duration\"]],\"uDvV8j\":[\"Enviar\"],\"aMNEbK\":[\"Desuscribirse de Notificaciones\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"profundizar\"],\"participant.modal.refine.info.title.concrete\":[\"concretar\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refinar\\\" Disponible pronto\"],\"2NWk7n\":[\"(para procesamiento de audio mejorado)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" listo\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversaciones • Editado \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" seleccionadas\"],\"P1pDS8\":[[\"diffInDays\"],\" días atrás\"],\"bT6AxW\":[[\"diffInHours\"],\" horas atrás\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Actualmente, \",\"#\",\" conversación está lista para ser analizada.\"],\"other\":[\"Actualmente, \",\"#\",\" conversaciones están listas para ser analizadas.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutos y \",[\"seconds\"],\" segundos\"],\"TVD5At\":[[\"readingNow\"],\" leyendo ahora\"],\"U7Iesw\":[[\"seconds\"],\" segundos\"],\"library.conversations.still.processing\":[[\"0\"],\" aún en proceso.\"],\"ZpJ0wx\":[\"*Transcripción en progreso.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Espera \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspectos\"],\"DX/Wkz\":[\"Contraseña de la cuenta\"],\"L5gswt\":[\"Acción de\"],\"UQXw0W\":[\"Acción sobre\"],\"7L01XJ\":[\"Acciones\"],\"m16xKo\":[\"Añadir\"],\"1m+3Z3\":[\"Añadir contexto adicional (Opcional)\"],\"Se1KZw\":[\"Añade todos los que correspondan\"],\"1xDwr8\":[\"Añade términos clave o nombres propios para mejorar la calidad y precisión de la transcripción.\"],\"ndpRPm\":[\"Añade nuevas grabaciones a este proyecto. Los archivos que subas aquí serán procesados y aparecerán en las conversaciones.\"],\"Ralayn\":[\"Añadir Etiqueta\"],\"IKoyMv\":[\"Añadir Etiquetas\"],\"NffMsn\":[\"Añadir a este chat\"],\"Na90E+\":[\"E-mails añadidos\"],\"SJCAsQ\":[\"Añadiendo Contexto:\"],\"OaKXud\":[\"Avanzado (Consejos y best practices)\"],\"TBpbDp\":[\"Avanzado (Consejos y trucos)\"],\"JiIKww\":[\"Configuración Avanzada\"],\"cF7bEt\":[\"Todas las acciones\"],\"O1367B\":[\"Todas las colecciones\"],\"Cmt62w\":[\"Todas las conversaciones están listas\"],\"u/fl/S\":[\"Todas las archivos se han subido correctamente.\"],\"baQJ1t\":[\"Todos los Insights\"],\"3goDnD\":[\"Permitir a los participantes usar el enlace para iniciar nuevas conversaciones\"],\"bruUug\":[\"Casi listo\"],\"H7cfSV\":[\"Ya añadido a este chat\"],\"jIoHDG\":[\"Se enviará una notificación por correo electrónico a \",[\"0\"],\" participante\",[\"1\"],\". ¿Quieres continuar?\"],\"G54oFr\":[\"Se enviará una notificación por correo electrónico a \",[\"0\"],\" participante\",[\"1\"],\". ¿Quieres continuar?\"],\"8q/YVi\":[\"Ocurrió un error al cargar el Portal. Por favor, contacta al equipo de soporte.\"],\"XyOToQ\":[\"Ocurrió un error.\"],\"QX6zrA\":[\"Análisis\"],\"F4cOH1\":[\"Lenguaje de análisis\"],\"1x2m6d\":[\"Analiza estos elementos con profundidad y matiz. Por favor:\\n\\nEnfoque en las conexiones inesperadas y contrastes\\nPasa más allá de las comparaciones superficiales\\nIdentifica patrones ocultos que la mayoría de las analíticas pasan por alto\\nMantén el rigor analítico mientras sigues siendo atractivo\\nUsa ejemplos que iluminan principios más profundos\\nEstructura el análisis para construir una comprensión\\nDibuja insights que contradicen ideas convencionales\\n\\nNota: Si las similitudes/diferencias son demasiado superficiales, por favor házmelo saber, necesitamos material más complejo para analizar.\"],\"Dzr23X\":[\"Anuncios\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"aprobar\"],\"conversation.verified.approved\":[\"Aprobado\"],\"Q5Z2wp\":[\"¿Estás seguro de que quieres eliminar esta conversación? Esta acción no se puede deshacer.\"],\"kWiPAC\":[\"¿Estás seguro de que quieres eliminar este proyecto?\"],\"YF1Re1\":[\"¿Estás seguro de que quieres eliminar este proyecto? Esta acción no se puede deshacer.\"],\"B8ymes\":[\"¿Estás seguro de que quieres eliminar esta grabación?\"],\"G2gLnJ\":[\"¿Estás seguro de que quieres eliminar esta etiqueta?\"],\"aUsm4A\":[\"¿Estás seguro de que quieres eliminar esta etiqueta? Esto eliminará la etiqueta de las conversaciones existentes que la contienen.\"],\"participant.modal.finish.message.text.mode\":[\"¿Estás seguro de que quieres terminar la conversación?\"],\"xu5cdS\":[\"¿Estás seguro de que quieres terminar?\"],\"sOql0x\":[\"¿Estás seguro de que quieres generar la biblioteca? Esto tomará un tiempo y sobrescribirá tus vistas e insights actuales.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"¿Estás seguro de que quieres regenerar el resumen? Perderás el resumen actual.\"],\"JHgUuT\":[\"¡Artefacto aprobado exitosamente!\"],\"IbpaM+\":[\"¡Artefacto recargado exitosamente!\"],\"Qcm/Tb\":[\"¡Artefacto revisado exitosamente!\"],\"uCzCO2\":[\"¡Artefacto actualizado exitosamente!\"],\"KYehbE\":[\"artefactos\"],\"jrcxHy\":[\"Artefactos\"],\"F+vBv0\":[\"Preguntar\"],\"Rjlwvz\":[\"¿Preguntar por el nombre?\"],\"5gQcdD\":[\"Pedir a los participantes que proporcionen su nombre cuando inicien una conversación\"],\"84NoFa\":[\"Aspecto\"],\"HkigHK\":[\"Aspectos\"],\"kskjVK\":[\"El asistente está escribiendo...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"Tienes que seleccionar al menos un tema para activar Hacerlo concreto\"],\"DMBYlw\":[\"Procesamiento de audio en progreso\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Las grabaciones de audio están programadas para eliminarse después de 30 días desde la fecha de grabación\"],\"IOBCIN\":[\"Consejo de audio\"],\"y2W2Hg\":[\"Registros de auditoría\"],\"aL1eBt\":[\"Registros de auditoría exportados a CSV\"],\"mS51hl\":[\"Registros de auditoría exportados a JSON\"],\"z8CQX2\":[\"Código de autenticación\"],\"/iCiQU\":[\"Seleccionar automáticamente\"],\"3D5FPO\":[\"Seleccionar automáticamente desactivado\"],\"ajAMbT\":[\"Seleccionar automáticamente activado\"],\"jEqKwR\":[\"Seleccionar fuentes para añadir al chat\"],\"vtUY0q\":[\"Incluye automáticamente conversaciones relevantes para el análisis sin selección manual\"],\"csDS2L\":[\"Disponible\"],\"participant.button.back.microphone\":[\"Volver\"],\"participant.button.back\":[\"Volver\"],\"iH8pgl\":[\"Atrás\"],\"/9nVLo\":[\"Volver a la selección\"],\"wVO5q4\":[\"Básico (Diapositivas esenciales del tutorial)\"],\"epXTwc\":[\"Configuración Básica\"],\"GML8s7\":[\"¡Comenzar!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Visión general\"],\"vZERag\":[\"Visión general - Temas y patrones\"],\"YgG3yv\":[\"Ideas de brainstorming\"],\"ba5GvN\":[\"Al eliminar este proyecto, eliminarás todos los datos asociados con él. Esta acción no se puede deshacer. ¿Estás ABSOLUTAMENTE seguro de que quieres eliminar este proyecto?\"],\"dEgA5A\":[\"Cancelar\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Cancelar\"],\"participant.concrete.action.button.cancel\":[\"cancelar\"],\"participant.concrete.instructions.button.cancel\":[\"cancelar\"],\"RKD99R\":[\"No se puede añadir una conversación vacía\"],\"JFFJDJ\":[\"Los cambios se guardan automáticamente mientras continúas usando la aplicación. <0/>Una vez que tengas cambios sin guardar, puedes hacer clic en cualquier lugar para guardar los cambios. <1/>También verás un botón para Cancelar los cambios.\"],\"u0IJto\":[\"Los cambios se guardarán automáticamente\"],\"xF/jsW\":[\"Cambiar el idioma durante una conversación activa puede provocar resultados inesperados. Se recomienda iniciar una nueva conversación después de cambiar el idioma. ¿Estás seguro de que quieres continuar?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Verificar acceso al micrófono\"],\"+e4Yxz\":[\"Verificar acceso al micrófono\"],\"v4fiSg\":[\"Revisa tu correo electrónico\"],\"pWT04I\":[\"Comprobando...\"],\"DakUDF\":[\"Elige el tema que prefieras para la interfaz\"],\"0ngaDi\":[\"Citar las siguientes fuentes\"],\"B2pdef\":[\"Haz clic en \\\"Subir archivos\\\" cuando estés listo para iniciar el proceso de subida.\"],\"BPrdpc\":[\"Clonar proyecto\"],\"9U86tL\":[\"Clonar proyecto\"],\"yz7wBu\":[\"Cerrar\"],\"q+hNag\":[\"Colección\"],\"Wqc3zS\":[\"Comparar y Contrastar\"],\"jlZul5\":[\"Compara y contrasta los siguientes elementos proporcionados en el contexto.\"],\"bD8I7O\":[\"Completar\"],\"6jBoE4\":[\"Temas concretos\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Continuar\"],\"yjkELF\":[\"Confirmar Nueva Contraseña\"],\"p2/GCq\":[\"Confirmar Contraseña\"],\"puQ8+/\":[\"Publicar\"],\"L0k594\":[\"Confirma tu contraseña para generar un nuevo secreto para tu aplicación de autenticación.\"],\"JhzMcO\":[\"Conectando a los servicios de informes...\"],\"wX/BfX\":[\"Conexión saludable\"],\"WimHuY\":[\"Conexión no saludable\"],\"DFFB2t\":[\"Contactar a ventas\"],\"VlCTbs\":[\"Contacta a tu representante de ventas para activar esta función hoy!\"],\"M73whl\":[\"Contexto\"],\"VHSco4\":[\"Contexto añadido:\"],\"participant.button.continue\":[\"Continuar\"],\"xGVfLh\":[\"Continuar\"],\"F1pfAy\":[\"conversación\"],\"EiHu8M\":[\"Conversación añadida al chat\"],\"ggJDqH\":[\"Audio de la conversación\"],\"participant.conversation.ended\":[\"Conversación terminada\"],\"BsHMTb\":[\"Conversación Terminada\"],\"26Wuwb\":[\"Procesando conversación\"],\"OtdHFE\":[\"Conversación eliminada del chat\"],\"zTKMNm\":[\"Estado de la conversación\"],\"Rdt7Iv\":[\"Detalles del estado de la conversación\"],\"a7zH70\":[\"conversaciones\"],\"EnJuK0\":[\"Conversaciones\"],\"TQ8ecW\":[\"Conversaciones desde código QR\"],\"nmB3V3\":[\"Conversaciones desde subida\"],\"participant.refine.cooling.down\":[\"Enfriándose. Disponible en \",[\"0\"]],\"6V3Ea3\":[\"Copiado\"],\"he3ygx\":[\"Copiar\"],\"y1eoq1\":[\"Copiar enlace\"],\"Dj+aS5\":[\"Copiar enlace para compartir este informe\"],\"vAkFou\":[\"Copy secret\"],\"v3StFl\":[\"Copiar Resumen\"],\"/4gGIX\":[\"Copiar al portapapeles\"],\"rG2gDo\":[\"Copiar transcripción\"],\"OvEjsP\":[\"Copiando...\"],\"hYgDIe\":[\"Crear\"],\"CSQPC0\":[\"Crear una Cuenta\"],\"library.create\":[\"Crear biblioteca\"],\"O671Oh\":[\"Crear Biblioteca\"],\"library.create.view.modal.title\":[\"Crear nueva vista\"],\"vY2Gfm\":[\"Crear nueva vista\"],\"bsfMt3\":[\"Crear informe\"],\"library.create.view\":[\"Crear vista\"],\"3D0MXY\":[\"Crear Vista\"],\"45O6zJ\":[\"Creado el\"],\"8Tg/JR\":[\"Personalizado\"],\"o1nIYK\":[\"Nombre de archivo personalizado\"],\"ZQKLI1\":[\"Zona de Peligro\"],\"ovBPCi\":[\"Predeterminado\"],\"ucTqrC\":[\"Predeterminado - Sin tutorial (Solo declaraciones de privacidad)\"],\"project.sidebar.chat.delete\":[\"Eliminar chat\"],\"cnGeoo\":[\"Eliminar\"],\"2DzmAq\":[\"Eliminar Conversación\"],\"++iDlT\":[\"Eliminar Proyecto\"],\"+m7PfT\":[\"Eliminado con éxito\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane funciona con IA. Revisa bien las respuestas.\"],\"67znul\":[\"Dembrane Respuesta\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Desarrolla un marco estratégico que impulse resultados significativos. Por favor:\\n\\nIdentifica objetivos centrales y sus interdependencias\\nMapa de implementación con plazos realistas\\nAnticipa obstáculos potenciales y estrategias de mitigación\\nDefine métricas claras para el éxito más allá de los indicadores de vanidad\\nResalta requisitos de recursos y prioridades de asignación\\nEstructura el plan para ambas acciones inmediatas y visión a largo plazo\\nIncluye puertas de decisión y puntos de pivote\\n\\nNota: Enfócate en estrategias que crean ventajas competitivas duraderas, no solo mejoras incrementales.\"],\"qERl58\":[\"Desactivar 2FA\"],\"yrMawf\":[\"Desactivar autenticación de dos factores\"],\"E/QGRL\":[\"Desactivado\"],\"LnL5p2\":[\"¿Quieres contribuir a este proyecto?\"],\"JeOjN4\":[\"¿Quieres estar en el bucle?\"],\"TvY/XA\":[\"Documentación\"],\"mzI/c+\":[\"Descargar\"],\"5YVf7S\":[\"Descargar todas las transcripciones de conversaciones generadas para este proyecto.\"],\"5154Ap\":[\"Descargar Todas las Transcripciones\"],\"8fQs2Z\":[\"Descargar como\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Descargar Audio\"],\"+bBcKo\":[\"Descargar transcripción\"],\"5XW2u5\":[\"Opciones de Descarga de Transcripción\"],\"hUO5BY\":[\"Arrastra archivos de audio aquí o haz clic para seleccionar archivos\"],\"KIjvtr\":[\"Holandés\"],\"HA9VXi\":[\"Echo\"],\"rH6cQt\":[\"Echo está impulsado por IA. Por favor, verifica las respuestas.\"],\"o6tfKZ\":[\"ECHO está impulsado por IA. Por favor, verifica las respuestas.\"],\"/IJH/2\":[\"¡ECHO!\"],\"9WkyHF\":[\"Editar Conversación\"],\"/8fAkm\":[\"Editar nombre de archivo\"],\"G2KpGE\":[\"Editar Proyecto\"],\"DdevVt\":[\"Editar Contenido del Informe\"],\"0YvCPC\":[\"Editar Recurso\"],\"report.editor.description\":[\"Edita el contenido del informe usando el editor de texto enriquecido a continuación. Puede formatear texto, agregar enlaces, imágenes y más.\"],\"F6H6Lg\":[\"Modo de edición\"],\"O3oNi5\":[\"Correo electrónico\"],\"wwiTff\":[\"Verificación de Correo Electrónico\"],\"Ih5qq/\":[\"Verificación de Correo Electrónico | Dembrane\"],\"iF3AC2\":[\"Correo electrónico verificado con éxito. Serás redirigido a la página de inicio de sesión en 5 segundos. Si no eres redirigido, por favor haz clic <0>aquí.\"],\"g2N9MJ\":[\"email@trabajo.com\"],\"N2S1rs\":[\"Vacío\"],\"DCRKbe\":[\"Activar 2FA\"],\"ycR/52\":[\"Habilitar Dembrane Echo\"],\"mKGCnZ\":[\"Habilitar Dembrane ECHO\"],\"Dh2kHP\":[\"Habilitar Dembrane Respuesta\"],\"d9rIJ1\":[\"Activar Dembrane Verify\"],\"+ljZfM\":[\"Activar Profundizar\"],\"wGA7d4\":[\"Activar Hacerlo concreto\"],\"G3dSLc\":[\"Habilitar Notificaciones de Reportes\"],\"dashboard.dembrane.concrete.description\":[\"Activa esta función para permitir a los participantes crear y verificar resultados concretos durante sus conversaciones.\"],\"Idlt6y\":[\"Habilita esta función para permitir a los participantes recibir notificaciones cuando se publica o actualiza un informe. Los participantes pueden ingresar su correo electrónico para suscribirse a actualizaciones y permanecer informados.\"],\"g2qGhy\":[\"Habilita esta función para permitir a los participantes solicitar respuestas impulsadas por IA durante su conversación. Los participantes pueden hacer clic en \\\"Echo\\\" después de grabar sus pensamientos para recibir retroalimentación contextual, fomentando una reflexión más profunda y mayor participación. Se aplica un período de enfriamiento entre solicitudes.\"],\"pB03mG\":[\"Habilita esta función para permitir a los participantes solicitar respuestas impulsadas por IA durante su conversación. Los participantes pueden hacer clic en \\\"ECHO\\\" después de grabar sus pensamientos para recibir retroalimentación contextual, fomentando una reflexión más profunda y mayor participación. Se aplica un período de enfriamiento entre solicitudes.\"],\"dWv3hs\":[\"Habilite esta función para permitir a los participantes solicitar respuestas AI durante su conversación. Los participantes pueden hacer clic en \\\"Get Reply\\\" después de grabar sus pensamientos para recibir retroalimentación contextual, alentando una reflexión más profunda y una participación más intensa. Un período de enfriamiento aplica entre solicitudes.\"],\"rkE6uN\":[\"Activa esta función para que los participantes puedan pedir respuestas con IA durante su conversación. Después de grabar lo que piensan, pueden hacer clic en \\\"Profundizar\\\" para recibir feedback contextual que invita a reflexionar más y a implicarse más. Hay un tiempo de espera entre peticiones.\"],\"329BBO\":[\"Activar autenticación de dos factores\"],\"RxzN1M\":[\"Habilitado\"],\"IxzwiB\":[\"Fin de la lista • Todas las \",[\"0\"],\" conversaciones cargadas\"],\"lYGfRP\":[\"Inglés\"],\"GboWYL\":[\"Ingresa un término clave o nombre propio\"],\"TSHJTb\":[\"Ingresa un nombre para el nuevo conversation\"],\"KovX5R\":[\"Ingresa un nombre para tu proyecto clonado\"],\"34YqUw\":[\"Ingresa un código válido para desactivar la autenticación de dos factores.\"],\"2FPsPl\":[\"Ingresa el nombre del archivo (sin extensión)\"],\"vT+QoP\":[\"Ingresa un nuevo nombre para el chat:\"],\"oIn7d4\":[\"Ingresa el código de 6 dígitos de tu aplicación de autenticación.\"],\"q1OmsR\":[\"Ingresa el código actual de seis dígitos de tu aplicación de autenticación.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Ingresa tu contraseña\"],\"42tLXR\":[\"Ingresa tu consulta\"],\"SlfejT\":[\"Error\"],\"Ne0Dr1\":[\"Error al clonar el proyecto\"],\"AEkJ6x\":[\"Error al crear el informe\"],\"S2MVUN\":[\"Error al cargar los anuncios\"],\"xcUDac\":[\"Error al cargar los insights\"],\"edh3aY\":[\"Error al cargar el proyecto\"],\"3Uoj83\":[\"Error al cargar las citas\"],\"z05QRC\":[\"Error al actualizar el informe\"],\"hmk+3M\":[\"Error al subir \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Acceso al micrófono verificado con éxito\"],\"/PykH1\":[\"Todo parece bien – puedes continuar.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimental\"],\"/bsogT\":[\"Explora temas y patrones en todas las conversaciones\"],\"sAod0Q\":[\"Explorando \",[\"conversationCount\"],\" conversaciones\"],\"GS+Mus\":[\"Exportar\"],\"7Bj3x9\":[\"Error\"],\"bh2Vob\":[\"Error al añadir la conversación al chat\"],\"ajvYcJ\":[\"Error al añadir la conversación al chat\",[\"0\"]],\"9GMUFh\":[\"Error al aprobar el artefacto. Por favor, inténtalo de nuevo.\"],\"RBpcoc\":[\"Error al copiar el chat. Por favor, inténtalo de nuevo.\"],\"uvu6eC\":[\"No se pudo copiar la transcripción. Inténtalo de nuevo.\"],\"BVzTya\":[\"Error al eliminar la respuesta\"],\"p+a077\":[\"Error al desactivar la selección automática para este chat\"],\"iS9Cfc\":[\"Error al activar la selección automática para este chat\"],\"Gu9mXj\":[\"Error al finalizar la conversación. Por favor, inténtalo de nuevo.\"],\"vx5bTP\":[\"Error al generar \",[\"label\"],\". Por favor, inténtalo de nuevo.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Error al generar el resumen. Inténtalo de nuevo más tarde.\"],\"DKxr+e\":[\"Error al obtener los anuncios\"],\"TSt/Iq\":[\"Error al obtener la última notificación\"],\"D4Bwkb\":[\"Error al obtener el número de notificaciones no leídas\"],\"AXRzV1\":[\"Error al cargar el audio o el audio no está disponible\"],\"T7KYJY\":[\"Error al marcar todos los anuncios como leídos\"],\"eGHX/x\":[\"Error al marcar el anuncio como leído\"],\"SVtMXb\":[\"Error al regenerar el resumen. Por favor, inténtalo de nuevo más tarde.\"],\"h49o9M\":[\"Error al recargar. Por favor, inténtalo de nuevo.\"],\"kE1PiG\":[\"Error al eliminar la conversación del chat\"],\"+piK6h\":[\"Error al eliminar la conversación del chat\",[\"0\"]],\"SmP70M\":[\"Error al retranscribir la conversación. Por favor, inténtalo de nuevo.\"],\"hhLiKu\":[\"Error al revisar el artefacto. Por favor, inténtalo de nuevo.\"],\"wMEdO3\":[\"Error al detener la grabación al cambiar el dispositivo. Por favor, inténtalo de nuevo.\"],\"wH6wcG\":[\"Error al verificar el estado del correo electrónico. Por favor, inténtalo de nuevo.\"],\"participant.modal.refine.info.title\":[\"Función disponible pronto\"],\"87gcCP\":[\"El archivo \\\"\",[\"0\"],\"\\\" excede el tamaño máximo de \",[\"1\"],\".\"],\"ena+qV\":[\"El archivo \\\"\",[\"0\"],\"\\\" tiene un formato no soportado. Solo se permiten archivos de audio.\"],\"LkIAge\":[\"El archivo \\\"\",[\"0\"],\"\\\" no es un formato de audio soportado. Solo se permiten archivos de audio.\"],\"RW2aSn\":[\"El archivo \\\"\",[\"0\"],\"\\\" es demasiado pequeño (\",[\"1\"],\"). El tamaño mínimo es \",[\"2\"],\".\"],\"+aBwxq\":[\"Tamaño del archivo: Mínimo \",[\"0\"],\", Máximo \",[\"1\"],\", hasta \",[\"MAX_FILES\"],\" archivos\"],\"o7J4JM\":[\"Filtrar\"],\"5g0xbt\":[\"Filtrar registros de auditoría por acción\"],\"9clinz\":[\"Filtrar registros de auditoría por colección\"],\"O39Ph0\":[\"Filtrar por acción\"],\"DiDNkt\":[\"Filtrar por colección\"],\"participant.button.stop.finish\":[\"Finalizar\"],\"participant.button.finish.text.mode\":[\"Finalizar\"],\"participant.button.finish\":[\"Finalizar\"],\"JmZ/+d\":[\"Finalizar\"],\"participant.modal.finish.title.text.mode\":[\"¿Estás seguro de que quieres terminar la conversación?\"],\"4dQFvz\":[\"Finalizado\"],\"kODvZJ\":[\"Nombre\"],\"MKEPCY\":[\"Seguir\"],\"JnPIOr\":[\"Seguir reproducción\"],\"glx6on\":[\"¿Olvidaste tu contraseña?\"],\"nLC6tu\":[\"Francés\"],\"tSA0hO\":[\"Generar perspectivas a partir de tus conversaciones\"],\"QqIxfi\":[\"Generar secreto\"],\"tM4cbZ\":[\"Generar notas estructuradas de la reunión basadas en los siguientes puntos de discusión proporcionados en el contexto.\"],\"gitFA/\":[\"Generar Resumen\"],\"kzY+nd\":[\"Generando el resumen. Espera...\"],\"DDcvSo\":[\"Alemán\"],\"u9yLe/\":[\"Obtén una respuesta inmediata de Dembrane para ayudarte a profundizar en la conversación.\"],\"participant.refine.go.deeper.description\":[\"Obtén una respuesta inmediata de Dembrane para ayudarte a profundizar en la conversación.\"],\"TAXdgS\":[\"Dame una lista de 5-10 temas que se están discutiendo.\"],\"CKyk7Q\":[\"Volver\"],\"participant.concrete.artefact.action.button.go.back\":[\"Volver\"],\"IL8LH3\":[\"Profundizar\"],\"participant.refine.go.deeper\":[\"Profundizar\"],\"iWpEwy\":[\"Ir al inicio\"],\"A3oCMz\":[\"Ir a la nueva conversación\"],\"5gqNQl\":[\"Vista de cuadrícula\"],\"ZqBGoi\":[\"Tiene artefactos verificados\"],\"Yae+po\":[\"Ayúdanos a traducir\"],\"ng2Unt\":[\"Hola, \",[\"0\"]],\"D+zLDD\":[\"Oculto\"],\"G1UUQY\":[\"Joya oculta\"],\"LqWHk1\":[\"Ocultar \",[\"0\"]],\"u5xmYC\":[\"Ocultar todo\"],\"txCbc+\":[\"Ocultar todos los insights\"],\"0lRdEo\":[\"Ocultar Conversaciones Sin Contenido\"],\"eHo/Jc\":[\"Ocultar datos\"],\"g4tIdF\":[\"Ocultar datos de revisión\"],\"i0qMbr\":[\"Inicio\"],\"LSCWlh\":[\"¿Cómo le describirías a un colega lo que estás tratando de lograr con este proyecto?\\n* ¿Cuál es el objetivo principal o métrica clave?\\n* ¿Cómo se ve el éxito?\"],\"participant.button.i.understand\":[\"Entiendo\"],\"WsoNdK\":[\"Identifica y analiza los temas recurrentes en este contenido. Por favor:\\n\"],\"KbXMDK\":[\"Identifica temas recurrentes, temas y argumentos que aparecen consistentemente en las conversaciones. Analiza su frecuencia, intensidad y consistencia. Salida esperada: 3-7 aspectos para conjuntos de datos pequeños, 5-12 para conjuntos de datos medianos, 8-15 para conjuntos de datos grandes. Guía de procesamiento: Enfócate en patrones distintos que emergen en múltiples conversaciones.\"],\"participant.concrete.instructions.approve.artefact\":[\"Si estás satisfecho con el \",[\"objectLabel\"],\", haz clic en \\\"Aprobar\\\" para mostrar que te sientes escuchado.\"],\"QJUjB0\":[\"Para navegar mejor por las citas, crea vistas adicionales. Las citas se agruparán según tu vista.\"],\"IJUcvx\":[\"Mientras tanto, si quieres analizar las conversaciones que aún están en proceso, puedes usar la función de Chat\"],\"aOhF9L\":[\"Incluir enlace al portal en el informe\"],\"Dvf4+M\":[\"Incluir marcas de tiempo\"],\"CE+M2e\":[\"Información\"],\"sMa/sP\":[\"Biblioteca de Insights\"],\"ZVY8fB\":[\"Insight no encontrado\"],\"sJa5f4\":[\"insights\"],\"3hJypY\":[\"Insights\"],\"crUYYp\":[\"Código inválido. Por favor solicita uno nuevo.\"],\"jLr8VJ\":[\"Credenciales inválidas.\"],\"aZ3JOU\":[\"Token inválido. Por favor intenta de nuevo.\"],\"1xMiTU\":[\"Dirección IP\"],\"participant.conversation.error.deleted\":[\"Parece que la conversación se eliminó mientras grababas. Hemos detenido la grabación para evitar cualquier problema. Puedes iniciar una nueva en cualquier momento.\"],\"zT7nbS\":[\"Parece que la conversación se eliminó mientras grababas. Hemos detenido la grabación para evitar cualquier problema. Puedes iniciar una nueva en cualquier momento.\"],\"library.not.available.message\":[\"Parece que la biblioteca no está disponible para tu cuenta. Por favor, solicita acceso para desbloquear esta funcionalidad.\"],\"participant.concrete.artefact.error.description\":[\"Parece que no pudimos cargar este artefacto. Esto podría ser un problema temporal. Puedes intentar recargar o volver para seleccionar un tema diferente.\"],\"MbKzYA\":[\"Suena como si hablaran más de una persona. Tomar turnos nos ayudará a escuchar a todos claramente.\"],\"Lj7sBL\":[\"Italiano\"],\"clXffu\":[\"Únete a \",[\"0\"],\" en Dembrane\"],\"uocCon\":[\"Un momento\"],\"OSBXx5\":[\"Justo ahora\"],\"0ohX1R\":[\"Mantén el acceso seguro con un código de un solo uso de tu aplicación de autenticación. Activa o desactiva la autenticación de dos factores para esta cuenta.\"],\"vXIe7J\":[\"Idioma\"],\"UXBCwc\":[\"Apellido\"],\"0K/D0Q\":[\"Última vez guardado el \",[\"0\"]],\"K7P0jz\":[\"Última actualización\"],\"PIhnIP\":[\"Háganos saber!\"],\"qhQjFF\":[\"Vamos a asegurarnos de que podemos escucharte\"],\"exYcTF\":[\"Biblioteca\"],\"library.title\":[\"Biblioteca\"],\"T50lwc\":[\"La creación de la biblioteca está en progreso\"],\"yUQgLY\":[\"La biblioteca está siendo procesada\"],\"yzF66j\":[\"Enlace\"],\"3gvJj+\":[\"Publicación LinkedIn (Experimental)\"],\"dF6vP6\":[\"Vivo\"],\"participant.live.audio.level\":[\"Nivel de audio en vivo\"],\"TkFXaN\":[\"Nivel de audio en vivo:\"],\"n9yU9X\":[\"Vista Previa en Vivo\"],\"participant.concrete.instructions.loading\":[\"Cargando\"],\"yQE2r9\":[\"Cargando\"],\"yQ9yN3\":[\"Cargando acciones...\"],\"participant.concrete.loading.artefact\":[\"Cargando artefacto\"],\"JOvnq+\":[\"Cargando registros de auditoría…\"],\"y+JWgj\":[\"Cargando colecciones...\"],\"ATTcN8\":[\"Cargando temas concretos…\"],\"FUK4WT\":[\"Cargando micrófonos...\"],\"H+bnrh\":[\"Cargando transcripción...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"cargando...\"],\"Z3FXyt\":[\"Cargando...\"],\"Pwqkdw\":[\"Cargando…\"],\"z0t9bb\":[\"Iniciar sesión\"],\"zfB1KW\":[\"Iniciar sesión | Dembrane\"],\"Wd2LTk\":[\"Iniciar sesión como usuario existente\"],\"nOhz3x\":[\"Cerrar sesión\"],\"jWXlkr\":[\"Más largo primero\"],\"dashboard.dembrane.concrete.title\":[\"Hacerlo concreto\"],\"participant.refine.make.concrete\":[\"Hacerlo concreto\"],\"JSxZVX\":[\"Marcar todos como leídos\"],\"+s1J8k\":[\"Marcar como leído\"],\"VxyuRJ\":[\"Notas de Reunión\"],\"08d+3x\":[\"Mensajes de \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"El acceso al micrófono sigue denegado. Por favor verifica tu configuración e intenta de nuevo.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Modo\"],\"zMx0gF\":[\"Más templates\"],\"QWdKwH\":[\"Mover\"],\"CyKTz9\":[\"Mover Conversación\"],\"wUTBdx\":[\"Mover a otro Proyecto\"],\"Ksvwy+\":[\"Mover a Proyecto\"],\"6YtxFj\":[\"Nombre\"],\"e3/ja4\":[\"Nombre A-Z\"],\"c5Xt89\":[\"Nombre Z-A\"],\"isRobC\":[\"Nuevo\"],\"Wmq4bZ\":[\"Nuevo nombre de conversación\"],\"library.new.conversations\":[\"Se han añadido nuevas conversaciones desde que se generó la biblioteca. Regenera la biblioteca para procesarlas.\"],\"P/+jkp\":[\"Se han añadido nuevas conversaciones desde que se generó la biblioteca. Regenera la biblioteca para procesarlas.\"],\"7vhWI8\":[\"Nueva Contraseña\"],\"+VXUp8\":[\"Nuevo Proyecto\"],\"+RfVvh\":[\"Más nuevos primero\"],\"participant.button.next\":[\"Siguiente\"],\"participant.ready.to.begin.button.text\":[\"¿Listo para comenzar?\"],\"participant.concrete.selection.button.next\":[\"Siguiente\"],\"participant.concrete.instructions.button.next\":[\"Siguiente\"],\"hXzOVo\":[\"Siguiente\"],\"participant.button.finish.no.text.mode\":[\"No\"],\"riwuXX\":[\"No se encontraron acciones\"],\"WsI5bo\":[\"No hay anuncios disponibles\"],\"Em+3Ls\":[\"No hay registros de auditoría que coincidan con los filtros actuales.\"],\"project.sidebar.chat.empty.description\":[\"No se encontraron chats. Inicia un chat usando el botón \\\"Preguntar\\\".\"],\"YM6Wft\":[\"No se encontraron chats. Inicia un chat usando el botón \\\"Preguntar\\\".\"],\"Qqhl3R\":[\"No se encontraron colecciones\"],\"zMt5AM\":[\"No hay temas concretos disponibles.\"],\"zsslJv\":[\"No hay contenido\"],\"1pZsdx\":[\"No hay conversaciones disponibles para crear la biblioteca\"],\"library.no.conversations\":[\"No hay conversaciones disponibles para crear la biblioteca\"],\"zM3DDm\":[\"No hay conversaciones disponibles para crear la biblioteca. Por favor añade algunas conversaciones para comenzar.\"],\"EtMtH/\":[\"No se encontraron conversaciones.\"],\"BuikQT\":[\"No se encontraron conversaciones. Inicia una conversación usando el enlace de invitación de participación desde la <0><1>vista general del proyecto.\"],\"meAa31\":[\"No hay conversaciones aún\"],\"VInleh\":[\"No hay insights disponibles. Genera insights para esta conversación visitando<0><1> la biblioteca del proyecto.\"],\"yTx6Up\":[\"Aún no se han añadido términos clave o nombres propios. Añádelos usando el campo de entrada de arriba para mejorar la precisión de la transcripción.\"],\"jfhDAK\":[\"No se han detectado nuevos comentarios aún. Por favor, continúa tu discusión y vuelve a intentarlo pronto.\"],\"T3TyGx\":[\"No se encontraron proyectos \",[\"0\"]],\"y29l+b\":[\"No se encontraron proyectos para el término de búsqueda\"],\"ghhtgM\":[\"No hay citas disponibles. Genera citas para esta conversación visitando\"],\"yalI52\":[\"No hay citas disponibles. Genera citas para esta conversación visitando<0><1> la biblioteca del proyecto.\"],\"ctlSnm\":[\"No se encontró ningún informe\"],\"EhV94J\":[\"No se encontraron recursos.\"],\"Ev2r9A\":[\"Sin resultados\"],\"WRRjA9\":[\"No se encontraron etiquetas\"],\"LcBe0w\":[\"Aún no se han añadido etiquetas a este proyecto. Añade una etiqueta usando el campo de texto de arriba para comenzar.\"],\"bhqKwO\":[\"No hay transcripción disponible\"],\"TmTivZ\":[\"No hay transcripción disponible para esta conversación.\"],\"vq+6l+\":[\"Aún no existe transcripción para esta conversación. Por favor, revisa más tarde.\"],\"MPZkyF\":[\"No hay transcripciones seleccionadas para este chat\"],\"AotzsU\":[\"Sin tutorial (solo declaraciones de privacidad)\"],\"OdkUBk\":[\"No se seleccionaron archivos de audio válidos. Por favor, selecciona solo archivos de audio (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"No hay temas de verificación configurados para este proyecto.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"No disponible\"],\"cH5kXP\":[\"Ahora\"],\"9+6THi\":[\"Más antiguos primero\"],\"participant.concrete.instructions.revise.artefact\":[\"Una vez que hayas discutido, presiona \\\"revisar\\\" para ver cómo el \",[\"objectLabel\"],\" cambia para reflejar tu discusión.\"],\"participant.concrete.instructions.read.aloud\":[\"Una vez que recibas el \",[\"objectLabel\"],\", léelo en voz alta y comparte en voz alta lo que deseas cambiar, si es necesario.\"],\"conversation.ongoing\":[\"En curso\"],\"J6n7sl\":[\"En curso\"],\"uTmEDj\":[\"Conversaciones en Curso\"],\"QvvnWK\":[\"Solo las \",[\"0\"],\" conversaciones finalizadas \",[\"1\"],\" serán incluidas en el informe en este momento. \"],\"participant.alert.microphone.access.failure\":[\"¡Ups! Parece que se denegó el acceso al micrófono. ¡No te preocupes! Tenemos una guía de solución de problemas para ti. Siéntete libre de consultarla. Una vez que hayas resuelto el problema, vuelve a visitar esta página para verificar si tu micrófono está listo.\"],\"J17dTs\":[\"¡Ups! Parece que se denegó el acceso al micrófono. ¡No te preocupes! Tenemos una guía de solución de problemas para ti. Siéntete libre de consultarla. Una vez que hayas resuelto el problema, vuelve a visitar esta página para verificar si tu micrófono está listo.\"],\"1TNIig\":[\"Abrir\"],\"NRLF9V\":[\"Abrir Documentación\"],\"2CyWv2\":[\"¿Abierto para Participación?\"],\"participant.button.open.troubleshooting.guide\":[\"Abrir guía de solución de problemas\"],\"7yrRHk\":[\"Abrir guía de solución de problemas\"],\"Hak8r6\":[\"Abre tu aplicación de autenticación e ingresa el código actual de seis dígitos.\"],\"0zpgxV\":[\"Opciones\"],\"6/dCYd\":[\"Vista General\"],\"/fAXQQ\":[\"Overview - Temas y patrones\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Contenido de la Página\"],\"8F1i42\":[\"Página no encontrada\"],\"6+Py7/\":[\"Título de la Página\"],\"v8fxDX\":[\"Participante\"],\"Uc9fP1\":[\"Funciones para participantes\"],\"y4n1fB\":[\"Los participantes podrán seleccionar etiquetas al crear conversaciones\"],\"8ZsakT\":[\"Contraseña\"],\"w3/J5c\":[\"Proteger el portal con contraseña (solicitar función)\"],\"lpIMne\":[\"Las contraseñas no coinciden\"],\"IgrLD/\":[\"Pausar\"],\"PTSHeg\":[\"Pausar lectura\"],\"UbRKMZ\":[\"Pendiente\"],\"6v5aT9\":[\"Elige el enfoque que encaje con tu pregunta\"],\"participant.alert.microphone.access\":[\"Por favor, permite el acceso al micrófono para iniciar el test.\"],\"3flRk2\":[\"Por favor, permite el acceso al micrófono para iniciar el test.\"],\"SQSc5o\":[\"Por favor, revisa más tarde o contacta al propietario del proyecto para más información.\"],\"T8REcf\":[\"Por favor, revisa tus entradas para errores.\"],\"S6iyis\":[\"Por favor, no cierres su navegador\"],\"n6oAnk\":[\"Por favor, habilite la participación para habilitar el uso compartido\"],\"fwrPh4\":[\"Por favor, ingrese un correo electrónico válido.\"],\"iMWXJN\":[\"Mantén esta pantalla encendida (pantalla negra = sin grabación)\"],\"D90h1s\":[\"Por favor, inicia sesión para continuar.\"],\"mUGRqu\":[\"Por favor, proporciona un resumen conciso de los siguientes elementos proporcionados en el contexto.\"],\"ps5D2F\":[\"Por favor, graba tu respuesta haciendo clic en el botón \\\"Grabar\\\" de abajo. También puedes elegir responder en texto haciendo clic en el icono de texto. \\n**Por favor, mantén esta pantalla encendida** \\n(pantalla negra = no está grabando)\"],\"TsuUyf\":[\"Por favor, registra tu respuesta haciendo clic en el botón \\\"Iniciar Grabación\\\" de abajo. También puedes responder en texto haciendo clic en el icono de texto.\"],\"4TVnP7\":[\"Por favor, selecciona un idioma para tu informe\"],\"N63lmJ\":[\"Por favor, selecciona un idioma para tu informe actualizado\"],\"XvD4FK\":[\"Por favor, selecciona al menos una fuente\"],\"hxTGLS\":[\"Selecciona conversaciones en la barra lateral para continuar\"],\"GXZvZ7\":[\"Por favor, espera \",[\"timeStr\"],\" antes de solicitar otro eco.\"],\"Am5V3+\":[\"Por favor, espera \",[\"timeStr\"],\" antes de solicitar otro Echo.\"],\"CE1Qet\":[\"Por favor, espera \",[\"timeStr\"],\" antes de solicitar otro ECHO.\"],\"Fx1kHS\":[\"Por favor, espera \",[\"timeStr\"],\" antes de solicitar otra respuesta.\"],\"MgJuP2\":[\"Por favor, espera mientras generamos tu informe. Serás redirigido automáticamente a la página del informe.\"],\"library.processing.request\":[\"Biblioteca en proceso\"],\"04DMtb\":[\"Por favor, espera mientras procesamos tu solicitud de retranscripción. Serás redirigido a la nueva conversación cuando esté lista.\"],\"ei5r44\":[\"Por favor, espera mientras actualizamos tu informe. Serás redirigido automáticamente a la página del informe.\"],\"j5KznP\":[\"Por favor, espera mientras verificamos tu dirección de correo electrónico.\"],\"uRFMMc\":[\"Contenido del Portal\"],\"qVypVJ\":[\"Editor del Portal\"],\"g2UNkE\":[\"Propulsado por\"],\"MPWj35\":[\"Preparando tus conversaciones... Esto puede tardar un momento.\"],\"/SM3Ws\":[\"Preparando tu experiencia\"],\"ANWB5x\":[\"Imprimir este informe\"],\"zwqetg\":[\"Declaraciones de Privacidad\"],\"qAGp2O\":[\"Continuar\"],\"stk3Hv\":[\"procesando\"],\"vrnnn9\":[\"Procesando\"],\"kvs/6G\":[\"El procesamiento de esta conversación ha fallado. Esta conversación no estará disponible para análisis y chat.\"],\"q11K6L\":[\"El procesamiento de esta conversación ha fallado. Esta conversación no estará disponible para análisis y chat. Último estado conocido: \",[\"0\"]],\"NQiPr4\":[\"Procesando Transcripción\"],\"48px15\":[\"Procesando tu informe...\"],\"gzGDMM\":[\"Procesando tu solicitud de retranscripción...\"],\"Hie0VV\":[\"Proyecto creado\"],\"xJMpjP\":[\"Biblioteca del Proyecto | Dembrane\"],\"OyIC0Q\":[\"Nombre del proyecto\"],\"6Z2q2Y\":[\"El nombre del proyecto debe tener al menos 4 caracteres\"],\"n7JQEk\":[\"Proyecto no encontrado\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Vista General del Proyecto | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Configuración del Proyecto\"],\"+0B+ue\":[\"Proyectos\"],\"Eb7xM7\":[\"Proyectos | Dembrane\"],\"JQVviE\":[\"Inicio de Proyectos\"],\"nyEOdh\":[\"Proporciona una visión general de los temas principales y los temas recurrentes\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publicar\"],\"u3wRF+\":[\"Publicado\"],\"E7YTYP\":[\"Saca las citas más potentes de esta sesión\"],\"eWLklq\":[\"Citas\"],\"wZxwNu\":[\"Leer en voz alta\"],\"participant.ready.to.begin\":[\"¿Listo para comenzar?\"],\"ZKOO0I\":[\"¿Listo para comenzar?\"],\"hpnYpo\":[\"Aplicaciones recomendadas\"],\"participant.button.record\":[\"Grabar\"],\"w80YWM\":[\"Grabar\"],\"s4Sz7r\":[\"Registrar otra conversación\"],\"participant.modal.pause.title\":[\"Grabación pausada\"],\"view.recreate.tooltip\":[\"Recrear vista\"],\"view.recreate.modal.title\":[\"Recrear vista\"],\"CqnkB0\":[\"Temas recurrentes\"],\"9aloPG\":[\"Referencias\"],\"participant.button.refine\":[\"Refinar\"],\"lCF0wC\":[\"Actualizar\"],\"ZMXpAp\":[\"Actualizar registros de auditoría\"],\"844H5I\":[\"Regenerar Biblioteca\"],\"bluvj0\":[\"Regenerar Resumen\"],\"participant.concrete.regenerating.artefact\":[\"Regenerando el artefacto\"],\"oYlYU+\":[\"Regenerando el resumen. Espera...\"],\"wYz80B\":[\"Registrar | Dembrane\"],\"w3qEvq\":[\"Registrar como nuevo usuario\"],\"7dZnmw\":[\"Relevancia\"],\"participant.button.reload.page.text.mode\":[\"Recargar\"],\"participant.button.reload\":[\"Recargar\"],\"participant.concrete.artefact.action.button.reload\":[\"Recargar página\"],\"hTDMBB\":[\"Recargar Página\"],\"Kl7//J\":[\"Eliminar Correo Electrónico\"],\"cILfnJ\":[\"Eliminar archivo\"],\"CJgPtd\":[\"Eliminar de este chat\"],\"project.sidebar.chat.rename\":[\"Renombrar\"],\"2wxgft\":[\"Renombrar\"],\"XyN13i\":[\"Prompt de Respuesta\"],\"gjpdaf\":[\"Informe\"],\"Q3LOVJ\":[\"Reportar un problema\"],\"DUmD+q\":[\"Informe creado - \",[\"0\"]],\"KFQLa2\":[\"La generación de informes está actualmente en fase beta y limitada a proyectos con menos de 10 horas de grabación.\"],\"hIQOLx\":[\"Notificaciones de Reportes\"],\"lNo4U2\":[\"Informe actualizado - \",[\"0\"]],\"library.request.access\":[\"Solicitar Acceso\"],\"uLZGK+\":[\"Solicitar Acceso\"],\"dglEEO\":[\"Solicitar Restablecimiento de Contraseña\"],\"u2Hh+Y\":[\"Solicitar Restablecimiento de Contraseña | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Por favor, espera mientras verificamos el acceso al micrófono.\"],\"MepchF\":[\"Solicitando acceso al micrófono para detectar dispositivos disponibles...\"],\"xeMrqw\":[\"Restablecer todas las opciones\"],\"KbS2K9\":[\"Restablecer Contraseña\"],\"UMMxwo\":[\"Restablecer Contraseña | Dembrane\"],\"L+rMC9\":[\"Restablecer a valores predeterminados\"],\"s+MGs7\":[\"Recursos\"],\"participant.button.stop.resume\":[\"Reanudar\"],\"v39wLo\":[\"Reanudar\"],\"sVzC0H\":[\"Retranscribir\"],\"ehyRtB\":[\"Retranscribir conversación\"],\"1JHQpP\":[\"Retranscribir conversación\"],\"MXwASV\":[\"La retranscripción ha comenzado. La nueva conversación estará disponible pronto.\"],\"6gRgw8\":[\"Reintentar\"],\"H1Pyjd\":[\"Reintentar subida\"],\"9VUzX4\":[\"Revisa la actividad de tu espacio de trabajo. Filtra por colección o acción, y exporta la vista actual para una investigación más detallada.\"],\"UZVWVb\":[\"Revisar archivos antes de subir\"],\"3lYF/Z\":[\"Revisar el estado de procesamiento para cada conversación recopilada en este proyecto.\"],\"participant.concrete.action.button.revise\":[\"revisar\"],\"OG3mVO\":[\"Revisión #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Filas por página\"],\"participant.concrete.action.button.save\":[\"guardar\"],\"tfDRzk\":[\"Guardar\"],\"2VA/7X\":[\"¡Error al guardar!\"],\"XvjC4F\":[\"Guardando...\"],\"nHeO/c\":[\"Escanea el código QR o copia el secreto en tu aplicación.\"],\"oOi11l\":[\"Desplazarse al final\"],\"A1taO8\":[\"Buscar\"],\"OWm+8o\":[\"Buscar conversaciones\"],\"blFttG\":[\"Buscar proyectos\"],\"I0hU01\":[\"Buscar Proyectos\"],\"RVZJWQ\":[\"Buscar proyectos...\"],\"lnWve4\":[\"Buscar etiquetas\"],\"pECIKL\":[\"Buscar templates...\"],\"uSvNyU\":[\"Buscó en las fuentes más relevantes\"],\"Wj2qJm\":[\"Buscando en las fuentes más relevantes\"],\"Y1y+VB\":[\"Secreto copiado\"],\"Eyh9/O\":[\"Ver detalles del estado de la conversación\"],\"0sQPzI\":[\"Hasta pronto\"],\"1ZTiaz\":[\"Segmentos\"],\"H/diq7\":[\"Seleccionar un micrófono\"],\"NK2YNj\":[\"Seleccionar archivos de audio para subir\"],\"/3ntVG\":[\"Selecciona conversaciones y encuentra citas exactas\"],\"LyHz7Q\":[\"Selecciona conversaciones en la barra lateral\"],\"n4rh8x\":[\"Seleccionar Proyecto\"],\"ekUnNJ\":[\"Seleccionar etiquetas\"],\"CG1cTZ\":[\"Selecciona las instrucciones que se mostrarán a los participantes cuando inicien una conversación\"],\"qxzrcD\":[\"Selecciona el tipo de retroalimentación o participación que quieres fomentar.\"],\"QdpRMY\":[\"Seleccionar tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Selecciona qué temas pueden usar los participantes para verificación.\"],\"participant.select.microphone\":[\"Seleccionar un micrófono\"],\"vKH1Ye\":[\"Selecciona tu micrófono:\"],\"gU5H9I\":[\"Archivos seleccionados (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Micrófono seleccionado\"],\"JlFcis\":[\"Enviar\"],\"VTmyvi\":[\"Sentimiento\"],\"NprC8U\":[\"Nombre de la Sesión\"],\"DMl1JW\":[\"Configurando tu primer proyecto\"],\"Tz0i8g\":[\"Configuración\"],\"participant.settings.modal.title\":[\"Configuración\"],\"PErdpz\":[\"Configuración | Dembrane\"],\"Z8lGw6\":[\"Compartir\"],\"/XNQag\":[\"Compartir este informe\"],\"oX3zgA\":[\"Comparte tus detalles aquí\"],\"Dc7GM4\":[\"Compartir tu voz\"],\"swzLuF\":[\"Comparte tu voz escaneando el código QR de abajo.\"],\"+tz9Ky\":[\"Más corto primero\"],\"h8lzfw\":[\"Mostrar \",[\"0\"]],\"lZw9AX\":[\"Mostrar todo\"],\"w1eody\":[\"Mostrar reproductor de audio\"],\"pzaNzD\":[\"Mostrar datos\"],\"yrhNQG\":[\"Mostrar duración\"],\"Qc9KX+\":[\"Mostrar direcciones IP\"],\"6lGV3K\":[\"Mostrar menos\"],\"fMPkxb\":[\"Mostrar más\"],\"3bGwZS\":[\"Mostrar referencias\"],\"OV2iSn\":[\"Mostrar datos de revisión\"],\"3Sg56r\":[\"Mostrar línea de tiempo en el informe (solicitar función)\"],\"DLEIpN\":[\"Mostrar marcas de tiempo (experimental)\"],\"Tqzrjk\":[\"Mostrando \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" de \",[\"totalItems\"],\" entradas\"],\"dbWo0h\":[\"Iniciar sesión con Google\"],\"participant.mic.check.button.skip\":[\"Omitir\"],\"6Uau97\":[\"Omitir\"],\"lH0eLz\":[\"Omitir diapositiva de privacidad (El anfitrión gestiona el consentimiento)\"],\"b6NHjr\":[\"Omitir diapositiva de privacidad (El anfitrión gestiona la base legal)\"],\"4Q9po3\":[\"Algunas conversaciones aún están siendo procesadas. La selección automática funcionará de manera óptima una vez que se complete el procesamiento de audio.\"],\"q+pJ6c\":[\"Algunos archivos ya estaban seleccionados y no se agregarán dos veces.\"],\"nwtY4N\":[\"Algo salió mal\"],\"participant.conversation.error.text.mode\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"participant.conversation.error\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"avSWtK\":[\"Algo salió mal al exportar los registros de auditoría.\"],\"q9A2tm\":[\"Algo salió mal al generar el secreto.\"],\"JOKTb4\":[\"Algo salió mal al subir el archivo: \",[\"0\"]],\"KeOwCj\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"participant.go.deeper.generic.error.message\":[\"Algo salió mal. Por favor, inténtalo de nuevo.\"],\"fWsBTs\":[\"Algo salió mal. Por favor, inténtalo de nuevo.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Lo sentimos, no podemos procesar esta solicitud debido a la política de contenido del proveedor de LLM.\"],\"f6Hub0\":[\"Ordenar\"],\"/AhHDE\":[\"Fuente \",[\"0\"]],\"u7yVRn\":[\"Fuentes:\"],\"65A04M\":[\"Español\"],\"zuoIYL\":[\"Locutor\"],\"z5/5iO\":[\"Contexto Específico\"],\"mORM2E\":[\"Detalles concretos\"],\"Etejcu\":[\"Detalles concretos - Conversaciones seleccionadas\"],\"participant.button.start.new.conversation.text.mode\":[\"Iniciar nueva conversación\"],\"participant.button.start.new.conversation\":[\"Iniciar nueva conversación\"],\"c6FrMu\":[\"Iniciar Nueva Conversación\"],\"i88wdJ\":[\"Empezar de nuevo\"],\"pHVkqA\":[\"Iniciar Grabación\"],\"uAQUqI\":[\"Estado\"],\"ygCKqB\":[\"Detener\"],\"participant.button.stop\":[\"Detener\"],\"kimwwT\":[\"Planificación Estratégica\"],\"hQRttt\":[\"Enviar\"],\"participant.button.submit.text.mode\":[\"Enviar\"],\"0Pd4R1\":[\"Enviado via entrada de texto\"],\"zzDlyQ\":[\"Éxito\"],\"bh1eKt\":[\"Sugerido:\"],\"F1nkJm\":[\"Resumir\"],\"4ZpfGe\":[\"Resume las ideas clave de mis entrevistas\"],\"5Y4tAB\":[\"Resume esta entrevista en un artículo para compartir\"],\"dXoieq\":[\"Resumen\"],\"g6o+7L\":[\"Resumen generado.\"],\"kiOob5\":[\"Resumen no disponible todavía\"],\"OUi+O3\":[\"Resumen regenerado.\"],\"Pqa6KW\":[\"El resumen estará disponible cuando la conversación esté transcrita\"],\"6ZHOF8\":[\"Formatos soportados: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Cambiar a entrada de texto\"],\"D+NlUC\":[\"Sistema\"],\"OYHzN1\":[\"Etiquetas\"],\"nlxlmH\":[\"Tómate un tiempo para crear un resultado que haga tu contribución concreta u obtén una respuesta inmediata de Dembrane para ayudarte a profundizar en la conversación.\"],\"eyu39U\":[\"Tómate un tiempo para crear un resultado que haga tu contribución concreta.\"],\"participant.refine.make.concrete.description\":[\"Tómate un tiempo para crear un resultado que haga tu contribución concreta.\"],\"QCchuT\":[\"Plantilla aplicada\"],\"iTylMl\":[\"Plantillas\"],\"xeiujy\":[\"Texto\"],\"CPN34F\":[\"¡Gracias por participar!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Contenido de la Página de Gracias\"],\"5KEkUQ\":[\"¡Gracias! Te notificaremos cuando el informe esté listo.\"],\"2yHHa6\":[\"Ese código no funcionó. Inténtalo de nuevo con un código nuevo de tu aplicación de autenticación.\"],\"TQCE79\":[\"El código no ha funcionado, inténtalo otra vez.\"],\"participant.conversation.error.loading.text.mode\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"participant.conversation.error.loading\":[\"Algo salió mal con la conversación. Por favor, inténtalo de nuevo o contacta al soporte si el problema persiste\"],\"nO942E\":[\"La conversación no pudo ser cargada. Por favor, inténtalo de nuevo o contacta al soporte.\"],\"Jo19Pu\":[\"Las siguientes conversaciones se agregaron automáticamente al contexto\"],\"Lngj9Y\":[\"El Portal es el sitio web que se carga cuando los participantes escanean el código QR.\"],\"bWqoQ6\":[\"la biblioteca del proyecto.\"],\"hTCMdd\":[\"Estamos generando el resumen. Espera a que esté disponible.\"],\"+AT8nl\":[\"Estamos regenerando el resumen. Espera a que esté disponible.\"],\"iV8+33\":[\"El resumen está siendo regenerado. Por favor, espera hasta que el nuevo resumen esté disponible.\"],\"AgC2rn\":[\"El resumen está siendo regenerado. Por favor, espera hasta 2 minutos para que el nuevo resumen esté disponible.\"],\"PTNxDe\":[\"La transcripción de esta conversación se está procesando. Por favor, revisa más tarde.\"],\"FEr96N\":[\"Tema\"],\"T8rsM6\":[\"Hubo un error al clonar tu proyecto. Por favor, inténtalo de nuevo o contacta al soporte.\"],\"JDFjCg\":[\"Hubo un error al crear tu informe. Por favor, inténtalo de nuevo o contacta al soporte.\"],\"e3JUb8\":[\"Hubo un error al generar tu informe. En el tiempo, puedes analizar todos tus datos usando la biblioteca o seleccionar conversaciones específicas para conversar.\"],\"7qENSx\":[\"Hubo un error al actualizar tu informe. Por favor, inténtalo de nuevo o contacta al soporte.\"],\"V7zEnY\":[\"Hubo un error al verificar tu correo electrónico. Por favor, inténtalo de nuevo.\"],\"gtlVJt\":[\"Estas son algunas plantillas útiles para que te pongas en marcha.\"],\"sd848K\":[\"Estas son tus plantillas de vista predeterminadas. Una vez que crees tu biblioteca, estas serán tus primeras dos vistas.\"],\"8xYB4s\":[\"Estas plantillas de vista predeterminadas se generarán cuando crees tu primera biblioteca.\"],\"Ed99mE\":[\"Pensando...\"],\"conversation.linked_conversations.description\":[\"Esta conversación tiene las siguientes copias:\"],\"conversation.linking_conversations.description\":[\"Esta conversación es una copia de\"],\"dt1MDy\":[\"Esta conversación aún está siendo procesada. Estará disponible para análisis y chat pronto.\"],\"5ZpZXq\":[\"Esta conversación aún está siendo procesada. Estará disponible para análisis y chat pronto. \"],\"SzU1mG\":[\"Este correo electrónico ya está en la lista.\"],\"JtPxD5\":[\"Este correo electrónico ya está suscrito a notificaciones.\"],\"participant.modal.refine.info.available.in\":[\"Esta función estará disponible en \",[\"remainingTime\"],\" segundos.\"],\"QR7hjh\":[\"Esta es una vista previa en vivo del portal del participante. Necesitarás actualizar la página para ver los cambios más recientes.\"],\"library.description\":[\"Biblioteca\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"Esta es tu biblioteca del proyecto. Actualmente,\",[\"0\"],\" conversaciones están esperando ser procesadas.\"],\"tJL2Lh\":[\"Este idioma se usará para el Portal del Participante y transcripción.\"],\"BAUPL8\":[\"Este idioma se usará para el Portal del Participante y transcripción. Para cambiar el idioma de esta aplicación, por favor use el selector de idioma en las configuraciones de la cabecera.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"Este idioma se usará para el Portal del Participante.\"],\"9ww6ML\":[\"Esta página se muestra después de que el participante haya completado la conversación.\"],\"1gmHmj\":[\"Esta página se muestra a los participantes cuando inician una conversación después de completar correctamente el tutorial.\"],\"bEbdFh\":[\"Esta biblioteca del proyecto se generó el\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"Esta prompt guía cómo la IA responde a los participantes. Personaliza la prompt para formar el tipo de retroalimentación o participación que quieres fomentar.\"],\"Yig29e\":[\"Este informe no está disponible. \"],\"GQTpnY\":[\"Este informe fue abierto por \",[\"0\"],\" personas\"],\"okY/ix\":[\"Este resumen es generado por IA y es breve, para un análisis detallado, usa el Chat o la Biblioteca.\"],\"hwyBn8\":[\"Este título se muestra a los participantes cuando inician una conversación\"],\"Dj5ai3\":[\"Esto borrará tu entrada actual. ¿Estás seguro?\"],\"NrRH+W\":[\"Esto creará una copia del proyecto actual. Solo se copiarán los ajustes y etiquetas. Los informes, chats y conversaciones no se incluirán en la copia. Serás redirigido al nuevo proyecto después de clonar.\"],\"hsNXnX\":[\"Esto creará una nueva conversación con el mismo audio pero una transcripción fresca. La conversación original permanecerá sin cambios.\"],\"participant.concrete.regenerating.artefact.description\":[\"Esto solo tomará unos momentos\"],\"participant.concrete.loading.artefact.description\":[\"Esto solo tomará un momento\"],\"n4l4/n\":[\"Esto reemplazará la información personal identificable con .\"],\"Ww6cQ8\":[\"Fecha de Creación\"],\"8TMaZI\":[\"Marca de tiempo\"],\"rm2Cxd\":[\"Consejo\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"Para asignar una nueva etiqueta, primero crea una en la vista general del proyecto.\"],\"o3rowT\":[\"Para generar un informe, por favor comienza agregando conversaciones en tu proyecto\"],\"sFMBP5\":[\"Temas\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcribiendo...\"],\"DDziIo\":[\"Transcripción\"],\"hfpzKV\":[\"Transcripción copiada al portapapeles\"],\"AJc6ig\":[\"Transcripción no disponible\"],\"N/50DC\":[\"Configuración de Transcripción\"],\"FRje2T\":[\"Transcripción en progreso…\"],\"0l9syB\":[\"Transcripción en progreso…\"],\"H3fItl\":[\"Transforma estas transcripciones en una publicación de LinkedIn que corta el ruido. Por favor:\\n\\nExtrae los insights más convincentes - salta todo lo que suena como consejos comerciales estándar\\nEscribe como un líder experimentado que desafía ideas convencionales, no un poster motivador\\nEncuentra una observación realmente inesperada que haría que incluso profesionales experimentados se detuvieran\\nMantén el rigor analítico mientras sigues siendo atractivo\\n\\nNota: Si el contenido no contiene insights sustanciales, por favor házmelo saber, necesitamos material de fuente más fuerte.\"],\"53dSNP\":[\"Transforma este contenido en insights que realmente importan. Por favor:\\n\\nExtrae ideas clave que desafían el pensamiento estándar\\nEscribe como alguien que entiende los matices, no un manual\\nEnfoque en las implicaciones no obvias\\nManténlo claro y sustancial\\nSolo destaca patrones realmente significativos\\nOrganiza para claridad y impacto\\nEquilibra profundidad con accesibilidad\\n\\nNota: Si las similitudes/diferencias son demasiado superficiales, por favor házmelo saber, necesitamos material más complejo para analizar.\"],\"uK9JLu\":[\"Transforma esta discusión en inteligencia accionable. Por favor:\\n\\nCaptura las implicaciones estratégicas, no solo puntos de vista\\nEstructura como un análisis de un líder, no minutos\\nEnfatiza puntos de decisión que desafían el pensamiento estándar\\nMantén la proporción señal-ruido alta\\nEnfoque en insights que conducen a cambios reales\\nOrganiza para claridad y referencia futura\\nEquilibra detalles tácticos con visión estratégica\\n\\nNota: Si la discusión carece de puntos de decisión sustanciales o insights, marca para una exploración más profunda la próxima vez.\"],\"qJb6G2\":[\"Intentar de nuevo\"],\"eP1iDc\":[\"Prueba a preguntar\"],\"goQEqo\":[\"Intenta moverte un poco más cerca de tu micrófono para mejorar la calidad del sonido.\"],\"EIU345\":[\"Autenticación de dos factores\"],\"NwChk2\":[\"Autenticación en dos pasos desactivada\"],\"qwpE/S\":[\"Autenticación en dos pasos activada\"],\"+zy2Nq\":[\"Tipo\"],\"PD9mEt\":[\"Escribe un mensaje...\"],\"EvmL3X\":[\"Escribe tu respuesta aquí\"],\"participant.concrete.artefact.error.title\":[\"No se pudo cargar el artefacto\"],\"MksxNf\":[\"No se pudieron cargar los registros de auditoría.\"],\"8vqTzl\":[\"No se pudo cargar el artefacto generado. Por favor, inténtalo de nuevo.\"],\"nGxDbq\":[\"No se puede procesar este fragmento\"],\"9uI/rE\":[\"Deshacer\"],\"Ef7StM\":[\"Desconocido\"],\"H899Z+\":[\"anuncio sin leer\"],\"0pinHa\":[\"anuncios sin leer\"],\"sCTlv5\":[\"Cambios sin guardar\"],\"SMaFdc\":[\"Desuscribirse\"],\"jlrVDp\":[\"Conversación sin título\"],\"EkH9pt\":[\"Actualizar\"],\"3RboBp\":[\"Actualizar Informe\"],\"4loE8L\":[\"Actualiza el informe para incluir los datos más recientes\"],\"Jv5s94\":[\"Actualiza tu informe para incluir los cambios más recientes en tu proyecto. El enlace para compartir el informe permanecerá el mismo.\"],\"kwkhPe\":[\"Actualizar\"],\"UkyAtj\":[\"Actualiza para desbloquear la selección automática y analizar 10 veces más conversaciones en la mitad del tiempo—sin selección manual, solo insights más profundos instantáneamente.\"],\"ONWvwQ\":[\"Subir\"],\"8XD6tj\":[\"Subir Audio\"],\"kV3A2a\":[\"Subida Completa\"],\"4Fr6DA\":[\"Subir conversaciones\"],\"pZq3aX\":[\"Subida fallida. Por favor, inténtalo de nuevo.\"],\"HAKBY9\":[\"Subir Archivos\"],\"Wft2yh\":[\"Cargando...\"],\"JveaeL\":[\"Cargar recursos\"],\"3wG7HI\":[\"Subido\"],\"k/LaWp\":[\"Subiendo archivos de audio...\"],\"VdaKZe\":[\"Usar funciones experimentales\"],\"rmMdgZ\":[\"Usar redaction de PII\"],\"ngdRFH\":[\"Usa Shift + Enter para agregar una nueva línea\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verified\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verified artifacts\"],\"4LFZoj\":[\"Verificar código\"],\"jpctdh\":[\"Vista\"],\"+fxiY8\":[\"Ver detalles de la conversación\"],\"H1e6Hv\":[\"Ver estado de la conversación\"],\"SZw9tS\":[\"Ver detalles\"],\"D4e7re\":[\"Ver tus respuestas\"],\"tzEbkt\":[\"Espera \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"¿Quieres añadir una plantilla a \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Quieres añadir una plantilla a ECHO?\"],\"r6y+jM\":[\"Advertencia\"],\"pUTmp1\":[\"Advertencia: Has añadido \",[\"0\"],\" términos clave. Solo los primeros \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" serán utilizados por el motor de transcripción.\"],\"participant.alert.microphone.access.issue\":[\"No podemos escucharte. Por favor, intenta cambiar tu micrófono o acercarte un poco más al dispositivo.\"],\"SrJOPD\":[\"No podemos escucharte. Por favor, intenta cambiar tu micrófono o acercarte un poco más al dispositivo.\"],\"Ul0g2u\":[\"No pudimos desactivar la autenticación de dos factores. Inténtalo de nuevo con un código nuevo.\"],\"sM2pBB\":[\"No pudimos activar la autenticación de dos factores. Verifica tu código e inténtalo de nuevo.\"],\"Ewk6kb\":[\"No pudimos cargar el audio. Por favor, inténtalo de nuevo más tarde.\"],\"xMeAeQ\":[\"Te hemos enviado un correo electrónico con los pasos siguientes. Si no lo ves, revisa tu carpeta de correo no deseado.\"],\"9qYWL7\":[\"Te hemos enviado un correo electrónico con los pasos siguientes. Si no lo ves, revisa tu carpeta de correo no deseado. Si aún no lo ves, por favor contacta a evelien@dembrane.com\"],\"3fS27S\":[\"Te hemos enviado un correo electrónico con los pasos siguientes. Si no lo ves, revisa tu carpeta de correo no deseado. Si aún no lo ves, por favor contacta a jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"Necesitamos un poco más de contexto para ayudarte a refinar de forma efectiva. Continúa grabando para que podamos darte mejores sugerencias.\"],\"dni8nq\":[\"Solo te enviaremos un mensaje si tu host genera un informe, nunca compartimos tus detalles con nadie. Puedes optar por no recibir más mensajes en cualquier momento.\"],\"participant.test.microphone.description\":[\"Vamos a probar tu micrófono para asegurarnos de que todos tengan la mejor experiencia en la sesión.\"],\"tQtKw5\":[\"Vamos a probar tu micrófono para asegurarnos de que todos tengan la mejor experiencia en la sesión.\"],\"+eLc52\":[\"Estamos escuchando algo de silencio. Intenta hablar más fuerte para que tu voz salga claramente.\"],\"6jfS51\":[\"Bienvenido\"],\"9eF5oV\":[\"Bienvenido de nuevo\"],\"i1hzzO\":[\"Bienvenido al modo Big Picture! Tengo resúmenes de todas tus conversaciones cargados. Pregúntame sobre patrones, temas e insights en tus datos. Para citas exactas, inicia un nuevo chat en el modo Específico.\"],\"fwEAk/\":[\"¡Bienvenido a Dembrane Chat! Usa la barra lateral para seleccionar recursos y conversaciones que quieras analizar. Luego, puedes hacer preguntas sobre los recursos y conversaciones seleccionados.\"],\"AKBU2w\":[\"¡Bienvenido a Dembrane!\"],\"TACmoL\":[\"Bienvenido al modo Overview. Tengo cargados resúmenes de todas tus conversaciones. Pregúntame por patrones, temas e insights en tus datos. Para citas exactas, empieza un chat nuevo en el modo Deep Dive.\"],\"u4aLOz\":[\"Bienvenido al modo Resumen. Tengo cargados los resúmenes de todas tus conversaciones. Pregúntame por patrones, temas e insights en tus datos. Para citas exactas, inicia un nuevo chat en el modo Contexto Específico.\"],\"Bck6Du\":[\"¡Bienvenido a los informes!\"],\"aEpQkt\":[\"¡Bienvenido a Tu Inicio! Aquí puedes ver todos tus proyectos y acceder a recursos de tutorial. Actualmente, no tienes proyectos. Haz clic en \\\"Crear\\\" para configurar para comenzar!\"],\"klH6ct\":[\"¡Bienvenido!\"],\"Tfxjl5\":[\"¿Cuáles son los temas principales en todas las conversaciones?\"],\"participant.concrete.selection.title\":[\"¿Qué quieres verificar?\"],\"fyMvis\":[\"¿Qué patrones salen de los datos?\"],\"qGrqH9\":[\"¿Cuáles fueron los momentos clave de esta conversación?\"],\"FXZcgH\":[\"¿Qué te gustaría explorar?\"],\"KcnIXL\":[\"se incluirá en tu informe\"],\"participant.button.finish.yes.text.mode\":[\"Sí\"],\"kWJmRL\":[\"Tú\"],\"Dl7lP/\":[\"Ya estás desuscribido o tu enlace es inválido.\"],\"E71LBI\":[\"Solo puedes subir hasta \",[\"MAX_FILES\"],\" archivos a la vez. Solo los primeros \",[\"0\"],\" archivos se agregarán.\"],\"tbeb1Y\":[\"Aún puedes usar la función Preguntar para chatear con cualquier conversación\"],\"participant.modal.change.mic.confirmation.text\":[\"Has cambiado tu micrófono. Por favor, haz clic en \\\"Continuar\\\", para continuar con la sesión.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"Has desuscribido con éxito.\"],\"lTDtES\":[\"También puedes elegir registrar otra conversación.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"Debes iniciar sesión con el mismo proveedor con el que te registraste. Si encuentras algún problema, por favor contáctanos.\"],\"snMcrk\":[\"Pareces estar desconectado, por favor verifica tu conexión a internet\"],\"participant.concrete.instructions.receive.artefact\":[\"Pronto recibirás \",[\"objectLabel\"],\" para verificar.\"],\"participant.concrete.instructions.approval.helps\":[\"¡Tu aprobación nos ayuda a entender lo que realmente piensas!\"],\"Pw2f/0\":[\"Tu conversación está siendo transcribida. Por favor, revisa más tarde.\"],\"OFDbfd\":[\"Tus Conversaciones\"],\"aZHXuZ\":[\"Tus entradas se guardarán automáticamente.\"],\"PUWgP9\":[\"Tu biblioteca está vacía. Crea una biblioteca para ver tus primeros insights.\"],\"B+9EHO\":[\"Tu respuesta ha sido registrada. Puedes cerrar esta pestaña ahora.\"],\"wurHZF\":[\"Tus respuestas\"],\"B8Q/i2\":[\"Tu vista ha sido creada. Por favor, espera mientras procesamos y analizamos los datos.\"],\"library.views.title\":[\"Tus Vistas\"],\"lZNgiw\":[\"Tus Vistas\"],\"2wg92j\":[\"Conversaciones\"],\"hWszgU\":[\"La fuente fue eliminada\"],\"GSV2Xq\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"7qaVXm\":[\"Experimental\"],\"FclDDn\":[\"Dembrane Verify\"],\"Y/Fou9\":[\"Select which topics participants can use for verification.\"],\"qwmGiT\":[\"Contactar a ventas\"],\"ZWDkP4\":[\"Actualmente, \",[\"finishedConversationsCount\"],\" conversaciones están listas para ser analizadas. \",[\"unfinishedConversationsCount\"],\" aún en proceso.\"],\"/NTvqV\":[\"Biblioteca no disponible\"],\"p18xrj\":[\"Biblioteca regenerada\"],\"hOtk0x\":[\"Echo\"],\"JsSzzl\":[\"ECHO\"],\"SUkFIX\":[\"Pausar\"],\"ilKuQo\":[\"Reanudar\"],\"SqNXSx\":[\"Detener\"],\"yfZBOp\":[\"Detener\"],\"cic45J\":[\"Lo sentimos, no podemos procesar esta solicitud debido a la política de contenido del proveedor de LLM.\"],\"CvZqsN\":[\"Algo salió mal. Por favor, inténtalo de nuevo, presionando el botón <0>ECHO, o contacta al soporte si el problema persiste.\"],\"P+lUAg\":[\"Algo salió mal. Por favor, inténtalo de nuevo.\"],\"hh87/E\":[\"\\\"Profundizar\\\" Disponible pronto\"],\"RMxlMe\":[\"\\\"Concretar\\\" Disponible pronto\"],\"7UJhVX\":[\"¿Estás seguro de que quieres detener la conversación?\"],\"RDsML8\":[\"¿Estás seguro de que quieres detener la conversación?\"],\"IaLTNH\":[\"Approve\"],\"+f3bIA\":[\"Cancel\"],\"qgx4CA\":[\"Revise\"],\"E+5M6v\":[\"Save\"],\"Q82shL\":[\"Go back\"],\"yOp5Yb\":[\"Reload Page\"],\"tw+Fbo\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"oTCD07\":[\"Unable to Load Artefact\"],\"QHbX3T\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"ECX5E0\":[\"Your approval helps us understand what you really think!\"],\"M5oorh\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"RZXkY+\":[\"Cancelar\"],\"86aTqL\":[\"Next\"],\"pdifRH\":[\"Loading\"],\"Ep029+\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"fKeatI\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"8b+uSr\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"iodqGS\":[\"Loading artefact\"],\"NpZmZm\":[\"This will just take a moment\"],\"wklhqE\":[\"Regenerating the artefact\"],\"LYTXJp\":[\"This will just take a few moments\"],\"CjjC6j\":[\"Next\"],\"q885Ym\":[\"What do you want to verify?\"],\"AWBvkb\":[\"Fin de la lista • Todas las \",[\"0\"],\" conversaciones cargadas\"]}")as Messages; \ No newline at end of file diff --git a/echo/frontend/src/locales/fr-FR.po b/echo/frontend/src/locales/fr-FR.po index 95bb2745..25247335 100644 --- a/echo/frontend/src/locales/fr-FR.po +++ b/echo/frontend/src/locales/fr-FR.po @@ -109,7 +109,7 @@ msgstr "\"Refine\" Bientôt disponible" #: src/routes/project/chat/ProjectChatRoute.tsx:559 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 -#: src/components/project/ProjectPortalEditor.tsx:432 +#: src/components/project/ProjectPortalEditor.tsx:433 #: src/components/chat/References.tsx:29 msgid "{0}" msgstr "{0}" @@ -198,7 +198,7 @@ msgstr "Ajouter un contexte supplémentaire (Optionnel)" msgid "Add all that apply" msgstr "Ajouter tout ce qui s'applique" -#: src/components/project/ProjectPortalEditor.tsx:126 +#: src/components/project/ProjectPortalEditor.tsx:127 msgid "Add key terms or proper nouns to improve transcript quality and accuracy." msgstr "Ajoutez des termes clés ou des noms propres pour améliorer la qualité et la précision de la transcription." @@ -226,7 +226,7 @@ msgstr "E-mails ajoutés" msgid "Adding Context:" msgstr "Ajout du contexte :" -#: src/components/project/ProjectPortalEditor.tsx:543 +#: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Avancé (Astuces et conseils)" @@ -234,7 +234,7 @@ msgstr "Avancé (Astuces et conseils)" #~ msgid "Advanced (Tips and tricks)" #~ msgstr "Avancé (Astuces et conseils)" -#: src/components/project/ProjectPortalEditor.tsx:1053 +#: src/components/project/ProjectPortalEditor.tsx:1055 msgid "Advanced Settings" msgstr "Paramètres avancés" @@ -328,7 +328,7 @@ msgid "participant.concrete.action.button.approve" msgstr "Approuver" #. js-lingui-explicit-id -#: src/components/conversation/VerifiedArtefactsSection.tsx:113 +#: src/components/conversation/VerifiedArtefactsSection.tsx:114 msgid "conversation.verified.approved" msgstr "Approuvé" @@ -385,11 +385,11 @@ msgstr "Artefact révisé avec succès !" msgid "Artefact updated successfully!" msgstr "Artefact mis à jour avec succès !" -#: src/components/conversation/VerifiedArtefactsSection.tsx:92 +#: src/components/conversation/VerifiedArtefactsSection.tsx:93 msgid "artefacts" msgstr "Artefacts" -#: src/components/conversation/VerifiedArtefactsSection.tsx:87 +#: src/components/conversation/VerifiedArtefactsSection.tsx:88 msgid "Artefacts" msgstr "Artefacts" @@ -397,11 +397,11 @@ msgstr "Artefacts" msgid "Ask" msgstr "Demander" -#: src/components/project/ProjectPortalEditor.tsx:480 +#: src/components/project/ProjectPortalEditor.tsx:482 msgid "Ask for Name?" msgstr "Demander le nom ?" -#: src/components/project/ProjectPortalEditor.tsx:493 +#: src/components/project/ProjectPortalEditor.tsx:495 msgid "Ask participants to provide their name when they start a conversation" msgstr "Demander aux participants de fournir leur nom lorsqu'ils commencent une conversation" @@ -421,7 +421,7 @@ msgstr "Aspects" #~ msgid "At least one topic must be selected to enable Dembrane Verify" #~ msgstr "At least one topic must be selected to enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:877 +#: src/components/project/ProjectPortalEditor.tsx:879 msgid "At least one topic must be selected to enable Make it concrete" msgstr "Sélectionne au moins un sujet pour activer Rends-le concret" @@ -479,12 +479,12 @@ msgid "Available" msgstr "Disponible" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:360 +#: src/components/participant/ParticipantOnboardingCards.tsx:385 msgid "participant.button.back.microphone" msgstr "Retour" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:381 +#: src/components/participant/ParticipantOnboardingCards.tsx:406 #: src/components/layout/ParticipantHeader.tsx:67 msgid "participant.button.back" msgstr "Retour" @@ -496,11 +496,11 @@ msgstr "Retour" msgid "Back to Selection" msgstr "Retour à la sélection" -#: src/components/project/ProjectPortalEditor.tsx:539 +#: src/components/project/ProjectPortalEditor.tsx:541 msgid "Basic (Essential tutorial slides)" msgstr "Basique (Diapositives tutorielles essentielles)" -#: src/components/project/ProjectPortalEditor.tsx:446 +#: src/components/project/ProjectPortalEditor.tsx:447 msgid "Basic Settings" msgstr "Paramètres de base" @@ -516,8 +516,8 @@ msgid "Beta" msgstr "Bêta" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:568 -#: src/components/project/ProjectPortalEditor.tsx:768 +#: src/components/project/ProjectPortalEditor.tsx:570 +#: src/components/project/ProjectPortalEditor.tsx:770 msgid "dashboard.dembrane.concrete.beta" msgstr "Bêta" @@ -527,7 +527,7 @@ msgstr "Bêta" #~ msgid "Big Picture - Themes & patterns" #~ msgstr "Vue d’ensemble - Thèmes et tendances" -#: src/components/project/ProjectPortalEditor.tsx:686 +#: src/components/project/ProjectPortalEditor.tsx:688 msgid "Brainstorm Ideas" msgstr "Idées de brainstorming" @@ -572,7 +572,7 @@ msgstr "Impossible d'ajouter une conversation vide" msgid "Changes will be saved automatically" msgstr "Les modifications seront enregistrées automatiquement" -#: src/components/language/LanguagePicker.tsx:71 +#: src/components/language/LanguagePicker.tsx:77 msgid "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" msgstr "Changer de langue pendant une conversation active peut provoquer des résultats inattendus. Il est recommandé de commencer une nouvelle conversation après avoir changé la langue. Êtes-vous sûr de vouloir continuer ?" @@ -653,7 +653,7 @@ msgstr "Comparer & Contraster" msgid "Complete" msgstr "Terminé" -#: src/components/project/ProjectPortalEditor.tsx:815 +#: src/components/project/ProjectPortalEditor.tsx:817 msgid "Concrete Topics" msgstr "Sujets concrets" @@ -707,7 +707,7 @@ msgid "Context added:" msgstr "Contexte ajouté :" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:368 +#: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 msgid "participant.button.continue" msgstr "Continuer" @@ -778,7 +778,7 @@ msgid "participant.refine.cooling.down" msgstr "Période de repos. Disponible dans {0}" #: src/components/settings/TwoFactorSettingsCard.tsx:431 -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 #: src/components/conversation/CopyConversationTranscript.tsx:47 #: src/components/common/CopyRichTextIconButton.tsx:29 #: src/components/common/CopyIconButton.tsx:17 @@ -790,7 +790,7 @@ msgstr "Copié" msgid "Copy" msgstr "Copier" -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 msgid "Copy link" msgstr "Copier le lien" @@ -860,7 +860,7 @@ msgstr "Créer une vue" msgid "Created on" msgstr "Créé le" -#: src/components/project/ProjectPortalEditor.tsx:715 +#: src/components/project/ProjectPortalEditor.tsx:717 msgid "Custom" msgstr "Personnalisé" @@ -883,11 +883,11 @@ msgstr "Nom de fichier personnalisé" #~ msgid "dashboard.dembrane.verify.topic.select" #~ msgstr "Select which topics participants can use for verification." -#: src/components/project/ProjectPortalEditor.tsx:655 +#: src/components/project/ProjectPortalEditor.tsx:657 msgid "Default" msgstr "Par défaut" -#: src/components/project/ProjectPortalEditor.tsx:535 +#: src/components/project/ProjectPortalEditor.tsx:537 msgid "Default - No tutorial (Only privacy statements)" msgstr "Par défaut - Pas de tutoriel (Seulement les déclarations de confidentialité)" @@ -973,7 +973,7 @@ msgstr "Voulez-vous contribuer à ce projet ?" msgid "Do you want to stay in the loop?" msgstr "Voulez-vous rester dans la boucle ?" -#: src/components/layout/Header.tsx:181 +#: src/components/layout/Header.tsx:182 msgid "Documentation" msgstr "Documentation" @@ -1009,7 +1009,7 @@ msgstr "Options de téléchargement de la transcription" msgid "Drag audio files here or click to select files" msgstr "Glissez les fichiers audio ici ou cliquez pour sélectionner des fichiers" -#: src/components/project/ProjectPortalEditor.tsx:464 +#: src/components/project/ProjectPortalEditor.tsx:465 msgid "Dutch" msgstr "Néerlandais" @@ -1094,24 +1094,24 @@ msgstr "Activer 2FA" #~ msgid "Enable Dembrane Verify" #~ msgstr "Enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:592 +#: src/components/project/ProjectPortalEditor.tsx:594 msgid "Enable Go deeper" msgstr "Activer Va plus profond" -#: src/components/project/ProjectPortalEditor.tsx:792 +#: src/components/project/ProjectPortalEditor.tsx:794 msgid "Enable Make it concrete" msgstr "Activer Rends-le concret" -#: src/components/project/ProjectPortalEditor.tsx:930 +#: src/components/project/ProjectPortalEditor.tsx:932 msgid "Enable Report Notifications" msgstr "Activer les notifications de rapports" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:775 +#: src/components/project/ProjectPortalEditor.tsx:777 msgid "dashboard.dembrane.concrete.description" msgstr "Activez cette fonctionnalité pour permettre aux participants de créer et d'approuver des \"objets concrets\" à partir de leurs contributions. Cela aide à cristalliser les idées clés, les préoccupations ou les résumés. Après la conversation, vous pouvez filtrer les discussions avec des objets concrets et les examiner dans l'aperçu." -#: src/components/project/ProjectPortalEditor.tsx:914 +#: src/components/project/ProjectPortalEditor.tsx:916 msgid "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." msgstr "Activez cette fonctionnalité pour permettre aux participants de recevoir des notifications lorsqu'un rapport est publié ou mis à jour. Les participants peuvent entrer leur e-mail pour s'abonner aux mises à jour et rester informés." @@ -1124,7 +1124,7 @@ msgstr "Activez cette fonctionnalité pour permettre aux participants de recevoi #~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." #~ msgstr "Activez cette fonctionnalité pour permettre aux participants de demander des réponses AI pendant leur conversation. Les participants peuvent cliquer sur \"Dembrane Réponse\" après avoir enregistre leurs pensées pour recevoir un feedback contextuel, encourager une réflexion plus profonde et une engagement plus élevé. Une période de cooldown s'applique entre les demandes." -#: src/components/project/ProjectPortalEditor.tsx:575 +#: src/components/project/ProjectPortalEditor.tsx:577 msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." msgstr "Active cette fonction pour que les participants puissent demander des réponses générées par l’IA pendant leur conversation. Après avoir enregistré leurs idées, ils peuvent cliquer sur « Va plus profond » pour recevoir un feedback contextuel qui les aide à aller plus loin dans leur réflexion et leur engagement. Un délai s’applique entre deux demandes." @@ -1140,11 +1140,11 @@ msgstr "Activé" #~ msgid "End of list • All {0} conversations loaded" #~ msgstr "Fin de la liste • Toutes les {0} conversations chargées" -#: src/components/project/ProjectPortalEditor.tsx:463 +#: src/components/project/ProjectPortalEditor.tsx:464 msgid "English" msgstr "Anglais" -#: src/components/project/ProjectPortalEditor.tsx:133 +#: src/components/project/ProjectPortalEditor.tsx:134 msgid "Enter a key term or proper noun" msgstr "Entrez un terme clé ou un nom propre" @@ -1289,7 +1289,7 @@ msgstr "Échec de l'activation de la sélection automatique pour cette discussio msgid "Failed to finish conversation. Please try again." msgstr "Échec de la fin de la conversation. Veuillez réessayer." -#: src/components/participant/verify/VerifySelection.tsx:141 +#: src/components/participant/verify/VerifySelection.tsx:142 msgid "Failed to generate {label}. Please try again." msgstr "Échec de la génération de {label}. Veuillez réessayer." @@ -1447,7 +1447,7 @@ msgstr "Prénom" msgid "Forgot your password?" msgstr "Mot de passe oublié ?" -#: src/components/project/ProjectPortalEditor.tsx:467 +#: src/components/project/ProjectPortalEditor.tsx:468 msgid "French" msgstr "Français" @@ -1470,7 +1470,7 @@ msgstr "Générer un résumé" msgid "Generating the summary. Please wait..." msgstr "Génération du résumé. Patiente un peu..." -#: src/components/project/ProjectPortalEditor.tsx:465 +#: src/components/project/ProjectPortalEditor.tsx:466 msgid "German" msgstr "Allemand" @@ -1496,7 +1496,7 @@ msgstr "Retour" msgid "participant.concrete.artefact.action.button.go.back" msgstr "Retour" -#: src/components/project/ProjectPortalEditor.tsx:564 +#: src/components/project/ProjectPortalEditor.tsx:566 msgid "Go deeper" msgstr "Va plus profond" @@ -1520,8 +1520,12 @@ msgstr "Aller à la nouvelle conversation" msgid "Has verified artifacts" msgstr "A des artefacts vérifiés" +#: src/components/layout/Header.tsx:194 +msgid "Help us translate" +msgstr "Aidez-nous à traduire" + #. placeholder {0}: user.first_name ?? "User" -#: src/components/layout/Header.tsx:159 +#: src/components/layout/Header.tsx:160 msgid "Hi, {0}" msgstr "Bonjour, {0}" @@ -1529,7 +1533,7 @@ msgstr "Bonjour, {0}" msgid "Hidden" msgstr "Masqué" -#: src/components/participant/verify/VerifySelection.tsx:113 +#: src/components/participant/verify/VerifySelection.tsx:114 msgid "Hidden gem" msgstr "Pépite cachée" @@ -1664,8 +1668,12 @@ msgstr "Il semble que nous n'ayons pas pu charger cet artefact. Cela pourrait ê msgid "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." msgstr "Il semble que plusieurs personnes parlent. Prendre des tours nous aidera à entendre tout le monde clairement." +#: src/components/project/ProjectPortalEditor.tsx:469 +msgid "Italian" +msgstr "Italien" + #. placeholder {0}: project?.default_conversation_title ?? "the conversation" -#: src/components/project/ProjectQRCode.tsx:99 +#: src/components/project/ProjectQRCode.tsx:103 msgid "Join {0} on Dembrane" msgstr "Rejoindre {0} sur Dembrane" @@ -1680,7 +1688,7 @@ msgstr "Un instant" msgid "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." msgstr "Sécurisez l'accès avec un code à usage unique de votre application d'authentification. Activez ou désactivez l'authentification à deux facteurs pour ce compte." -#: src/components/project/ProjectPortalEditor.tsx:456 +#: src/components/project/ProjectPortalEditor.tsx:457 msgid "Language" msgstr "Langue" @@ -1755,7 +1763,7 @@ msgstr "Niveau audio en direct:" #~ msgid "Live audio level:" #~ msgstr "Niveau audio en direct:" -#: src/components/project/ProjectPortalEditor.tsx:1124 +#: src/components/project/ProjectPortalEditor.tsx:1126 msgid "Live Preview" msgstr "Vue en direct" @@ -1785,7 +1793,7 @@ msgstr "Chargement des journaux d'audit…" msgid "Loading collections..." msgstr "Chargement des collections..." -#: src/components/project/ProjectPortalEditor.tsx:831 +#: src/components/project/ProjectPortalEditor.tsx:833 msgid "Loading concrete topics…" msgstr "Chargement des sujets concrets…" @@ -1810,7 +1818,7 @@ msgstr "chargement..." msgid "Loading..." msgstr "Chargement..." -#: src/components/participant/verify/VerifySelection.tsx:247 +#: src/components/participant/verify/VerifySelection.tsx:248 msgid "Loading…" msgstr "Chargement…" @@ -1826,7 +1834,7 @@ msgstr "Connexion | Dembrane" msgid "Login as an existing user" msgstr "Se connecter en tant qu'utilisateur existant" -#: src/components/layout/Header.tsx:191 +#: src/components/layout/Header.tsx:201 msgid "Logout" msgstr "Déconnexion" @@ -1835,7 +1843,7 @@ msgid "Longest First" msgstr "Plus long en premier" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:762 +#: src/components/project/ProjectPortalEditor.tsx:764 msgid "dashboard.dembrane.concrete.title" msgstr "Rends-le concret" @@ -1869,7 +1877,7 @@ msgstr "L'accès au microphone est toujours refusé. Veuillez vérifier vos para #~ msgid "min" #~ msgstr "min" -#: src/components/project/ProjectPortalEditor.tsx:615 +#: src/components/project/ProjectPortalEditor.tsx:617 msgid "Mode" msgstr "Mode" @@ -1939,7 +1947,7 @@ msgid "Newest First" msgstr "Plus récent en premier" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:396 +#: src/components/participant/ParticipantOnboardingCards.tsx:421 msgid "participant.button.next" msgstr "Suivant" @@ -1949,7 +1957,7 @@ msgid "participant.ready.to.begin.button.text" msgstr "Prêt à commencer" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:249 +#: src/components/participant/verify/VerifySelection.tsx:250 msgid "participant.concrete.selection.button.next" msgstr "Suivant" @@ -1990,7 +1998,7 @@ msgstr "Aucune discussion trouvée. Commencez une discussion en utilisant le bou msgid "No collections found" msgstr "Aucune collection trouvée" -#: src/components/project/ProjectPortalEditor.tsx:835 +#: src/components/project/ProjectPortalEditor.tsx:837 msgid "No concrete topics available." msgstr "Aucun sujet concret disponible." @@ -2088,7 +2096,7 @@ msgstr "Aucune transcription n'existe pour cette conversation. Veuillez vérifie msgid "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." msgstr "Aucun fichier audio valide n'a été sélectionné. Veuillez sélectionner uniquement des fichiers audio (MP3, WAV, OGG, etc)." -#: src/components/participant/verify/VerifySelection.tsx:211 +#: src/components/participant/verify/VerifySelection.tsx:212 msgid "No verification topics are configured for this project." msgstr "Aucun sujet de vérification n'est configuré pour ce projet." @@ -2178,7 +2186,7 @@ msgstr "Aperçu" msgid "Overview - Themes & patterns" msgstr "Vue d’ensemble - Thèmes et patterns" -#: src/components/project/ProjectPortalEditor.tsx:990 +#: src/components/project/ProjectPortalEditor.tsx:992 msgid "Page Content" msgstr "Contenu de la page" @@ -2186,7 +2194,7 @@ msgstr "Contenu de la page" msgid "Page not found" msgstr "Page non trouvée" -#: src/components/project/ProjectPortalEditor.tsx:967 +#: src/components/project/ProjectPortalEditor.tsx:969 msgid "Page Title" msgstr "Titre de la page" @@ -2195,7 +2203,7 @@ msgstr "Titre de la page" msgid "Participant" msgstr "Participant" -#: src/components/project/ProjectPortalEditor.tsx:558 +#: src/components/project/ProjectPortalEditor.tsx:560 msgid "Participant Features" msgstr "Fonctionnalités participant" @@ -2361,7 +2369,7 @@ msgstr "Veuillez vérifier vos entrées pour les erreurs." #~ msgid "Please do not close your browser" #~ msgstr "Veuillez ne fermer votre navigateur" -#: src/components/project/ProjectQRCode.tsx:129 +#: src/components/project/ProjectQRCode.tsx:133 msgid "Please enable participation to enable sharing" msgstr "Veuillez activer la participation pour activer le partage" @@ -2442,11 +2450,11 @@ msgstr "Veuillez patienter pendant que nous mettons à jour votre rapport. Vous msgid "Please wait while we verify your email address." msgstr "Veuillez patienter pendant que nous vérifions votre adresse e-mail." -#: src/components/project/ProjectPortalEditor.tsx:957 +#: src/components/project/ProjectPortalEditor.tsx:959 msgid "Portal Content" msgstr "Contenu du Portail" -#: src/components/project/ProjectPortalEditor.tsx:415 +#: src/components/project/ProjectPortalEditor.tsx:416 #: src/components/layout/ProjectOverviewLayout.tsx:43 msgid "Portal Editor" msgstr "Éditeur de Portail" @@ -2566,7 +2574,7 @@ msgid "Read aloud" msgstr "Lire à haute voix" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:259 +#: src/components/participant/ParticipantOnboardingCards.tsx:284 msgid "participant.ready.to.begin" msgstr "Prêt à commencer" @@ -2618,7 +2626,7 @@ msgstr "Références" msgid "participant.button.refine" msgstr "Refine" -#: src/components/project/ProjectPortalEditor.tsx:1132 +#: src/components/project/ProjectPortalEditor.tsx:1134 msgid "Refresh" msgstr "Actualiser" @@ -2691,7 +2699,7 @@ msgstr "Renommer" #~ msgid "Rename" #~ msgstr "Renommer" -#: src/components/project/ProjectPortalEditor.tsx:730 +#: src/components/project/ProjectPortalEditor.tsx:732 msgid "Reply Prompt" msgstr "Prompt de réponse" @@ -2701,7 +2709,7 @@ msgstr "Prompt de réponse" msgid "Report" msgstr "Rapport" -#: src/components/layout/Header.tsx:75 +#: src/components/layout/Header.tsx:76 msgid "Report an issue" msgstr "Signaler un problème" @@ -2714,7 +2722,7 @@ msgstr "Rapport créé - {0}" msgid "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." msgstr "La génération de rapports est actuellement en version bêta et limitée aux projets avec moins de 10 heures d'enregistrement." -#: src/components/project/ProjectPortalEditor.tsx:911 +#: src/components/project/ProjectPortalEditor.tsx:913 msgid "Report Notifications" msgstr "Notifications de rapports" @@ -2894,7 +2902,7 @@ msgstr "Secret copié" #~ msgid "See conversation status details" #~ msgstr "Voir les détails du statut de la conversation" -#: src/components/layout/Header.tsx:105 +#: src/components/layout/Header.tsx:106 msgid "See you soon" msgstr "À bientôt" @@ -2925,20 +2933,20 @@ msgstr "Sélectionner un projet" msgid "Select tags" msgstr "Sélectionner les étiquettes" -#: src/components/project/ProjectPortalEditor.tsx:524 +#: src/components/project/ProjectPortalEditor.tsx:526 msgid "Select the instructions that will be shown to participants when they start a conversation" msgstr "Sélectionnez les instructions qui seront affichées aux participants lorsqu'ils commencent une conversation" -#: src/components/project/ProjectPortalEditor.tsx:620 +#: src/components/project/ProjectPortalEditor.tsx:622 msgid "Select the type of feedback or engagement you want to encourage." msgstr "Sélectionnez le type de retour ou de participation que vous souhaitez encourager." -#: src/components/project/ProjectPortalEditor.tsx:512 +#: src/components/project/ProjectPortalEditor.tsx:514 msgid "Select tutorial" msgstr "Sélectionner le tutoriel" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:824 +#: src/components/project/ProjectPortalEditor.tsx:826 msgid "dashboard.dembrane.concrete.topic.select" msgstr "Sélectionnez les sujets que les participants peuvent utiliser pour « Rends-le concret »." @@ -2979,7 +2987,7 @@ msgstr "Configuration de votre premier projet" #: src/routes/settings/UserSettingsRoute.tsx:39 #: src/components/layout/ParticipantHeader.tsx:93 #: src/components/layout/ParticipantHeader.tsx:94 -#: src/components/layout/Header.tsx:170 +#: src/components/layout/Header.tsx:171 msgid "Settings" msgstr "Paramètres" @@ -2992,7 +3000,7 @@ msgstr "Paramètres" msgid "Settings | Dembrane" msgstr "Paramètres | Dembrane" -#: src/components/project/ProjectQRCode.tsx:104 +#: src/components/project/ProjectQRCode.tsx:108 msgid "Share" msgstr "Partager" @@ -3069,7 +3077,7 @@ msgstr "Affichage de {displayFrom}–{displayTo} sur {totalItems} entrées" #~ msgstr "Se connecter avec Google" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:281 +#: src/components/participant/ParticipantOnboardingCards.tsx:306 msgid "participant.mic.check.button.skip" msgstr "Passer" @@ -3080,7 +3088,7 @@ msgstr "Passer" #~ msgid "Skip data privacy slide (Host manages consent)" #~ msgstr "Passer la carte de confidentialité (L'hôte gère la consentement)" -#: src/components/project/ProjectPortalEditor.tsx:531 +#: src/components/project/ProjectPortalEditor.tsx:533 msgid "Skip data privacy slide (Host manages legal base)" msgstr "Passer la carte de confidentialité (L'hôte gère la base légale)" @@ -3149,14 +3157,14 @@ msgstr "Source {0}" #~ msgid "Sources:" #~ msgstr "Sources:" -#: src/components/project/ProjectPortalEditor.tsx:466 +#: src/components/project/ProjectPortalEditor.tsx:467 msgid "Spanish" msgstr "Espagnol" #~ msgid "Speaker" #~ msgstr "Orateur" -#: src/components/project/ProjectPortalEditor.tsx:124 +#: src/components/project/ProjectPortalEditor.tsx:125 msgid "Specific Context" msgstr "Contexte spécifique" @@ -3308,7 +3316,7 @@ msgstr "Texte" msgid "Thank you for participating!" msgstr "Merci pour votre participation !" -#: src/components/project/ProjectPortalEditor.tsx:1020 +#: src/components/project/ProjectPortalEditor.tsx:1022 msgid "Thank You Page Content" msgstr "Contenu de la page Merci" @@ -3433,7 +3441,7 @@ msgstr "Cette e-mail est déjà dans la liste." msgid "participant.modal.refine.info.available.in" msgstr "Cette fonctionnalité sera disponible dans {remainingTime} secondes." -#: src/components/project/ProjectPortalEditor.tsx:1136 +#: src/components/project/ProjectPortalEditor.tsx:1138 msgid "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." msgstr "Cette est une vue en direct du portail du participant. Vous devrez actualiser la page pour voir les dernières modifications." @@ -3451,22 +3459,22 @@ msgstr "Bibliothèque" #~ msgid "This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header." #~ msgstr "Cette langue sera utilisée pour le Portail du participant et la transcription. Pour changer la langue de cette application, veuillez utiliser le sélecteur de langue dans les paramètres en haut à droite." -#: src/components/project/ProjectPortalEditor.tsx:461 +#: src/components/project/ProjectPortalEditor.tsx:462 msgid "This language will be used for the Participant's Portal." msgstr "Cette langue sera utilisée pour le Portail du participant." -#: src/components/project/ProjectPortalEditor.tsx:1030 +#: src/components/project/ProjectPortalEditor.tsx:1032 msgid "This page is shown after the participant has completed the conversation." msgstr "Cette page est affichée après que le participant ait terminé la conversation." -#: src/components/project/ProjectPortalEditor.tsx:1000 +#: src/components/project/ProjectPortalEditor.tsx:1002 msgid "This page is shown to participants when they start a conversation after they successfully complete the tutorial." msgstr "Cette page est affichée aux participants lorsqu'ils commencent une conversation après avoir réussi à suivre le tutoriel." #~ msgid "This project library was generated on" #~ msgstr "Cette bibliothèque de projet a été générée le" -#: src/components/project/ProjectPortalEditor.tsx:741 +#: src/components/project/ProjectPortalEditor.tsx:743 msgid "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." msgstr "Cette prompt guide comment l'IA répond aux participants. Personnalisez-la pour former le type de feedback ou d'engagement que vous souhaitez encourager." @@ -3482,7 +3490,7 @@ msgstr "Ce rapport a été ouvert par {0} personnes" #~ msgid "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." #~ msgstr "Ce résumé est généré par l'IA et succinct, pour une analyse approfondie, utilisez le Chat ou la Bibliothèque." -#: src/components/project/ProjectPortalEditor.tsx:978 +#: src/components/project/ProjectPortalEditor.tsx:980 msgid "This title is shown to participants when they start a conversation" msgstr "Ce titre est affiché aux participants lorsqu'ils commencent une conversation" @@ -3952,7 +3960,7 @@ msgid "What are the main themes across all conversations?" msgstr "Quels sont les principaux thèmes de toutes les conversations ?" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:195 +#: src/components/participant/verify/VerifySelection.tsx:196 msgid "participant.concrete.selection.title" msgstr "Qu'est-ce que tu veux rendre concret ?" diff --git a/echo/frontend/src/locales/fr-FR.ts b/echo/frontend/src/locales/fr-FR.ts index a80218d2..7ae8dc2a 100644 --- a/echo/frontend/src/locales/fr-FR.ts +++ b/echo/frontend/src/locales/fr-FR.ts @@ -1 +1 @@ -/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"Vous n'êtes pas authentifié\"],\"You don't have permission to access this.\":[\"Vous n'avez pas la permission d'accéder à ceci.\"],\"Resource not found\":[\"Ressource non trouvée\"],\"Server error\":[\"Erreur serveur\"],\"Something went wrong\":[\"Une erreur s'est produite\"],\"We're preparing your workspace.\":[\"Nous préparons votre espace de travail.\"],\"Preparing your dashboard\":[\"Préparation de ton dashboard\"],\"Welcome back\":[\"Bon retour\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"dashboard.dembrane.concrete.experimental\"],\"participant.button.go.deeper\":[\"Va plus profond\"],\"participant.button.make.concrete\":[\"Rends-le concret\"],\"library.generate.duration.message\":[\"La bibliothèque prendra \",[\"duration\"]],\"uDvV8j\":[\" Envoyer\"],\"aMNEbK\":[\" Se désabonner des notifications\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"Approfondir\"],\"participant.modal.refine.info.title.concrete\":[\"Concrétiser\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refine\\\" Bientôt disponible\"],\"2NWk7n\":[\"(pour un traitement audio amélioré)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" prêt\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Modifié le \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" sélectionné(s)\"],\"P1pDS8\":[[\"diffInDays\"],\" jours\"],\"bT6AxW\":[[\"diffInHours\"],\" heures\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Actuellement, \",\"#\",\" conversation est prête à être analysée.\"],\"other\":[\"Actuellement, \",\"#\",\" conversations sont prêtes à être analysées.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutes et \",[\"seconds\"],\" secondes\"],\"TVD5At\":[[\"readingNow\"],\" lit actuellement\"],\"U7Iesw\":[[\"seconds\"],\" secondes\"],\"library.conversations.still.processing\":[[\"0\"],\" en cours de traitement.\"],\"ZpJ0wx\":[\"*Transcription en cours.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Attendre \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Mot de passe du compte\"],\"L5gswt\":[\"Action par\"],\"UQXw0W\":[\"Action sur\"],\"7L01XJ\":[\"Actions\"],\"m16xKo\":[\"Ajouter\"],\"1m+3Z3\":[\"Ajouter un contexte supplémentaire (Optionnel)\"],\"Se1KZw\":[\"Ajouter tout ce qui s'applique\"],\"1xDwr8\":[\"Ajoutez des termes clés ou des noms propres pour améliorer la qualité et la précision de la transcription.\"],\"ndpRPm\":[\"Ajoutez de nouveaux enregistrements à ce projet. Les fichiers que vous téléchargez ici seront traités et apparaîtront dans les conversations.\"],\"Ralayn\":[\"Ajouter une étiquette\"],\"IKoyMv\":[\"Ajouter des étiquettes\"],\"NffMsn\":[\"Ajouter à cette conversation\"],\"Na90E+\":[\"E-mails ajoutés\"],\"SJCAsQ\":[\"Ajout du contexte :\"],\"OaKXud\":[\"Avancé (Astuces et conseils)\"],\"TBpbDp\":[\"Avancé (Astuces et conseils)\"],\"JiIKww\":[\"Paramètres avancés\"],\"cF7bEt\":[\"Toutes les actions\"],\"O1367B\":[\"Toutes les collections\"],\"Cmt62w\":[\"Toutes les conversations sont prêtes\"],\"u/fl/S\":[\"Tous les fichiers ont été téléchargés avec succès.\"],\"baQJ1t\":[\"Toutes les perspectives\"],\"3goDnD\":[\"Permettre aux participants d'utiliser le lien pour démarrer de nouvelles conversations\"],\"bruUug\":[\"Presque terminé\"],\"H7cfSV\":[\"Déjà ajouté à cette conversation\"],\"jIoHDG\":[\"Une notification par e-mail sera envoyée à \",[\"0\"],\" participant\",[\"1\"],\". Voulez-vous continuer ?\"],\"G54oFr\":[\"Une notification par e-mail sera envoyée à \",[\"0\"],\" participant\",[\"1\"],\". Voulez-vous continuer ?\"],\"8q/YVi\":[\"Une erreur s'est produite lors du chargement du Portail. Veuillez contacter l'équipe de support.\"],\"XyOToQ\":[\"Une erreur s'est produite.\"],\"QX6zrA\":[\"Analyse\"],\"F4cOH1\":[\"Langue d'analyse\"],\"1x2m6d\":[\"Analysez ces éléments avec profondeur et nuances. Veuillez :\\n\\nFocaliser sur les connexions inattendues et les contrastes\\nAller au-delà des comparaisons superficieles\\nIdentifier les motifs cachés que la plupart des analyses manquent\\nRester rigoureux dans l'analyse tout en étant engageant\\nUtiliser des exemples qui éclairent des principes plus profonds\\nStructurer l'analyse pour construire une compréhension\\nDessiner des insights qui contredisent les idées conventionnelles\\n\\nNote : Si les similitudes/différences sont trop superficielles, veuillez me le signaler, nous avons besoin de matériel plus complexe à analyser.\"],\"Dzr23X\":[\"Annonces\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Approuver\"],\"conversation.verified.approved\":[\"Approuvé\"],\"Q5Z2wp\":[\"Êtes-vous sûr de vouloir supprimer cette conversation ? Cette action ne peut pas être annulée.\"],\"kWiPAC\":[\"Êtes-vous sûr de vouloir supprimer ce projet ?\"],\"YF1Re1\":[\"Êtes-vous sûr de vouloir supprimer ce projet ? Cette action est irréversible.\"],\"B8ymes\":[\"Êtes-vous sûr de vouloir supprimer cet enregistrement ?\"],\"G2gLnJ\":[\"Êtes-vous sûr de vouloir supprimer cette étiquette ?\"],\"aUsm4A\":[\"Êtes-vous sûr de vouloir supprimer cette étiquette ? Cela supprimera l'étiquette des conversations existantes qui la contiennent.\"],\"participant.modal.finish.message.text.mode\":[\"Êtes-vous sûr de vouloir terminer la conversation ?\"],\"xu5cdS\":[\"Êtes-vous sûr de vouloir terminer ?\"],\"sOql0x\":[\"Êtes-vous sûr de vouloir générer la bibliothèque ? Cela prendra du temps et écrasera vos vues et perspectives actuelles.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Êtes-vous sûr de vouloir régénérer le résumé ? Vous perdrez le résumé actuel.\"],\"JHgUuT\":[\"Artefact approuvé avec succès !\"],\"IbpaM+\":[\"Artefact rechargé avec succès !\"],\"Qcm/Tb\":[\"Artefact révisé avec succès !\"],\"uCzCO2\":[\"Artefact mis à jour avec succès !\"],\"KYehbE\":[\"Artefacts\"],\"jrcxHy\":[\"Artefacts\"],\"F+vBv0\":[\"Demander\"],\"Rjlwvz\":[\"Demander le nom ?\"],\"5gQcdD\":[\"Demander aux participants de fournir leur nom lorsqu'ils commencent une conversation\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspects\"],\"kskjVK\":[\"L'assistant écrit...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"Sélectionne au moins un sujet pour activer Rends-le concret\"],\"DMBYlw\":[\"Traitement audio en cours\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Les enregistrements audio seront supprimés après 30 jours à partir de la date d'enregistrement\"],\"IOBCIN\":[\"Conseil audio\"],\"y2W2Hg\":[\"Journaux d'audit\"],\"aL1eBt\":[\"Journaux d'audit exportés en CSV\"],\"mS51hl\":[\"Journaux d'audit exportés en JSON\"],\"z8CQX2\":[\"Code d'authentification\"],\"/iCiQU\":[\"Sélection automatique\"],\"3D5FPO\":[\"Sélection automatique désactivée\"],\"ajAMbT\":[\"Sélection automatique activée\"],\"jEqKwR\":[\"Sélectionner les sources à ajouter à la conversation\"],\"vtUY0q\":[\"Inclut automatiquement les conversations pertinentes pour l'analyse sans sélection manuelle\"],\"csDS2L\":[\"Disponible\"],\"participant.button.back.microphone\":[\"Retour\"],\"participant.button.back\":[\"Retour\"],\"iH8pgl\":[\"Retour\"],\"/9nVLo\":[\"Retour à la sélection\"],\"wVO5q4\":[\"Basique (Diapositives tutorielles essentielles)\"],\"epXTwc\":[\"Paramètres de base\"],\"GML8s7\":[\"Commencer !\"],\"YBt9YP\":[\"Bêta\"],\"dashboard.dembrane.concrete.beta\":[\"Bêta\"],\"0fX/GG\":[\"Vue d’ensemble\"],\"vZERag\":[\"Vue d’ensemble - Thèmes et tendances\"],\"YgG3yv\":[\"Idées de brainstorming\"],\"ba5GvN\":[\"En supprimant ce projet, vous supprimerez toutes les données qui y sont associées. Cette action ne peut pas être annulée. Êtes-vous ABSOLUMENT sûr de vouloir supprimer ce projet ?\"],\"dEgA5A\":[\"Annuler\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Annuler\"],\"participant.concrete.action.button.cancel\":[\"Annuler\"],\"participant.concrete.instructions.button.cancel\":[\"Annuler\"],\"RKD99R\":[\"Impossible d'ajouter une conversation vide\"],\"JFFJDJ\":[\"Les modifications sont enregistrées automatiquement pendant que vous utilisez l'application. <0/>Une fois que vous avez des modifications non enregistrées, vous pouvez cliquer n'importe où pour les sauvegarder. <1/>Vous verrez également un bouton pour annuler les modifications.\"],\"u0IJto\":[\"Les modifications seront enregistrées automatiquement\"],\"xF/jsW\":[\"Changer de langue pendant une conversation active peut provoquer des résultats inattendus. Il est recommandé de commencer une nouvelle conversation après avoir changé la langue. Êtes-vous sûr de vouloir continuer ?\"],\"AHZflp\":[\"Discussion\"],\"TGJVgd\":[\"Discussion | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Discussions\"],\"project.sidebar.chat.title\":[\"Discussions\"],\"8Q+lLG\":[\"Discussions\"],\"participant.button.check.microphone.access\":[\"Vérifier l'accès au microphone\"],\"+e4Yxz\":[\"Vérifier l'accès au microphone\"],\"v4fiSg\":[\"Vérifiez votre e-mail\"],\"pWT04I\":[\"Vérification...\"],\"DakUDF\":[\"Choisis le thème que tu préfères pour l’interface\"],\"0ngaDi\":[\"Citation des sources suivantes\"],\"B2pdef\":[\"Cliquez sur \\\"Télécharger les fichiers\\\" lorsque vous êtes prêt à commencer le processus de téléchargement.\"],\"BPrdpc\":[\"Cloner le projet\"],\"9U86tL\":[\"Cloner le projet\"],\"yz7wBu\":[\"Fermer\"],\"q+hNag\":[\"Collection\"],\"Wqc3zS\":[\"Comparer & Contraster\"],\"jlZul5\":[\"Comparez et contrastez les éléments suivants fournis dans le contexte.\"],\"bD8I7O\":[\"Terminé\"],\"6jBoE4\":[\"Sujets concrets\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Continuer\"],\"yjkELF\":[\"Confirmer le nouveau mot de passe\"],\"p2/GCq\":[\"Confirmer le mot de passe\"],\"puQ8+/\":[\"Publier\"],\"L0k594\":[\"Confirmez votre mot de passe pour générer un nouveau secret pour votre application d'authentification.\"],\"JhzMcO\":[\"Connexion aux services de création de rapports...\"],\"wX/BfX\":[\"Connexion saine\"],\"WimHuY\":[\"Connexion défectueuse\"],\"DFFB2t\":[\"Contactez votre représentant commercial\"],\"VlCTbs\":[\"Contactez votre représentant commercial pour activer cette fonction aujourd'hui !\"],\"M73whl\":[\"Contexte\"],\"VHSco4\":[\"Contexte ajouté :\"],\"participant.button.continue\":[\"Continuer\"],\"xGVfLh\":[\"Continuer\"],\"F1pfAy\":[\"conversation\"],\"EiHu8M\":[\"Conversation ajoutée à la discussion\"],\"ggJDqH\":[\"Audio de la conversation\"],\"participant.conversation.ended\":[\"Conversation terminée\"],\"BsHMTb\":[\"Conversation terminée\"],\"26Wuwb\":[\"Traitement de la conversation\"],\"OtdHFE\":[\"Conversation retirée de la discussion\"],\"zTKMNm\":[\"Statut de la conversation\"],\"Rdt7Iv\":[\"Détails du statut de la conversation\"],\"a7zH70\":[\"conversations\"],\"EnJuK0\":[\"Conversations\"],\"TQ8ecW\":[\"Conversations à partir du QR Code\"],\"nmB3V3\":[\"Conversations à partir du téléchargement\"],\"participant.refine.cooling.down\":[\"Période de repos. Disponible dans \",[\"0\"]],\"6V3Ea3\":[\"Copié\"],\"he3ygx\":[\"Copier\"],\"y1eoq1\":[\"Copier le lien\"],\"Dj+aS5\":[\"Copier le lien pour partager ce rapport\"],\"vAkFou\":[\"Copier le secret\"],\"v3StFl\":[\"Copier le résumé\"],\"/4gGIX\":[\"Copier dans le presse-papiers\"],\"rG2gDo\":[\"Copier la transcription\"],\"OvEjsP\":[\"Copie en cours...\"],\"hYgDIe\":[\"Créer\"],\"CSQPC0\":[\"Créer un compte\"],\"library.create\":[\"Créer une bibliothèque\"],\"O671Oh\":[\"Créer une bibliothèque\"],\"library.create.view.modal.title\":[\"Créer une nouvelle vue\"],\"vY2Gfm\":[\"Créer une nouvelle vue\"],\"bsfMt3\":[\"Créer un rapport\"],\"library.create.view\":[\"Créer une vue\"],\"3D0MXY\":[\"Créer une vue\"],\"45O6zJ\":[\"Créé le\"],\"8Tg/JR\":[\"Personnalisé\"],\"o1nIYK\":[\"Nom de fichier personnalisé\"],\"ZQKLI1\":[\"Zone dangereuse\"],\"ovBPCi\":[\"Par défaut\"],\"ucTqrC\":[\"Par défaut - Pas de tutoriel (Seulement les déclarations de confidentialité)\"],\"project.sidebar.chat.delete\":[\"Supprimer la discussion\"],\"cnGeoo\":[\"Supprimer\"],\"2DzmAq\":[\"Supprimer la conversation\"],\"++iDlT\":[\"Supprimer le projet\"],\"+m7PfT\":[\"Supprimé avec succès\"],\"p9tvm2\":[\"Echo Dembrane\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane est propulsé par l’IA. Vérifie bien les réponses.\"],\"67znul\":[\"Dembrane Réponse\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Développez un cadre stratégique qui conduit à des résultats significatifs. Veuillez :\\n\\nIdentifier les objectifs clés et leurs interdépendances\\nPlanifier les moyens d'implémentation avec des délais réalistes\\nAnticiper les obstacles potentiels et les stratégies de mitigation\\nDéfinir des indicateurs clairs pour le succès au-delà des indicateurs de vanité\\nMettre en évidence les besoins en ressources et les priorités d'allocation\\nStructurer le plan pour les actions immédiates et la vision à long terme\\nInclure les portes de décision et les points de pivot\\n\\nNote : Concentrez-vous sur les stratégies qui créent des avantages compétitifs durables, pas seulement des améliorations incrémentales.\"],\"qERl58\":[\"Désactiver 2FA\"],\"yrMawf\":[\"Désactiver l'authentification à deux facteurs\"],\"E/QGRL\":[\"Désactivé\"],\"LnL5p2\":[\"Voulez-vous contribuer à ce projet ?\"],\"JeOjN4\":[\"Voulez-vous rester dans la boucle ?\"],\"TvY/XA\":[\"Documentation\"],\"mzI/c+\":[\"Télécharger\"],\"5YVf7S\":[\"Téléchargez toutes les transcriptions de conversations générées pour ce projet.\"],\"5154Ap\":[\"Télécharger toutes les transcriptions\"],\"8fQs2Z\":[\"Download as\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Télécharger l'audio\"],\"+bBcKo\":[\"Télécharger la transcription\"],\"5XW2u5\":[\"Options de téléchargement de la transcription\"],\"hUO5BY\":[\"Glissez les fichiers audio ici ou cliquez pour sélectionner des fichiers\"],\"KIjvtr\":[\"Néerlandais\"],\"HA9VXi\":[\"ÉCHO\"],\"rH6cQt\":[\"Echo est optimisé par l'IA. Veuillez vérifier les réponses.\"],\"o6tfKZ\":[\"ECHO est optimisé par l'IA. Veuillez vérifier les réponses.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Modifier la conversation\"],\"/8fAkm\":[\"Modifier le nom du fichier\"],\"G2KpGE\":[\"Modifier le projet\"],\"DdevVt\":[\"Modifier le contenu du rapport\"],\"0YvCPC\":[\"Modifier la ressource\"],\"report.editor.description\":[\"Modifier le contenu du rapport en utilisant l'éditeur de texte enrichi ci-dessous. Vous pouvez formater le texte, ajouter des liens, des images et plus encore.\"],\"F6H6Lg\":[\"Mode d'édition\"],\"O3oNi5\":[\"E-mail\"],\"wwiTff\":[\"Vérification de l'e-mail\"],\"Ih5qq/\":[\"Vérification de l'e-mail | Dembrane\"],\"iF3AC2\":[\"E-mail vérifié avec succès. Vous serez redirigé vers la page de connexion dans 5 secondes. Si vous n'êtes pas redirigé, veuillez cliquer <0>ici.\"],\"g2N9MJ\":[\"email@travail.com\"],\"N2S1rs\":[\"Vide\"],\"DCRKbe\":[\"Activer 2FA\"],\"ycR/52\":[\"Activer Dembrane Echo\"],\"mKGCnZ\":[\"Activer Dembrane ECHO\"],\"Dh2kHP\":[\"Activer la réponse Dembrane\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Activer Va plus profond\"],\"wGA7d4\":[\"Activer Rends-le concret\"],\"G3dSLc\":[\"Activer les notifications de rapports\"],\"dashboard.dembrane.concrete.description\":[\"Activez cette fonctionnalité pour permettre aux participants de créer et d'approuver des \\\"objets concrets\\\" à partir de leurs contributions. Cela aide à cristalliser les idées clés, les préoccupations ou les résumés. Après la conversation, vous pouvez filtrer les discussions avec des objets concrets et les examiner dans l'aperçu.\"],\"Idlt6y\":[\"Activez cette fonctionnalité pour permettre aux participants de recevoir des notifications lorsqu'un rapport est publié ou mis à jour. Les participants peuvent entrer leur e-mail pour s'abonner aux mises à jour et rester informés.\"],\"g2qGhy\":[\"Activez cette fonctionnalité pour permettre aux participants de demander des réponses alimentées par l'IA pendant leur conversation. Les participants peuvent cliquer sur \\\"Echo\\\" après avoir enregistré leurs pensées pour recevoir un retour contextuel, encourageant une réflexion plus profonde et un engagement accru. Une période de récupération s'applique entre les demandes.\"],\"pB03mG\":[\"Activez cette fonctionnalité pour permettre aux participants de demander des réponses alimentées par l'IA pendant leur conversation. Les participants peuvent cliquer sur \\\"ECHO\\\" après avoir enregistré leurs pensées pour recevoir un retour contextuel, encourageant une réflexion plus profonde et un engagement accru. Une période de récupération s'applique entre les demandes.\"],\"dWv3hs\":[\"Activez cette fonctionnalité pour permettre aux participants de demander des réponses AI pendant leur conversation. Les participants peuvent cliquer sur \\\"Dembrane Réponse\\\" après avoir enregistre leurs pensées pour recevoir un feedback contextuel, encourager une réflexion plus profonde et une engagement plus élevé. Une période de cooldown s'applique entre les demandes.\"],\"rkE6uN\":[\"Active cette fonction pour que les participants puissent demander des réponses générées par l’IA pendant leur conversation. Après avoir enregistré leurs idées, ils peuvent cliquer sur « Va plus profond » pour recevoir un feedback contextuel qui les aide à aller plus loin dans leur réflexion et leur engagement. Un délai s’applique entre deux demandes.\"],\"329BBO\":[\"Activer l'authentification à deux facteurs\"],\"RxzN1M\":[\"Activé\"],\"IxzwiB\":[\"Fin de la liste • Toutes les \",[\"0\"],\" conversations chargées\"],\"lYGfRP\":[\"Anglais\"],\"GboWYL\":[\"Entrez un terme clé ou un nom propre\"],\"TSHJTb\":[\"Entrez un nom pour le nouveau conversation\"],\"KovX5R\":[\"Entrez un nom pour votre projet cloné\"],\"34YqUw\":[\"Entrez un code valide pour désactiver l'authentification à deux facteurs.\"],\"2FPsPl\":[\"Entrez le nom du fichier (sans extension)\"],\"vT+QoP\":[\"Entrez un nouveau nom pour la discussion :\"],\"oIn7d4\":[\"Entrez le code à 6 chiffres de votre application d'authentification.\"],\"q1OmsR\":[\"Entrez le code actuel à six chiffres de votre application d'authentification.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Entrez votre mot de passe\"],\"42tLXR\":[\"Entrez votre requête\"],\"SlfejT\":[\"Erreur\"],\"Ne0Dr1\":[\"Erreur lors du clonage du projet\"],\"AEkJ6x\":[\"Erreur lors de la création du rapport\"],\"S2MVUN\":[\"Erreur lors du chargement des annonces\"],\"xcUDac\":[\"Erreur lors du chargement des perspectives\"],\"edh3aY\":[\"Erreur lors du chargement du projet\"],\"3Uoj83\":[\"Erreur lors du chargement des citations\"],\"z05QRC\":[\"Erreur lors de la mise à jour du rapport\"],\"hmk+3M\":[\"Erreur lors du téléchargement de \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Tout semble bon – vous pouvez continuer.\"],\"/PykH1\":[\"Tout semble bon – vous pouvez continuer.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Expérimental\"],\"/bsogT\":[\"Explore les thèmes et les tendances de toutes les conversations\"],\"sAod0Q\":[\"Exploration de \",[\"conversationCount\"],\" conversations\"],\"GS+Mus\":[\"Exporter\"],\"7Bj3x9\":[\"Échec\"],\"bh2Vob\":[\"Échec de l'ajout de la conversation à la discussion\"],\"ajvYcJ\":[\"Échec de l'ajout de la conversation à la discussion\",[\"0\"]],\"9GMUFh\":[\"Échec de l'approbation de l'artefact. Veuillez réessayer.\"],\"RBpcoc\":[\"Échec de la copie du chat. Veuillez réessayer.\"],\"uvu6eC\":[\"Échec de la copie de la transcription. Réessaie.\"],\"BVzTya\":[\"Échec de la suppression de la réponse\"],\"p+a077\":[\"Échec de la désactivation de la sélection automatique pour cette discussion\"],\"iS9Cfc\":[\"Échec de l'activation de la sélection automatique pour cette discussion\"],\"Gu9mXj\":[\"Échec de la fin de la conversation. Veuillez réessayer.\"],\"vx5bTP\":[\"Échec de la génération de \",[\"label\"],\". Veuillez réessayer.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Impossible de générer le résumé. Réessaie plus tard.\"],\"DKxr+e\":[\"Échec de la récupération des annonces\"],\"TSt/Iq\":[\"Échec de la récupération de la dernière annonce\"],\"D4Bwkb\":[\"Échec de la récupération du nombre d'annonces non lues\"],\"AXRzV1\":[\"Échec du chargement de l’audio ou l’audio n’est pas disponible\"],\"T7KYJY\":[\"Échec du marquage de toutes les annonces comme lues\"],\"eGHX/x\":[\"Échec du marquage de l'annonce comme lue\"],\"SVtMXb\":[\"Échec de la régénération du résumé. Veuillez réessayer plus tard.\"],\"h49o9M\":[\"Échec du rechargement. Veuillez réessayer.\"],\"kE1PiG\":[\"Échec de la suppression de la conversation de la discussion\"],\"+piK6h\":[\"Échec de la suppression de la conversation de la discussion\",[\"0\"]],\"SmP70M\":[\"Échec de la transcription de la conversation. Veuillez réessayer.\"],\"hhLiKu\":[\"Échec de la révision de l'artefact. Veuillez réessayer.\"],\"wMEdO3\":[\"Échec de l'arrêt de l'enregistrement lors du changement de périphérique. Veuillez réessayer.\"],\"wH6wcG\":[\"Échec de la vérification de l'état de l'e-mail. Veuillez réessayer.\"],\"participant.modal.refine.info.title\":[\"Feature Bientôt disponible\"],\"87gcCP\":[\"Le fichier \\\"\",[\"0\"],\"\\\" dépasse la taille maximale de \",[\"1\"],\".\"],\"ena+qV\":[\"Le fichier \\\"\",[\"0\"],\"\\\" a un format non pris en charge. Seuls les fichiers audio sont autorisés.\"],\"LkIAge\":[\"Le fichier \\\"\",[\"0\"],\"\\\" n'est pas un format audio pris en charge. Seuls les fichiers audio sont autorisés.\"],\"RW2aSn\":[\"Le fichier \\\"\",[\"0\"],\"\\\" est trop petit (\",[\"1\"],\"). La taille minimale est de \",[\"2\"],\".\"],\"+aBwxq\":[\"Taille du fichier: Min \",[\"0\"],\", Max \",[\"1\"],\", jusqu'à \",[\"MAX_FILES\"],\" fichiers\"],\"o7J4JM\":[\"Filtrer\"],\"5g0xbt\":[\"Filtrer les journaux d'audit par action\"],\"9clinz\":[\"Filtrer les journaux d'audit par collection\"],\"O39Ph0\":[\"Filtrer par action\"],\"DiDNkt\":[\"Filtrer par collection\"],\"participant.button.stop.finish\":[\"Terminer\"],\"participant.button.finish.text.mode\":[\"Terminer\"],\"participant.button.finish\":[\"Terminer\"],\"JmZ/+d\":[\"Terminer\"],\"participant.modal.finish.title.text.mode\":[\"Êtes-vous sûr de vouloir terminer la conversation ?\"],\"4dQFvz\":[\"Terminé\"],\"kODvZJ\":[\"Prénom\"],\"MKEPCY\":[\"Suivre\"],\"JnPIOr\":[\"Suivre la lecture\"],\"glx6on\":[\"Mot de passe oublié ?\"],\"nLC6tu\":[\"Français\"],\"tSA0hO\":[\"Générer des perspectives à partir de vos conversations\"],\"QqIxfi\":[\"Générer un secret\"],\"tM4cbZ\":[\"Générer des notes de réunion structurées basées sur les points de discussion suivants fournis dans le contexte.\"],\"gitFA/\":[\"Générer un résumé\"],\"kzY+nd\":[\"Génération du résumé. Patiente un peu...\"],\"DDcvSo\":[\"Allemand\"],\"u9yLe/\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"participant.refine.go.deeper.description\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"TAXdgS\":[\"Donnez-moi une liste de 5 à 10 sujets qui sont discutés.\"],\"CKyk7Q\":[\"Retour\"],\"participant.concrete.artefact.action.button.go.back\":[\"Retour\"],\"IL8LH3\":[\"Va plus profond\"],\"participant.refine.go.deeper\":[\"Va plus profond\"],\"iWpEwy\":[\"Retour à l'accueil\"],\"A3oCMz\":[\"Aller à la nouvelle conversation\"],\"5gqNQl\":[\"Vue en grille\"],\"ZqBGoi\":[\"A des artefacts vérifiés\"],\"ng2Unt\":[\"Bonjour, \",[\"0\"]],\"D+zLDD\":[\"Masqué\"],\"G1UUQY\":[\"Pépite cachée\"],\"LqWHk1\":[\"Masquer \",[\"0\"]],\"u5xmYC\":[\"Tout masquer\"],\"txCbc+\":[\"Masquer toutes les perspectives\"],\"0lRdEo\":[\"Masquer les conversations sans contenu\"],\"eHo/Jc\":[\"Masquer les données\"],\"g4tIdF\":[\"Masquer les données de révision\"],\"i0qMbr\":[\"Accueil\"],\"LSCWlh\":[\"Comment décririez-vous à un collègue ce que vous essayez d'accomplir avec ce projet ?\\n* Quel est l'objectif principal ou la métrique clé\\n* À quoi ressemble le succès\"],\"participant.button.i.understand\":[\"Je comprends\"],\"WsoNdK\":[\"Identifiez et analysez les thèmes récurrents dans ce contenu. Veuillez:\\n\"],\"KbXMDK\":[\"Identifiez les thèmes, sujets et arguments récurrents qui apparaissent de manière cohérente dans les conversations. Analysez leur fréquence, intensité et cohérence. Sortie attendue: 3-7 aspects pour les petits ensembles de données, 5-12 pour les ensembles de données moyens, 8-15 pour les grands ensembles de données. Conseils de traitement: Concentrez-vous sur les motifs distincts qui apparaissent dans de multiples conversations.\"],\"participant.concrete.instructions.approve.artefact\":[\"Valide cet artefact si tout est bon pour toi.\"],\"QJUjB0\":[\"Pour mieux naviguer dans les citations, créez des vues supplémentaires. Les citations seront ensuite regroupées en fonction de votre vue.\"],\"IJUcvx\":[\"En attendant, si vous souhaitez analyser les conversations qui sont encore en cours de traitement, vous pouvez utiliser la fonction Chat\"],\"aOhF9L\":[\"Inclure le lien vers le portail dans le rapport\"],\"Dvf4+M\":[\"Inclure les horodatages\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Bibliothèque de perspectives\"],\"ZVY8fB\":[\"Perspective non trouvée\"],\"sJa5f4\":[\"perspectives\"],\"3hJypY\":[\"Perspectives\"],\"crUYYp\":[\"Code invalide. Veuillez en demander un nouveau.\"],\"jLr8VJ\":[\"Identifiants invalides.\"],\"aZ3JOU\":[\"Jeton invalide. Veuillez réessayer.\"],\"1xMiTU\":[\"Adresse IP\"],\"participant.conversation.error.deleted\":[\"Il semble que la conversation a été supprimée pendant que vous enregistriez. Nous avons arrêté l'enregistrement pour éviter tout problème. Vous pouvez en commencer une nouvelle à tout moment.\"],\"zT7nbS\":[\"Il semble que la conversation a été supprimée pendant que vous enregistriez. Nous avons arrêté l'enregistrement pour éviter tout problème. Vous pouvez en commencer une nouvelle à tout moment.\"],\"library.not.available.message\":[\"Il semble que la bibliothèque n'est pas disponible pour votre compte. Veuillez demander un accès pour débloquer cette fonctionnalité.\"],\"participant.concrete.artefact.error.description\":[\"Il semble que nous n'ayons pas pu charger cet artefact. Cela pourrait être un problème temporaire. Vous pouvez essayer de recharger ou revenir en arrière pour sélectionner un autre sujet.\"],\"MbKzYA\":[\"Il semble que plusieurs personnes parlent. Prendre des tours nous aidera à entendre tout le monde clairement.\"],\"clXffu\":[\"Rejoindre \",[\"0\"],\" sur Dembrane\"],\"uocCon\":[\"Un instant\"],\"OSBXx5\":[\"Juste maintenant\"],\"0ohX1R\":[\"Sécurisez l'accès avec un code à usage unique de votre application d'authentification. Activez ou désactivez l'authentification à deux facteurs pour ce compte.\"],\"vXIe7J\":[\"Langue\"],\"UXBCwc\":[\"Nom\"],\"0K/D0Q\":[\"Dernièrement enregistré le \",[\"0\"]],\"K7P0jz\":[\"Dernière mise à jour\"],\"PIhnIP\":[\"Laissez-nous savoir!\"],\"qhQjFF\":[\"Vérifions que nous pouvons vous entendre\"],\"exYcTF\":[\"Bibliothèque\"],\"library.title\":[\"Bibliothèque\"],\"T50lwc\":[\"Création de la bibliothèque en cours\"],\"yUQgLY\":[\"La bibliothèque est en cours de traitement\"],\"yzF66j\":[\"Lien\"],\"3gvJj+\":[\"Publication LinkedIn (Expérimental)\"],\"dF6vP6\":[\"Direct\"],\"participant.live.audio.level\":[\"Niveau audio en direct:\"],\"TkFXaN\":[\"Niveau audio en direct:\"],\"n9yU9X\":[\"Vue en direct\"],\"participant.concrete.instructions.loading\":[\"Chargement\"],\"yQE2r9\":[\"Chargement\"],\"yQ9yN3\":[\"Chargement des actions...\"],\"participant.concrete.loading.artefact\":[\"Chargement de l'artefact\"],\"JOvnq+\":[\"Chargement des journaux d'audit…\"],\"y+JWgj\":[\"Chargement des collections...\"],\"ATTcN8\":[\"Chargement des sujets concrets…\"],\"FUK4WT\":[\"Chargement des microphones...\"],\"H+bnrh\":[\"Chargement de la transcription...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"chargement...\"],\"Z3FXyt\":[\"Chargement...\"],\"Pwqkdw\":[\"Chargement…\"],\"z0t9bb\":[\"Connexion\"],\"zfB1KW\":[\"Connexion | Dembrane\"],\"Wd2LTk\":[\"Se connecter en tant qu'utilisateur existant\"],\"nOhz3x\":[\"Déconnexion\"],\"jWXlkr\":[\"Plus long en premier\"],\"dashboard.dembrane.concrete.title\":[\"Rends-le concret\"],\"participant.refine.make.concrete\":[\"Rends-le concret\"],\"JSxZVX\":[\"Marquer toutes comme lues\"],\"+s1J8k\":[\"Marquer comme lue\"],\"VxyuRJ\":[\"Notes de réunion\"],\"08d+3x\":[\"Messages de \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"L'accès au microphone est toujours refusé. Veuillez vérifier vos paramètres et réessayer.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Mode\"],\"zMx0gF\":[\"Plus de templates\"],\"QWdKwH\":[\"Déplacer\"],\"CyKTz9\":[\"Déplacer\"],\"wUTBdx\":[\"Déplacer vers un autre projet\"],\"Ksvwy+\":[\"Déplacer vers un projet\"],\"6YtxFj\":[\"Nom\"],\"e3/ja4\":[\"Nom A-Z\"],\"c5Xt89\":[\"Nom Z-A\"],\"isRobC\":[\"Nouveau\"],\"Wmq4bZ\":[\"Nom du nouveau conversation\"],\"library.new.conversations\":[\"De nouvelles conversations ont été ajoutées depuis la génération de la bibliothèque. Régénérez la bibliothèque pour les traiter.\"],\"P/+jkp\":[\"De nouvelles conversations ont été ajoutées depuis la génération de la bibliothèque. Régénérez la bibliothèque pour les traiter.\"],\"7vhWI8\":[\"Nouveau mot de passe\"],\"+VXUp8\":[\"Nouveau projet\"],\"+RfVvh\":[\"Plus récent en premier\"],\"participant.button.next\":[\"Suivant\"],\"participant.ready.to.begin.button.text\":[\"Prêt à commencer\"],\"participant.concrete.selection.button.next\":[\"Suivant\"],\"participant.concrete.instructions.button.next\":[\"Suivant\"],\"hXzOVo\":[\"Suivant\"],\"participant.button.finish.no.text.mode\":[\"Non\"],\"riwuXX\":[\"Aucune action trouvée\"],\"WsI5bo\":[\"Aucune annonce disponible\"],\"Em+3Ls\":[\"Aucun journal d'audit ne correspond aux filtres actuels.\"],\"project.sidebar.chat.empty.description\":[\"Aucune discussion trouvée. Commencez une discussion en utilisant le bouton \\\"Demander\\\".\"],\"YM6Wft\":[\"Aucune discussion trouvée. Commencez une discussion en utilisant le bouton \\\"Demander\\\".\"],\"Qqhl3R\":[\"Aucune collection trouvée\"],\"zMt5AM\":[\"Aucun sujet concret disponible.\"],\"zsslJv\":[\"Aucun contenu\"],\"1pZsdx\":[\"Aucune conversation disponible pour créer la bibliothèque\"],\"library.no.conversations\":[\"Aucune conversation disponible pour créer la bibliothèque\"],\"zM3DDm\":[\"Aucune conversation disponible pour créer la bibliothèque. Veuillez ajouter des conversations pour commencer.\"],\"EtMtH/\":[\"Aucune conversation trouvée.\"],\"BuikQT\":[\"Aucune conversation trouvée. Commencez une conversation en utilisant le lien d'invitation à participer depuis la <0><1>vue d'ensemble du projet.\"],\"meAa31\":[\"Aucune conversation\"],\"VInleh\":[\"Aucune perspective disponible. Générez des perspectives pour cette conversation en visitant<0><1> la bibliothèque du projet.\"],\"yTx6Up\":[\"Aucun terme clé ou nom propre n'a encore été ajouté. Ajoutez-en en utilisant le champ ci-dessus pour améliorer la précision de la transcription.\"],\"jfhDAK\":[\"Aucun nouveau feedback détecté encore. Veuillez continuer votre discussion et réessayer bientôt.\"],\"T3TyGx\":[\"Aucun projet trouvé \",[\"0\"]],\"y29l+b\":[\"Aucun projet trouvé pour ce terme de recherche\"],\"ghhtgM\":[\"Aucune citation disponible. Générez des citations pour cette conversation en visitant\"],\"yalI52\":[\"Aucune citation disponible. Générez des citations pour cette conversation en visitant<0><1> la bibliothèque du projet.\"],\"ctlSnm\":[\"Aucun rapport trouvé\"],\"EhV94J\":[\"Aucune ressource trouvée.\"],\"Ev2r9A\":[\"Aucun résultat\"],\"WRRjA9\":[\"Aucune étiquette trouvée\"],\"LcBe0w\":[\"Aucune étiquette n'a encore été ajoutée à ce projet. Ajoutez une étiquette en utilisant le champ de texte ci-dessus pour commencer.\"],\"bhqKwO\":[\"Aucune transcription disponible\"],\"TmTivZ\":[\"Aucune transcription disponible pour cette conversation.\"],\"vq+6l+\":[\"Aucune transcription n'existe pour cette conversation. Veuillez vérifier plus tard.\"],\"MPZkyF\":[\"Aucune transcription n'est sélectionnée pour cette conversation\"],\"AotzsU\":[\"Pas de tutoriel (uniquement les déclarations de confidentialité)\"],\"OdkUBk\":[\"Aucun fichier audio valide n'a été sélectionné. Veuillez sélectionner uniquement des fichiers audio (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"Aucun sujet de vérification n'est configuré pour ce projet.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Non disponible\"],\"cH5kXP\":[\"Maintenant\"],\"9+6THi\":[\"Plus ancien en premier\"],\"participant.concrete.instructions.revise.artefact\":[\"Une fois que tu as discuté, clique sur « réviser » pour voir \",[\"objectLabel\"],\" changer pour refléter ta discussion.\"],\"participant.concrete.instructions.read.aloud\":[\"Une fois que tu as reçu \",[\"objectLabel\"],\", lis-le à haute voix et partage à voix haute ce que tu souhaites changer, si besoin.\"],\"conversation.ongoing\":[\"En cours\"],\"J6n7sl\":[\"En cours\"],\"uTmEDj\":[\"Conversations en cours\"],\"QvvnWK\":[\"Seules les \",[\"0\"],\" conversations terminées \",[\"1\"],\" seront incluses dans le rapport en ce moment. \"],\"participant.alert.microphone.access.failure\":[\"Il semble que l'accès au microphone ait été refusé. Pas d'inquiétude ! Nous avons un guide de dépannage pratique pour vous. N'hésitez pas à le consulter. Une fois le problème résolu, revenez sur cette page pour vérifier si votre microphone est prêt.\"],\"J17dTs\":[\"Oups ! Il semble que l'accès au microphone ait été refusé. Pas d'inquiétude ! Nous avons un guide de dépannage pratique pour vous. N'hésitez pas à le consulter. Une fois le problème résolu, revenez sur cette page pour vérifier si votre microphone est prêt.\"],\"1TNIig\":[\"Ouvrir\"],\"NRLF9V\":[\"Ouvrir la documentation\"],\"2CyWv2\":[\"Ouvert à la participation ?\"],\"participant.button.open.troubleshooting.guide\":[\"Ouvrir le guide de dépannage\"],\"7yrRHk\":[\"Ouvrir le guide de dépannage\"],\"Hak8r6\":[\"Ouvrez votre application d'authentification et entrez le code actuel à six chiffres.\"],\"0zpgxV\":[\"Options\"],\"6/dCYd\":[\"Aperçu\"],\"/fAXQQ\":[\"Vue d’ensemble - Thèmes et patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Contenu de la page\"],\"8F1i42\":[\"Page non trouvée\"],\"6+Py7/\":[\"Titre de la page\"],\"v8fxDX\":[\"Participant\"],\"Uc9fP1\":[\"Fonctionnalités participant\"],\"y4n1fB\":[\"Les participants pourront sélectionner des étiquettes lors de la création de conversations\"],\"8ZsakT\":[\"Mot de passe\"],\"w3/J5c\":[\"Protéger le portail avec un mot de passe (demande de fonctionnalité)\"],\"lpIMne\":[\"Les mots de passe ne correspondent pas\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Mettre en pause la lecture\"],\"UbRKMZ\":[\"En attente\"],\"6v5aT9\":[\"Choisis l’approche qui correspond à ta question\"],\"participant.alert.microphone.access\":[\"Veuillez autoriser l'accès au microphone pour démarrer le test.\"],\"3flRk2\":[\"Veuillez autoriser l'accès au microphone pour démarrer le test.\"],\"SQSc5o\":[\"Veuillez vérifier plus tard ou contacter le propriétaire du projet pour plus d'informations.\"],\"T8REcf\":[\"Veuillez vérifier vos entrées pour les erreurs.\"],\"S6iyis\":[\"Veuillez ne fermer votre navigateur\"],\"n6oAnk\":[\"Veuillez activer la participation pour activer le partage\"],\"fwrPh4\":[\"Veuillez entrer une adresse e-mail valide.\"],\"iMWXJN\":[\"Veuillez garder cet écran allumé. (écran noir = pas d'enregistrement)\"],\"D90h1s\":[\"Veuillez vous connecter pour continuer.\"],\"mUGRqu\":[\"Veuillez fournir un résumé succinct des éléments suivants fournis dans le contexte.\"],\"ps5D2F\":[\"Veuillez enregistrer votre réponse en cliquant sur le bouton \\\"Enregistrer\\\" ci-dessous. Vous pouvez également choisir de répondre par texte en cliquant sur l'icône texte. \\n**Veuillez garder cet écran allumé** \\n(écran noir = pas d'enregistrement)\"],\"TsuUyf\":[\"Veuillez enregistrer votre réponse en cliquant sur le bouton \\\"Démarrer l'enregistrement\\\" ci-dessous. Vous pouvez également répondre en texte en cliquant sur l'icône texte.\"],\"4TVnP7\":[\"Veuillez sélectionner une langue pour votre rapport\"],\"N63lmJ\":[\"Veuillez sélectionner une langue pour votre rapport mis à jour\"],\"XvD4FK\":[\"Veuillez sélectionner au moins une source\"],\"hxTGLS\":[\"Sélectionne des conversations dans la barre latérale pour continuer\"],\"GXZvZ7\":[\"Veuillez attendre \",[\"timeStr\"],\" avant de demander un autre écho.\"],\"Am5V3+\":[\"Veuillez attendre \",[\"timeStr\"],\" avant de demander un autre Echo.\"],\"CE1Qet\":[\"Veuillez attendre \",[\"timeStr\"],\" avant de demander un autre ECHO.\"],\"Fx1kHS\":[\"Veuillez attendre \",[\"timeStr\"],\" avant de demander une autre réponse.\"],\"MgJuP2\":[\"Veuillez patienter pendant que nous générons votre rapport. Vous serez automatiquement redirigé vers la page du rapport.\"],\"library.processing.request\":[\"Bibliothèque en cours de traitement\"],\"04DMtb\":[\"Veuillez patienter pendant que nous traitons votre demande de retranscription. Vous serez redirigé vers la nouvelle conversation lorsque prêt.\"],\"ei5r44\":[\"Veuillez patienter pendant que nous mettons à jour votre rapport. Vous serez automatiquement redirigé vers la page du rapport.\"],\"j5KznP\":[\"Veuillez patienter pendant que nous vérifions votre adresse e-mail.\"],\"uRFMMc\":[\"Contenu du Portail\"],\"qVypVJ\":[\"Éditeur de Portail\"],\"g2UNkE\":[\"Propulsé par\"],\"MPWj35\":[\"Préparation de tes conversations... Ça peut prendre un moment.\"],\"/SM3Ws\":[\"Préparation de votre expérience\"],\"ANWB5x\":[\"Imprimer ce rapport\"],\"zwqetg\":[\"Déclarations de confidentialité\"],\"qAGp2O\":[\"Continuer\"],\"stk3Hv\":[\"traitement\"],\"vrnnn9\":[\"Traitement\"],\"kvs/6G\":[\"Le traitement de cette conversation a échoué. Cette conversation ne sera pas disponible pour l'analyse et le chat.\"],\"q11K6L\":[\"Le traitement de cette conversation a échoué. Cette conversation ne sera pas disponible pour l'analyse et le chat. Dernier statut connu : \",[\"0\"]],\"NQiPr4\":[\"Traitement de la transcription\"],\"48px15\":[\"Traitement de votre rapport...\"],\"gzGDMM\":[\"Traitement de votre demande de retranscription...\"],\"Hie0VV\":[\"Projet créé\"],\"xJMpjP\":[\"Bibliothèque de projet | Dembrane\"],\"OyIC0Q\":[\"Nom du projet\"],\"6Z2q2Y\":[\"Le nom du projet doit comporter au moins 4 caractères\"],\"n7JQEk\":[\"Projet introuvable\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Aperçu du projet | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Paramètres du projet\"],\"+0B+ue\":[\"Projets\"],\"Eb7xM7\":[\"Projets | Dembrane\"],\"JQVviE\":[\"Accueil des projets\"],\"nyEOdh\":[\"Fournissez un aperçu des sujets principaux et des thèmes récurrents\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publier\"],\"u3wRF+\":[\"Publié\"],\"E7YTYP\":[\"Récupère les citations les plus marquantes de cette session\"],\"eWLklq\":[\"Citations\"],\"wZxwNu\":[\"Lire à haute voix\"],\"participant.ready.to.begin\":[\"Prêt à commencer\"],\"ZKOO0I\":[\"Prêt à commencer ?\"],\"hpnYpo\":[\"Applications recommandées\"],\"participant.button.record\":[\"Enregistrer\"],\"w80YWM\":[\"Enregistrer\"],\"s4Sz7r\":[\"Enregistrer une autre conversation\"],\"participant.modal.pause.title\":[\"Enregistrement en pause\"],\"view.recreate.tooltip\":[\"Recréer la vue\"],\"view.recreate.modal.title\":[\"Recréer la vue\"],\"CqnkB0\":[\"Thèmes récurrents\"],\"9aloPG\":[\"Références\"],\"participant.button.refine\":[\"Refine\"],\"lCF0wC\":[\"Actualiser\"],\"ZMXpAp\":[\"Actualiser les journaux d'audit\"],\"844H5I\":[\"Régénérer la bibliothèque\"],\"bluvj0\":[\"Régénérer le résumé\"],\"participant.concrete.regenerating.artefact\":[\"Régénération de l'artefact\"],\"oYlYU+\":[\"Régénération du résumé. Patiente un peu...\"],\"wYz80B\":[\"S'enregistrer | Dembrane\"],\"w3qEvq\":[\"S'enregistrer en tant qu'utilisateur nouveau\"],\"7dZnmw\":[\"Pertinence\"],\"participant.button.reload.page.text.mode\":[\"Recharger la page\"],\"participant.button.reload\":[\"Recharger la page\"],\"participant.concrete.artefact.action.button.reload\":[\"Recharger la page\"],\"hTDMBB\":[\"Recharger la page\"],\"Kl7//J\":[\"Supprimer l'e-mail\"],\"cILfnJ\":[\"Supprimer le fichier\"],\"CJgPtd\":[\"Supprimer de cette conversation\"],\"project.sidebar.chat.rename\":[\"Renommer\"],\"2wxgft\":[\"Renommer\"],\"XyN13i\":[\"Prompt de réponse\"],\"gjpdaf\":[\"Rapport\"],\"Q3LOVJ\":[\"Signaler un problème\"],\"DUmD+q\":[\"Rapport créé - \",[\"0\"]],\"KFQLa2\":[\"La génération de rapports est actuellement en version bêta et limitée aux projets avec moins de 10 heures d'enregistrement.\"],\"hIQOLx\":[\"Notifications de rapports\"],\"lNo4U2\":[\"Rapport mis à jour - \",[\"0\"]],\"library.request.access\":[\"Demander l'accès\"],\"uLZGK+\":[\"Demander l'accès\"],\"dglEEO\":[\"Demander le Réinitialisation du Mot de Passe\"],\"u2Hh+Y\":[\"Demander le Réinitialisation du Mot de Passe | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Accès au microphone en cours...\"],\"MepchF\":[\"Demande d'accès au microphone pour détecter les appareils disponibles...\"],\"xeMrqw\":[\"Réinitialiser toutes les options\"],\"KbS2K9\":[\"Réinitialiser le Mot de Passe\"],\"UMMxwo\":[\"Réinitialiser le Mot de Passe | Dembrane\"],\"L+rMC9\":[\"Réinitialiser aux paramètres par défaut\"],\"s+MGs7\":[\"Ressources\"],\"participant.button.stop.resume\":[\"Reprendre\"],\"v39wLo\":[\"Reprendre\"],\"sVzC0H\":[\"Rétranscrire\"],\"ehyRtB\":[\"Rétranscrire la conversation\"],\"1JHQpP\":[\"Rétranscrire la conversation\"],\"MXwASV\":[\"La rétranscrire a commencé. La nouvelle conversation sera disponible bientôt.\"],\"6gRgw8\":[\"Réessayer\"],\"H1Pyjd\":[\"Réessayer le téléchargement\"],\"9VUzX4\":[\"Examinez l'activité de votre espace de travail. Filtrez par collection ou action, et exportez la vue actuelle pour une investigation plus approfondie.\"],\"UZVWVb\":[\"Examiner les fichiers avant le téléchargement\"],\"3lYF/Z\":[\"Examiner le statut de traitement pour chaque conversation collectée dans ce projet.\"],\"participant.concrete.action.button.revise\":[\"Réviser\"],\"OG3mVO\":[\"Révision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Lignes par page\"],\"participant.concrete.action.button.save\":[\"Enregistrer\"],\"tfDRzk\":[\"Enregistrer\"],\"2VA/7X\":[\"Erreur lors de l'enregistrement !\"],\"XvjC4F\":[\"Enregistrement...\"],\"nHeO/c\":[\"Scannez le code QR ou copiez le secret dans votre application.\"],\"oOi11l\":[\"Défiler vers le bas\"],\"A1taO8\":[\"Rechercher\"],\"OWm+8o\":[\"Rechercher des conversations\"],\"blFttG\":[\"Rechercher des projets\"],\"I0hU01\":[\"Rechercher des projets\"],\"RVZJWQ\":[\"Rechercher des projets...\"],\"lnWve4\":[\"Rechercher des tags\"],\"pECIKL\":[\"Rechercher des templates...\"],\"uSvNyU\":[\"Recherché parmi les sources les plus pertinentes\"],\"Wj2qJm\":[\"Recherche parmi les sources les plus pertinentes\"],\"Y1y+VB\":[\"Secret copié\"],\"Eyh9/O\":[\"Voir les détails du statut de la conversation\"],\"0sQPzI\":[\"À bientôt\"],\"1ZTiaz\":[\"Segments\"],\"H/diq7\":[\"Sélectionner un microphone\"],\"NK2YNj\":[\"Sélectionner les fichiers audio à télécharger\"],\"/3ntVG\":[\"Sélectionne des conversations et trouve des citations précises\"],\"LyHz7Q\":[\"Sélectionne des conversations dans la barre latérale\"],\"n4rh8x\":[\"Sélectionner un projet\"],\"ekUnNJ\":[\"Sélectionner les étiquettes\"],\"CG1cTZ\":[\"Sélectionnez les instructions qui seront affichées aux participants lorsqu'ils commencent une conversation\"],\"qxzrcD\":[\"Sélectionnez le type de retour ou de participation que vous souhaitez encourager.\"],\"QdpRMY\":[\"Sélectionner le tutoriel\"],\"dashboard.dembrane.concrete.topic.select\":[\"Sélectionnez les sujets que les participants peuvent utiliser pour « Rends-le concret ».\"],\"participant.select.microphone\":[\"Sélectionner votre microphone:\"],\"vKH1Ye\":[\"Sélectionner votre microphone:\"],\"gU5H9I\":[\"Fichiers sélectionnés (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Microphone sélectionné\"],\"JlFcis\":[\"Envoyer\"],\"VTmyvi\":[\"Sentiment\"],\"NprC8U\":[\"Nom de la Séance\"],\"DMl1JW\":[\"Configuration de votre premier projet\"],\"Tz0i8g\":[\"Paramètres\"],\"participant.settings.modal.title\":[\"Paramètres\"],\"PErdpz\":[\"Paramètres | Dembrane\"],\"Z8lGw6\":[\"Partager\"],\"/XNQag\":[\"Partager ce rapport\"],\"oX3zgA\":[\"Partager vos informations ici\"],\"Dc7GM4\":[\"Partager votre voix\"],\"swzLuF\":[\"Partager votre voix en scanant le code QR ci-dessous.\"],\"+tz9Ky\":[\"Plus court en premier\"],\"h8lzfw\":[\"Afficher \",[\"0\"]],\"lZw9AX\":[\"Afficher tout\"],\"w1eody\":[\"Afficher le lecteur audio\"],\"pzaNzD\":[\"Afficher les données\"],\"yrhNQG\":[\"Afficher la durée\"],\"Qc9KX+\":[\"Afficher les adresses IP\"],\"6lGV3K\":[\"Afficher moins\"],\"fMPkxb\":[\"Afficher plus\"],\"3bGwZS\":[\"Afficher les références\"],\"OV2iSn\":[\"Afficher les données de révision\"],\"3Sg56r\":[\"Afficher la chronologie dans le rapport (demande de fonctionnalité)\"],\"DLEIpN\":[\"Afficher les horodatages (expérimental)\"],\"Tqzrjk\":[\"Affichage de \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" sur \",[\"totalItems\"],\" entrées\"],\"dbWo0h\":[\"Se connecter avec Google\"],\"participant.mic.check.button.skip\":[\"Passer\"],\"6Uau97\":[\"Passer\"],\"lH0eLz\":[\"Passer la carte de confidentialité (L'hôte gère la consentement)\"],\"b6NHjr\":[\"Passer la carte de confidentialité (L'hôte gère la base légale)\"],\"4Q9po3\":[\"Certaines conversations sont encore en cours de traitement. La sélection automatique fonctionnera de manière optimale une fois le traitement audio terminé.\"],\"q+pJ6c\":[\"Certains fichiers ont déjà été sélectionnés et ne seront pas ajoutés deux fois.\"],\"nwtY4N\":[\"Une erreur s'est produite\"],\"participant.conversation.error.text.mode\":[\"Il semble que la conversation a été supprimée pendant que vous enregistriez. Nous avons arrêté l'enregistrement pour éviter tout problème. Vous pouvez en commencer une nouvelle à tout moment.\"],\"participant.conversation.error\":[\"Il semble que la conversation a été supprimée pendant que vous enregistriez. Nous avons arrêté l'enregistrement pour éviter tout problème. Vous pouvez en commencer une nouvelle à tout moment.\"],\"avSWtK\":[\"Une erreur s'est produite lors de l'exportation des journaux d'audit.\"],\"q9A2tm\":[\"Une erreur s'est produite lors de la génération du secret.\"],\"JOKTb4\":[\"Une erreur s'est produite lors de l'envoi du fichier : \",[\"0\"]],\"KeOwCj\":[\"Une erreur s'est produite avec la conversation. Veuillez réessayer ou contacter le support si le problème persiste\"],\"participant.go.deeper.generic.error.message\":[\"Une erreur s'est produite. Veuillez réessayer en appuyant sur le bouton Va plus profond, ou contactez le support si le problème persiste.\"],\"fWsBTs\":[\"Une erreur s'est produite. Veuillez réessayer.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Désolé, nous ne pouvons pas traiter cette demande en raison de la politique de contenu du fournisseur de LLM.\"],\"f6Hub0\":[\"Trier\"],\"/AhHDE\":[\"Source \",[\"0\"]],\"u7yVRn\":[\"Sources:\"],\"65A04M\":[\"Espagnol\"],\"zuoIYL\":[\"Orateur\"],\"z5/5iO\":[\"Contexte spécifique\"],\"mORM2E\":[\"Détails précis\"],\"Etejcu\":[\"Détails précis - Conversations sélectionnées\"],\"participant.button.start.new.conversation.text.mode\":[\"Commencer une nouvelle conversation\"],\"participant.button.start.new.conversation\":[\"Commencer une nouvelle conversation\"],\"c6FrMu\":[\"Commencer une nouvelle conversation\"],\"i88wdJ\":[\"Recommencer\"],\"pHVkqA\":[\"Démarrer l'enregistrement\"],\"uAQUqI\":[\"Statut\"],\"ygCKqB\":[\"Arrêter\"],\"participant.button.stop\":[\"Arrêter\"],\"kimwwT\":[\"Planification Stratégique\"],\"hQRttt\":[\"Soumettre\"],\"participant.button.submit.text.mode\":[\"Envoyer\"],\"0Pd4R1\":[\"Ingereed via tekstinput\"],\"zzDlyQ\":[\"Succès\"],\"bh1eKt\":[\"Suggéré:\"],\"F1nkJm\":[\"Résumer\"],\"4ZpfGe\":[\"Résume les principaux enseignements de mes entretiens\"],\"5Y4tAB\":[\"Résume cet entretien en un article partageable\"],\"dXoieq\":[\"Résumé\"],\"g6o+7L\":[\"Résumé généré.\"],\"kiOob5\":[\"Résumé non disponible pour le moment\"],\"OUi+O3\":[\"Résumé régénéré.\"],\"Pqa6KW\":[\"Le résumé sera disponible une fois la conversation transcrite.\"],\"6ZHOF8\":[\"Formats supportés: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Passer à la saisie de texte\"],\"D+NlUC\":[\"Système\"],\"OYHzN1\":[\"Étiquettes\"],\"nlxlmH\":[\"Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation.\"],\"eyu39U\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"participant.refine.make.concrete.description\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"QCchuT\":[\"Template appliqué\"],\"iTylMl\":[\"Modèles\"],\"xeiujy\":[\"Texte\"],\"CPN34F\":[\"Merci pour votre participation !\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Contenu de la page Merci\"],\"5KEkUQ\":[\"Merci ! Nous vous informerons lorsque le rapport sera prêt.\"],\"2yHHa6\":[\"Ce code n'a pas fonctionné. Réessayez avec un nouveau code de votre application d'authentification.\"],\"TQCE79\":[\"Le code n'a pas fonctionné, veuillez réessayer.\"],\"participant.conversation.error.loading.text.mode\":[\"La conversation n'a pas pu être chargée. Veuillez réessayer ou contacter le support.\"],\"participant.conversation.error.loading\":[\"La conversation n'a pas pu être chargée. Veuillez réessayer ou contacter le support.\"],\"nO942E\":[\"La conversation n'a pas pu être chargée. Veuillez réessayer ou contacter le support.\"],\"Jo19Pu\":[\"Les conversations suivantes ont été automatiquement ajoutées au contexte\"],\"Lngj9Y\":[\"Le Portail est le site web qui s'ouvre lorsque les participants scan le code QR.\"],\"bWqoQ6\":[\"la bibliothèque du projet.\"],\"hTCMdd\":[\"Le résumé est en cours de génération. Attends qu’il soit disponible.\"],\"+AT8nl\":[\"Le résumé est en cours de régénération. Attends qu’il soit disponible.\"],\"iV8+33\":[\"Le résumé est en cours de régénération. Veuillez patienter jusqu'à ce que le nouveau résumé soit disponible.\"],\"AgC2rn\":[\"Le résumé est en cours de régénération. Veuillez patienter jusqu'à 2 minutes pour que le nouveau résumé soit disponible.\"],\"PTNxDe\":[\"La transcription de cette conversation est en cours de traitement. Veuillez vérifier plus tard.\"],\"FEr96N\":[\"Thème\"],\"T8rsM6\":[\"Il y avait une erreur lors du clonage de votre projet. Veuillez réessayer ou contacter le support.\"],\"JDFjCg\":[\"Il y avait une erreur lors de la création de votre rapport. Veuillez réessayer ou contacter le support.\"],\"e3JUb8\":[\"Il y avait une erreur lors de la génération de votre rapport. En attendant, vous pouvez analyser tous vos données à l'aide de la bibliothèque ou sélectionner des conversations spécifiques pour discuter.\"],\"7qENSx\":[\"Il y avait une erreur lors de la mise à jour de votre rapport. Veuillez réessayer ou contacter le support.\"],\"V7zEnY\":[\"Il y avait une erreur lors de la vérification de votre e-mail. Veuillez réessayer.\"],\"gtlVJt\":[\"Voici quelques modèles prédéfinis pour vous aider à démarrer.\"],\"sd848K\":[\"Voici vos modèles de vue par défaut. Une fois que vous avez créé votre bibliothèque, ces deux vues seront vos premières.\"],\"8xYB4s\":[\"Ces modèles de vue par défaut seront générés lorsque vous créerez votre première bibliothèque.\"],\"Ed99mE\":[\"Réflexion en cours...\"],\"conversation.linked_conversations.description\":[\"Cette conversation a les copies suivantes :\"],\"conversation.linking_conversations.description\":[\"Cette conversation est une copie de\"],\"dt1MDy\":[\"Cette conversation est encore en cours de traitement. Elle sera disponible pour l'analyse et le chat sous peu.\"],\"5ZpZXq\":[\"Cette conversation est encore en cours de traitement. Elle sera disponible pour l'analyse et le chat sous peu. \"],\"SzU1mG\":[\"Cette e-mail est déjà dans la liste.\"],\"JtPxD5\":[\"Cette e-mail est déjà abonnée aux notifications.\"],\"participant.modal.refine.info.available.in\":[\"Cette fonctionnalité sera disponible dans \",[\"remainingTime\"],\" secondes.\"],\"QR7hjh\":[\"Cette est une vue en direct du portail du participant. Vous devrez actualiser la page pour voir les dernières modifications.\"],\"library.description\":[\"Bibliothèque\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"Cette est votre bibliothèque de projet. Actuellement,\",[\"0\"],\" conversations sont en attente d'être traitées.\"],\"tJL2Lh\":[\"Cette langue sera utilisée pour le Portail du participant et la transcription.\"],\"BAUPL8\":[\"Cette langue sera utilisée pour le Portail du participant et la transcription. Pour changer la langue de cette application, veuillez utiliser le sélecteur de langue dans les paramètres en haut à droite.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"Cette langue sera utilisée pour le Portail du participant.\"],\"9ww6ML\":[\"Cette page est affichée après que le participant ait terminé la conversation.\"],\"1gmHmj\":[\"Cette page est affichée aux participants lorsqu'ils commencent une conversation après avoir réussi à suivre le tutoriel.\"],\"bEbdFh\":[\"Cette bibliothèque de projet a été générée le\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"Cette prompt guide comment l'IA répond aux participants. Personnalisez-la pour former le type de feedback ou d'engagement que vous souhaitez encourager.\"],\"Yig29e\":[\"Ce rapport n'est pas encore disponible. \"],\"GQTpnY\":[\"Ce rapport a été ouvert par \",[\"0\"],\" personnes\"],\"okY/ix\":[\"Ce résumé est généré par l'IA et succinct, pour une analyse approfondie, utilisez le Chat ou la Bibliothèque.\"],\"hwyBn8\":[\"Ce titre est affiché aux participants lorsqu'ils commencent une conversation\"],\"Dj5ai3\":[\"Cela effacera votre entrée actuelle. Êtes-vous sûr ?\"],\"NrRH+W\":[\"Cela créera une copie du projet actuel. Seuls les paramètres et les étiquettes sont copiés. Les rapports, les chats et les conversations ne sont pas inclus dans le clonage. Vous serez redirigé vers le nouveau projet après le clonage.\"],\"hsNXnX\":[\"Cela créera une nouvelle conversation avec la même audio mais une transcription fraîche. La conversation d'origine restera inchangée.\"],\"participant.concrete.regenerating.artefact.description\":[\"Cela ne prendra que quelques instants\"],\"participant.concrete.loading.artefact.description\":[\"Cela ne prendra qu'un instant\"],\"n4l4/n\":[\"Cela remplacera les informations personnelles identifiables avec .\"],\"Ww6cQ8\":[\"Date de création\"],\"8TMaZI\":[\"Horodatage\"],\"rm2Cxd\":[\"Conseil\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"Pour assigner une nouvelle étiquette, veuillez la créer d'abord dans l'aperçu du projet.\"],\"o3rowT\":[\"Pour générer un rapport, veuillez commencer par ajouter des conversations dans votre projet\"],\"sFMBP5\":[\"Sujets\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcription en cours...\"],\"DDziIo\":[\"Transcription\"],\"hfpzKV\":[\"Transcription copiée dans le presse-papiers\"],\"AJc6ig\":[\"Transcription non disponible\"],\"N/50DC\":[\"Paramètres de transcription\"],\"FRje2T\":[\"Transcription en cours...\"],\"0l9syB\":[\"Transcription en cours…\"],\"H3fItl\":[\"Transformez ces transcriptions en une publication LinkedIn qui coupe le bruit. Veuillez :\\n\\nExtrayez les insights les plus captivants - sautez tout ce qui ressemble à des conseils commerciaux standard\\nÉcrivez-le comme un leader expérimenté qui défie les idées conventionnelles, pas un poster motivant\\nTrouvez une observation vraiment inattendue qui ferait même des professionnels expérimentés se poser\\nRestez profond et direct tout en étant rafraîchissant\\nUtilisez des points de données qui réellement contredisent les hypothèses\\nGardez le formatage propre et professionnel (peu d'emojis, espace pensée)\\nFaites un ton qui suggère à la fois une expertise profonde et une expérience pratique\\n\\nNote : Si le contenu ne contient aucun insight substantiel, veuillez me le signaler, nous avons besoin de matériel de source plus fort.\"],\"53dSNP\":[\"Transformez ce contenu en insights qui ont vraiment de l'importance. Veuillez :\\n\\nExtrayez les idées essentielles qui contredisent le pensée standard\\nÉcrivez comme quelqu'un qui comprend les nuances, pas un manuel\\nFocalisez-vous sur les implications non évidentes\\nRestez concentré et substantiel\\nOrganisez pour la clarté et la référence future\\nÉquilibrez les détails tactiques avec la vision stratégique\\n\\nNote : Si le contenu ne contient aucun insight substantiel, veuillez me le signaler, nous avons besoin de matériel de source plus fort.\"],\"uK9JLu\":[\"Transformez cette discussion en intelligence actionnable. Veuillez :\\nCapturez les implications stratégiques, pas seulement les points de vue\\nStructurez-le comme un analyse d'un leader, pas des minutes\\nSurmontez les points de vue standard\\nFocalisez-vous sur les insights qui conduisent à des changements réels\\nOrganisez pour la clarté et la référence future\\nÉquilibrez les détails tactiques avec la vision stratégique\\n\\nNote : Si la discussion manque de points de décision substantiels ou d'insights, veuillez le signaler pour une exploration plus approfondie la prochaine fois.\"],\"qJb6G2\":[\"Réessayer\"],\"eP1iDc\":[\"Tu peux demander\"],\"goQEqo\":[\"Essayez de vous rapprocher un peu plus de votre microphone pour une meilleure qualité audio.\"],\"EIU345\":[\"Authentification à deux facteurs\"],\"NwChk2\":[\"Authentification à deux facteurs désactivée\"],\"qwpE/S\":[\"Authentification à deux facteurs activée\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Tapez un message...\"],\"EvmL3X\":[\"Tapez votre réponse ici\"],\"participant.concrete.artefact.error.title\":[\"Impossible de charger l'artefact\"],\"MksxNf\":[\"Impossible de charger les journaux d'audit.\"],\"8vqTzl\":[\"Impossible de charger l'artefact généré. Veuillez réessayer.\"],\"nGxDbq\":[\"Impossible de traiter ce fragment\"],\"9uI/rE\":[\"Annuler\"],\"Ef7StM\":[\"Inconnu\"],\"H899Z+\":[\"annonce non lue\"],\"0pinHa\":[\"annonces non lues\"],\"sCTlv5\":[\"Modifications non enregistrées\"],\"SMaFdc\":[\"Se désabonner\"],\"jlrVDp\":[\"Conversation sans titre\"],\"EkH9pt\":[\"Mettre à jour\"],\"3RboBp\":[\"Mettre à jour le rapport\"],\"4loE8L\":[\"Mettre à jour le rapport pour inclure les données les plus récentes\"],\"Jv5s94\":[\"Mettre à jour votre rapport pour inclure les dernières modifications de votre projet. Le lien pour partager le rapport restera le même.\"],\"kwkhPe\":[\"Mettre à niveau\"],\"UkyAtj\":[\"Mettre à niveau pour débloquer la sélection automatique et analyser 10 fois plus de conversations en moitié du temps — plus de sélection manuelle, juste des insights plus profonds instantanément.\"],\"ONWvwQ\":[\"Télécharger\"],\"8XD6tj\":[\"Télécharger l'audio\"],\"kV3A2a\":[\"Téléchargement terminé\"],\"4Fr6DA\":[\"Télécharger des conversations\"],\"pZq3aX\":[\"Le téléchargement a échoué. Veuillez réessayer.\"],\"HAKBY9\":[\"Télécharger les fichiers\"],\"Wft2yh\":[\"Téléchargement en cours\"],\"JveaeL\":[\"Télécharger des ressources\"],\"3wG7HI\":[\"Téléchargé\"],\"k/LaWp\":[\"Téléchargement des fichiers audio...\"],\"VdaKZe\":[\"Utiliser les fonctionnalités expérimentales\"],\"rmMdgZ\":[\"Utiliser la rédaction PII\"],\"ngdRFH\":[\"Utilisez Shift + Entrée pour ajouter une nouvelle ligne\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Vérifié\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"artefacts vérifiés\"],\"4LFZoj\":[\"Vérifier le code\"],\"jpctdh\":[\"Vue\"],\"+fxiY8\":[\"Voir les détails de la conversation\"],\"H1e6Hv\":[\"Voir le statut de la conversation\"],\"SZw9tS\":[\"Voir les détails\"],\"D4e7re\":[\"Voir vos réponses\"],\"tzEbkt\":[\"Attendez \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Tu veux ajouter un template à « Dembrane » ?\"],\"bO5RNo\":[\"Voulez-vous ajouter un modèle à ECHO?\"],\"r6y+jM\":[\"Attention\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"Nous ne pouvons pas vous entendre. Veuillez essayer de changer de microphone ou de vous rapprocher un peu plus de l'appareil.\"],\"SrJOPD\":[\"Nous ne pouvons pas vous entendre. Veuillez essayer de changer de microphone ou de vous rapprocher un peu plus de l'appareil.\"],\"Ul0g2u\":[\"Nous n'avons pas pu désactiver l'authentification à deux facteurs. Réessayez avec un nouveau code.\"],\"sM2pBB\":[\"Nous n'avons pas pu activer l'authentification à deux facteurs. Vérifiez votre code et réessayez.\"],\"Ewk6kb\":[\"Nous n'avons pas pu charger l'audio. Veuillez réessayer plus tard.\"],\"xMeAeQ\":[\"Nous vous avons envoyé un e-mail avec les étapes suivantes. Si vous ne le voyez pas, vérifiez votre dossier de spam.\"],\"9qYWL7\":[\"Nous vous avons envoyé un e-mail avec les étapes suivantes. Si vous ne le voyez pas, vérifiez votre dossier de spam. Si vous ne le voyez toujours pas, veuillez contacter evelien@dembrane.com\"],\"3fS27S\":[\"Nous vous avons envoyé un e-mail avec les étapes suivantes. Si vous ne le voyez pas, vérifiez votre dossier de spam. Si vous ne le voyez toujours pas, veuillez contacter jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"Nous avons besoin d'un peu plus de contexte pour t'aider à affiner efficacement. Continue d'enregistrer pour que nous puissions formuler de meilleures suggestions.\"],\"dni8nq\":[\"Nous vous envoyerons un message uniquement si votre hôte génère un rapport, nous ne partageons jamais vos informations avec personne. Vous pouvez vous désinscrire à tout moment.\"],\"participant.test.microphone.description\":[\"Nous testerons votre microphone pour vous assurer la meilleure expérience pour tout le monde dans la session.\"],\"tQtKw5\":[\"Nous testerons votre microphone pour vous assurer la meilleure expérience pour tout le monde dans la session.\"],\"+eLc52\":[\"Nous entendons un peu de silence. Essayez de parler plus fort pour que votre voix soit claire.\"],\"6jfS51\":[\"Bienvenue\"],\"9eF5oV\":[\"Bon retour\"],\"i1hzzO\":[\"Bienvenue en mode Vue d’ensemble ! J’ai chargé les résumés de toutes tes conversations. Pose-moi des questions sur les tendances, thèmes et insights de tes données. Pour des citations exactes, démarre un nouveau chat en mode Contexte précis.\"],\"fwEAk/\":[\"Bienvenue sur Dembrane Chat ! Utilisez la barre latérale pour sélectionner les ressources et les conversations que vous souhaitez analyser. Ensuite, vous pouvez poser des questions sur les ressources et les conversations sélectionnées.\"],\"AKBU2w\":[\"Bienvenue sur Dembrane!\"],\"TACmoL\":[\"Bienvenue dans le mode Overview ! J’ai les résumés de toutes tes conversations. Pose-moi des questions sur les patterns, les thèmes et les insights dans tes données. Pour des citations exactes, démarre un nouveau chat en mode Deep Dive.\"],\"u4aLOz\":[\"Bienvenue en mode Vue d’ensemble ! J’ai chargé les résumés de toutes tes conversations. Pose-moi des questions sur les tendances, thèmes et insights de tes données. Pour des citations exactes, démarre un nouveau chat en mode Contexte précis.\"],\"Bck6Du\":[\"Bienvenue dans les rapports !\"],\"aEpQkt\":[\"Bienvenue sur votre Accueil! Ici, vous pouvez voir tous vos projets et accéder aux ressources de tutoriel. Actuellement, vous n'avez aucun projet. Cliquez sur \\\"Créer\\\" pour configurer pour commencer !\"],\"klH6ct\":[\"Bienvenue !\"],\"Tfxjl5\":[\"Quels sont les principaux thèmes de toutes les conversations ?\"],\"participant.concrete.selection.title\":[\"Qu'est-ce que tu veux rendre concret ?\"],\"fyMvis\":[\"Quelles tendances se dégagent des données ?\"],\"qGrqH9\":[\"Quels ont été les moments clés de cette conversation ?\"],\"FXZcgH\":[\"Qu’est-ce que tu veux explorer ?\"],\"KcnIXL\":[\"sera inclus dans votre rapport\"],\"participant.button.finish.yes.text.mode\":[\"Oui\"],\"kWJmRL\":[\"Vous\"],\"Dl7lP/\":[\"Vous êtes déjà désinscrit ou votre lien est invalide.\"],\"E71LBI\":[\"Vous ne pouvez télécharger que jusqu'à \",[\"MAX_FILES\"],\" fichiers à la fois. Seuls les premiers \",[\"0\"],\" fichiers seront ajoutés.\"],\"tbeb1Y\":[\"Vous pouvez toujours utiliser la fonction Dembrane Ask pour discuter avec n'importe quelle conversation\"],\"participant.modal.change.mic.confirmation.text\":[\"Vous avez changé votre microphone. Veuillez cliquer sur \\\"Continuer\\\", pour continuer la session.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"Vous avez été désinscrit avec succès.\"],\"lTDtES\":[\"Vous pouvez également choisir d'enregistrer une autre conversation.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"Vous devez vous connecter avec le même fournisseur que vous avez utilisé pour vous inscrire. Si vous rencontrez des problèmes, veuillez contacter le support.\"],\"snMcrk\":[\"Vous semblez être hors ligne, veuillez vérifier votre connexion internet\"],\"participant.concrete.instructions.receive.artefact\":[\"Tu recevras bientôt \",[\"objectLabel\"],\" pour les rendre concrets.\"],\"participant.concrete.instructions.approval.helps\":[\"Ton approbation nous aide à comprendre ce que tu penses vraiment !\"],\"Pw2f/0\":[\"Votre conversation est en cours de transcription. Veuillez vérifier plus tard.\"],\"OFDbfd\":[\"Vos conversations\"],\"aZHXuZ\":[\"Vos entrées seront automatiquement enregistrées.\"],\"PUWgP9\":[\"Votre bibliothèque est vide. Créez une bibliothèque pour voir vos premières perspectives.\"],\"B+9EHO\":[\"Votre réponse a été enregistrée. Vous pouvez maintenant fermer cette page.\"],\"wurHZF\":[\"Vos réponses\"],\"B8Q/i2\":[\"Votre vue a été créée. Veuillez patienter pendant que nous traitons et analysons les données.\"],\"library.views.title\":[\"Vos vues\"],\"lZNgiw\":[\"Vos vues\"],\"2wg92j\":[\"Conversations\"],\"hWszgU\":[\"La source a été supprimée\"],\"GSV2Xq\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"7qaVXm\":[\"Experimental\"],\"FclDDn\":[\"Dembrane Verify\"],\"Y/Fou9\":[\"Select which topics participants can use for verification.\"],\"qwmGiT\":[\"Contactez votre représentant commercial\"],\"ZWDkP4\":[\"Actuellement, \",[\"finishedConversationsCount\"],\" conversations sont prêtes à être analysées. \",[\"unfinishedConversationsCount\"],\" sont encore en cours de traitement.\"],\"/NTvqV\":[\"Bibliothèque non disponible\"],\"p18xrj\":[\"Bibliothèque régénérée\"],\"hOtk0x\":[\"Echo\"],\"JsSzzl\":[\"ECHO\"],\"SUkFIX\":[\"Pause\"],\"ilKuQo\":[\"Reprendre\"],\"SqNXSx\":[\"Non\"],\"yfZBOp\":[\"Oui\"],\"cic45J\":[\"Nous ne pouvons pas traiter cette requête en raison de la politique de contenu du fournisseur de LLM.\"],\"CvZqsN\":[\"Une erreur s'est produite. Veuillez réessayer en appuyant sur le bouton <0>ECHO, ou contacter le support si le problème persiste.\"],\"P+lUAg\":[\"Une erreur s'est produite. Veuillez réessayer.\"],\"hh87/E\":[\"\\\"Va plus profond\\\" Bientôt disponible\"],\"RMxlMe\":[\"\\\"Rends-le concret\\\" Bientôt disponible\"],\"7UJhVX\":[\"Êtes-vous sûr de vouloir terminer la conversation ?\"],\"RDsML8\":[\"Êtes-vous sûr de vouloir terminer la conversation ?\"],\"IaLTNH\":[\"Approve\"],\"+f3bIA\":[\"Cancel\"],\"qgx4CA\":[\"Revise\"],\"E+5M6v\":[\"Save\"],\"Q82shL\":[\"Go back\"],\"yOp5Yb\":[\"Reload Page\"],\"tw+Fbo\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"oTCD07\":[\"Unable to Load Artefact\"],\"QHbX3T\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"ECX5E0\":[\"Your approval helps us understand what you really think!\"],\"M5oorh\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"RZXkY+\":[\"Annuler\"],\"86aTqL\":[\"Next\"],\"pdifRH\":[\"Loading\"],\"Ep029+\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"fKeatI\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"8b+uSr\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"iodqGS\":[\"Loading artefact\"],\"NpZmZm\":[\"This will just take a moment\"],\"wklhqE\":[\"Regenerating the artefact\"],\"LYTXJp\":[\"This will just take a few moments\"],\"CjjC6j\":[\"Next\"],\"q885Ym\":[\"What do you want to verify?\"],\"AWBvkb\":[\"Fin de la liste • Toutes les \",[\"0\"],\" conversations chargées\"],\"llwJyZ\":[\"Nous n'avons pas pu désactiver l'authentification à deux facteurs. Réessayez avec un nouveau code.\"]}")as Messages; \ No newline at end of file +/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"Vous n'êtes pas authentifié\"],\"You don't have permission to access this.\":[\"Vous n'avez pas la permission d'accéder à ceci.\"],\"Resource not found\":[\"Ressource non trouvée\"],\"Server error\":[\"Erreur serveur\"],\"Something went wrong\":[\"Une erreur s'est produite\"],\"We're preparing your workspace.\":[\"Nous préparons votre espace de travail.\"],\"Preparing your dashboard\":[\"Préparation de ton dashboard\"],\"Welcome back\":[\"Bon retour\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"dashboard.dembrane.concrete.experimental\"],\"participant.button.go.deeper\":[\"Va plus profond\"],\"participant.button.make.concrete\":[\"Rends-le concret\"],\"library.generate.duration.message\":[\"La bibliothèque prendra \",[\"duration\"]],\"uDvV8j\":[\" Envoyer\"],\"aMNEbK\":[\" Se désabonner des notifications\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"Approfondir\"],\"participant.modal.refine.info.title.concrete\":[\"Concrétiser\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refine\\\" Bientôt disponible\"],\"2NWk7n\":[\"(pour un traitement audio amélioré)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" prêt\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Modifié le \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" sélectionné(s)\"],\"P1pDS8\":[[\"diffInDays\"],\" jours\"],\"bT6AxW\":[[\"diffInHours\"],\" heures\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Actuellement, \",\"#\",\" conversation est prête à être analysée.\"],\"other\":[\"Actuellement, \",\"#\",\" conversations sont prêtes à être analysées.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutes et \",[\"seconds\"],\" secondes\"],\"TVD5At\":[[\"readingNow\"],\" lit actuellement\"],\"U7Iesw\":[[\"seconds\"],\" secondes\"],\"library.conversations.still.processing\":[[\"0\"],\" en cours de traitement.\"],\"ZpJ0wx\":[\"*Transcription en cours.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Attendre \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Mot de passe du compte\"],\"L5gswt\":[\"Action par\"],\"UQXw0W\":[\"Action sur\"],\"7L01XJ\":[\"Actions\"],\"m16xKo\":[\"Ajouter\"],\"1m+3Z3\":[\"Ajouter un contexte supplémentaire (Optionnel)\"],\"Se1KZw\":[\"Ajouter tout ce qui s'applique\"],\"1xDwr8\":[\"Ajoutez des termes clés ou des noms propres pour améliorer la qualité et la précision de la transcription.\"],\"ndpRPm\":[\"Ajoutez de nouveaux enregistrements à ce projet. Les fichiers que vous téléchargez ici seront traités et apparaîtront dans les conversations.\"],\"Ralayn\":[\"Ajouter une étiquette\"],\"IKoyMv\":[\"Ajouter des étiquettes\"],\"NffMsn\":[\"Ajouter à cette conversation\"],\"Na90E+\":[\"E-mails ajoutés\"],\"SJCAsQ\":[\"Ajout du contexte :\"],\"OaKXud\":[\"Avancé (Astuces et conseils)\"],\"TBpbDp\":[\"Avancé (Astuces et conseils)\"],\"JiIKww\":[\"Paramètres avancés\"],\"cF7bEt\":[\"Toutes les actions\"],\"O1367B\":[\"Toutes les collections\"],\"Cmt62w\":[\"Toutes les conversations sont prêtes\"],\"u/fl/S\":[\"Tous les fichiers ont été téléchargés avec succès.\"],\"baQJ1t\":[\"Toutes les perspectives\"],\"3goDnD\":[\"Permettre aux participants d'utiliser le lien pour démarrer de nouvelles conversations\"],\"bruUug\":[\"Presque terminé\"],\"H7cfSV\":[\"Déjà ajouté à cette conversation\"],\"jIoHDG\":[\"Une notification par e-mail sera envoyée à \",[\"0\"],\" participant\",[\"1\"],\". Voulez-vous continuer ?\"],\"G54oFr\":[\"Une notification par e-mail sera envoyée à \",[\"0\"],\" participant\",[\"1\"],\". Voulez-vous continuer ?\"],\"8q/YVi\":[\"Une erreur s'est produite lors du chargement du Portail. Veuillez contacter l'équipe de support.\"],\"XyOToQ\":[\"Une erreur s'est produite.\"],\"QX6zrA\":[\"Analyse\"],\"F4cOH1\":[\"Langue d'analyse\"],\"1x2m6d\":[\"Analysez ces éléments avec profondeur et nuances. Veuillez :\\n\\nFocaliser sur les connexions inattendues et les contrastes\\nAller au-delà des comparaisons superficieles\\nIdentifier les motifs cachés que la plupart des analyses manquent\\nRester rigoureux dans l'analyse tout en étant engageant\\nUtiliser des exemples qui éclairent des principes plus profonds\\nStructurer l'analyse pour construire une compréhension\\nDessiner des insights qui contredisent les idées conventionnelles\\n\\nNote : Si les similitudes/différences sont trop superficielles, veuillez me le signaler, nous avons besoin de matériel plus complexe à analyser.\"],\"Dzr23X\":[\"Annonces\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Approuver\"],\"conversation.verified.approved\":[\"Approuvé\"],\"Q5Z2wp\":[\"Êtes-vous sûr de vouloir supprimer cette conversation ? Cette action ne peut pas être annulée.\"],\"kWiPAC\":[\"Êtes-vous sûr de vouloir supprimer ce projet ?\"],\"YF1Re1\":[\"Êtes-vous sûr de vouloir supprimer ce projet ? Cette action est irréversible.\"],\"B8ymes\":[\"Êtes-vous sûr de vouloir supprimer cet enregistrement ?\"],\"G2gLnJ\":[\"Êtes-vous sûr de vouloir supprimer cette étiquette ?\"],\"aUsm4A\":[\"Êtes-vous sûr de vouloir supprimer cette étiquette ? Cela supprimera l'étiquette des conversations existantes qui la contiennent.\"],\"participant.modal.finish.message.text.mode\":[\"Êtes-vous sûr de vouloir terminer la conversation ?\"],\"xu5cdS\":[\"Êtes-vous sûr de vouloir terminer ?\"],\"sOql0x\":[\"Êtes-vous sûr de vouloir générer la bibliothèque ? Cela prendra du temps et écrasera vos vues et perspectives actuelles.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Êtes-vous sûr de vouloir régénérer le résumé ? Vous perdrez le résumé actuel.\"],\"JHgUuT\":[\"Artefact approuvé avec succès !\"],\"IbpaM+\":[\"Artefact rechargé avec succès !\"],\"Qcm/Tb\":[\"Artefact révisé avec succès !\"],\"uCzCO2\":[\"Artefact mis à jour avec succès !\"],\"KYehbE\":[\"Artefacts\"],\"jrcxHy\":[\"Artefacts\"],\"F+vBv0\":[\"Demander\"],\"Rjlwvz\":[\"Demander le nom ?\"],\"5gQcdD\":[\"Demander aux participants de fournir leur nom lorsqu'ils commencent une conversation\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspects\"],\"kskjVK\":[\"L'assistant écrit...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"Sélectionne au moins un sujet pour activer Rends-le concret\"],\"DMBYlw\":[\"Traitement audio en cours\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Les enregistrements audio seront supprimés après 30 jours à partir de la date d'enregistrement\"],\"IOBCIN\":[\"Conseil audio\"],\"y2W2Hg\":[\"Journaux d'audit\"],\"aL1eBt\":[\"Journaux d'audit exportés en CSV\"],\"mS51hl\":[\"Journaux d'audit exportés en JSON\"],\"z8CQX2\":[\"Code d'authentification\"],\"/iCiQU\":[\"Sélection automatique\"],\"3D5FPO\":[\"Sélection automatique désactivée\"],\"ajAMbT\":[\"Sélection automatique activée\"],\"jEqKwR\":[\"Sélectionner les sources à ajouter à la conversation\"],\"vtUY0q\":[\"Inclut automatiquement les conversations pertinentes pour l'analyse sans sélection manuelle\"],\"csDS2L\":[\"Disponible\"],\"participant.button.back.microphone\":[\"Retour\"],\"participant.button.back\":[\"Retour\"],\"iH8pgl\":[\"Retour\"],\"/9nVLo\":[\"Retour à la sélection\"],\"wVO5q4\":[\"Basique (Diapositives tutorielles essentielles)\"],\"epXTwc\":[\"Paramètres de base\"],\"GML8s7\":[\"Commencer !\"],\"YBt9YP\":[\"Bêta\"],\"dashboard.dembrane.concrete.beta\":[\"Bêta\"],\"0fX/GG\":[\"Vue d’ensemble\"],\"vZERag\":[\"Vue d’ensemble - Thèmes et tendances\"],\"YgG3yv\":[\"Idées de brainstorming\"],\"ba5GvN\":[\"En supprimant ce projet, vous supprimerez toutes les données qui y sont associées. Cette action ne peut pas être annulée. Êtes-vous ABSOLUMENT sûr de vouloir supprimer ce projet ?\"],\"dEgA5A\":[\"Annuler\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Annuler\"],\"participant.concrete.action.button.cancel\":[\"Annuler\"],\"participant.concrete.instructions.button.cancel\":[\"Annuler\"],\"RKD99R\":[\"Impossible d'ajouter une conversation vide\"],\"JFFJDJ\":[\"Les modifications sont enregistrées automatiquement pendant que vous utilisez l'application. <0/>Une fois que vous avez des modifications non enregistrées, vous pouvez cliquer n'importe où pour les sauvegarder. <1/>Vous verrez également un bouton pour annuler les modifications.\"],\"u0IJto\":[\"Les modifications seront enregistrées automatiquement\"],\"xF/jsW\":[\"Changer de langue pendant une conversation active peut provoquer des résultats inattendus. Il est recommandé de commencer une nouvelle conversation après avoir changé la langue. Êtes-vous sûr de vouloir continuer ?\"],\"AHZflp\":[\"Discussion\"],\"TGJVgd\":[\"Discussion | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Discussions\"],\"project.sidebar.chat.title\":[\"Discussions\"],\"8Q+lLG\":[\"Discussions\"],\"participant.button.check.microphone.access\":[\"Vérifier l'accès au microphone\"],\"+e4Yxz\":[\"Vérifier l'accès au microphone\"],\"v4fiSg\":[\"Vérifiez votre e-mail\"],\"pWT04I\":[\"Vérification...\"],\"DakUDF\":[\"Choisis le thème que tu préfères pour l’interface\"],\"0ngaDi\":[\"Citation des sources suivantes\"],\"B2pdef\":[\"Cliquez sur \\\"Télécharger les fichiers\\\" lorsque vous êtes prêt à commencer le processus de téléchargement.\"],\"BPrdpc\":[\"Cloner le projet\"],\"9U86tL\":[\"Cloner le projet\"],\"yz7wBu\":[\"Fermer\"],\"q+hNag\":[\"Collection\"],\"Wqc3zS\":[\"Comparer & Contraster\"],\"jlZul5\":[\"Comparez et contrastez les éléments suivants fournis dans le contexte.\"],\"bD8I7O\":[\"Terminé\"],\"6jBoE4\":[\"Sujets concrets\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Continuer\"],\"yjkELF\":[\"Confirmer le nouveau mot de passe\"],\"p2/GCq\":[\"Confirmer le mot de passe\"],\"puQ8+/\":[\"Publier\"],\"L0k594\":[\"Confirmez votre mot de passe pour générer un nouveau secret pour votre application d'authentification.\"],\"JhzMcO\":[\"Connexion aux services de création de rapports...\"],\"wX/BfX\":[\"Connexion saine\"],\"WimHuY\":[\"Connexion défectueuse\"],\"DFFB2t\":[\"Contactez votre représentant commercial\"],\"VlCTbs\":[\"Contactez votre représentant commercial pour activer cette fonction aujourd'hui !\"],\"M73whl\":[\"Contexte\"],\"VHSco4\":[\"Contexte ajouté :\"],\"participant.button.continue\":[\"Continuer\"],\"xGVfLh\":[\"Continuer\"],\"F1pfAy\":[\"conversation\"],\"EiHu8M\":[\"Conversation ajoutée à la discussion\"],\"ggJDqH\":[\"Audio de la conversation\"],\"participant.conversation.ended\":[\"Conversation terminée\"],\"BsHMTb\":[\"Conversation terminée\"],\"26Wuwb\":[\"Traitement de la conversation\"],\"OtdHFE\":[\"Conversation retirée de la discussion\"],\"zTKMNm\":[\"Statut de la conversation\"],\"Rdt7Iv\":[\"Détails du statut de la conversation\"],\"a7zH70\":[\"conversations\"],\"EnJuK0\":[\"Conversations\"],\"TQ8ecW\":[\"Conversations à partir du QR Code\"],\"nmB3V3\":[\"Conversations à partir du téléchargement\"],\"participant.refine.cooling.down\":[\"Période de repos. Disponible dans \",[\"0\"]],\"6V3Ea3\":[\"Copié\"],\"he3ygx\":[\"Copier\"],\"y1eoq1\":[\"Copier le lien\"],\"Dj+aS5\":[\"Copier le lien pour partager ce rapport\"],\"vAkFou\":[\"Copier le secret\"],\"v3StFl\":[\"Copier le résumé\"],\"/4gGIX\":[\"Copier dans le presse-papiers\"],\"rG2gDo\":[\"Copier la transcription\"],\"OvEjsP\":[\"Copie en cours...\"],\"hYgDIe\":[\"Créer\"],\"CSQPC0\":[\"Créer un compte\"],\"library.create\":[\"Créer une bibliothèque\"],\"O671Oh\":[\"Créer une bibliothèque\"],\"library.create.view.modal.title\":[\"Créer une nouvelle vue\"],\"vY2Gfm\":[\"Créer une nouvelle vue\"],\"bsfMt3\":[\"Créer un rapport\"],\"library.create.view\":[\"Créer une vue\"],\"3D0MXY\":[\"Créer une vue\"],\"45O6zJ\":[\"Créé le\"],\"8Tg/JR\":[\"Personnalisé\"],\"o1nIYK\":[\"Nom de fichier personnalisé\"],\"ZQKLI1\":[\"Zone dangereuse\"],\"ovBPCi\":[\"Par défaut\"],\"ucTqrC\":[\"Par défaut - Pas de tutoriel (Seulement les déclarations de confidentialité)\"],\"project.sidebar.chat.delete\":[\"Supprimer la discussion\"],\"cnGeoo\":[\"Supprimer\"],\"2DzmAq\":[\"Supprimer la conversation\"],\"++iDlT\":[\"Supprimer le projet\"],\"+m7PfT\":[\"Supprimé avec succès\"],\"p9tvm2\":[\"Echo Dembrane\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane est propulsé par l’IA. Vérifie bien les réponses.\"],\"67znul\":[\"Dembrane Réponse\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Développez un cadre stratégique qui conduit à des résultats significatifs. Veuillez :\\n\\nIdentifier les objectifs clés et leurs interdépendances\\nPlanifier les moyens d'implémentation avec des délais réalistes\\nAnticiper les obstacles potentiels et les stratégies de mitigation\\nDéfinir des indicateurs clairs pour le succès au-delà des indicateurs de vanité\\nMettre en évidence les besoins en ressources et les priorités d'allocation\\nStructurer le plan pour les actions immédiates et la vision à long terme\\nInclure les portes de décision et les points de pivot\\n\\nNote : Concentrez-vous sur les stratégies qui créent des avantages compétitifs durables, pas seulement des améliorations incrémentales.\"],\"qERl58\":[\"Désactiver 2FA\"],\"yrMawf\":[\"Désactiver l'authentification à deux facteurs\"],\"E/QGRL\":[\"Désactivé\"],\"LnL5p2\":[\"Voulez-vous contribuer à ce projet ?\"],\"JeOjN4\":[\"Voulez-vous rester dans la boucle ?\"],\"TvY/XA\":[\"Documentation\"],\"mzI/c+\":[\"Télécharger\"],\"5YVf7S\":[\"Téléchargez toutes les transcriptions de conversations générées pour ce projet.\"],\"5154Ap\":[\"Télécharger toutes les transcriptions\"],\"8fQs2Z\":[\"Download as\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Télécharger l'audio\"],\"+bBcKo\":[\"Télécharger la transcription\"],\"5XW2u5\":[\"Options de téléchargement de la transcription\"],\"hUO5BY\":[\"Glissez les fichiers audio ici ou cliquez pour sélectionner des fichiers\"],\"KIjvtr\":[\"Néerlandais\"],\"HA9VXi\":[\"ÉCHO\"],\"rH6cQt\":[\"Echo est optimisé par l'IA. Veuillez vérifier les réponses.\"],\"o6tfKZ\":[\"ECHO est optimisé par l'IA. Veuillez vérifier les réponses.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Modifier la conversation\"],\"/8fAkm\":[\"Modifier le nom du fichier\"],\"G2KpGE\":[\"Modifier le projet\"],\"DdevVt\":[\"Modifier le contenu du rapport\"],\"0YvCPC\":[\"Modifier la ressource\"],\"report.editor.description\":[\"Modifier le contenu du rapport en utilisant l'éditeur de texte enrichi ci-dessous. Vous pouvez formater le texte, ajouter des liens, des images et plus encore.\"],\"F6H6Lg\":[\"Mode d'édition\"],\"O3oNi5\":[\"E-mail\"],\"wwiTff\":[\"Vérification de l'e-mail\"],\"Ih5qq/\":[\"Vérification de l'e-mail | Dembrane\"],\"iF3AC2\":[\"E-mail vérifié avec succès. Vous serez redirigé vers la page de connexion dans 5 secondes. Si vous n'êtes pas redirigé, veuillez cliquer <0>ici.\"],\"g2N9MJ\":[\"email@travail.com\"],\"N2S1rs\":[\"Vide\"],\"DCRKbe\":[\"Activer 2FA\"],\"ycR/52\":[\"Activer Dembrane Echo\"],\"mKGCnZ\":[\"Activer Dembrane ECHO\"],\"Dh2kHP\":[\"Activer la réponse Dembrane\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Activer Va plus profond\"],\"wGA7d4\":[\"Activer Rends-le concret\"],\"G3dSLc\":[\"Activer les notifications de rapports\"],\"dashboard.dembrane.concrete.description\":[\"Activez cette fonctionnalité pour permettre aux participants de créer et d'approuver des \\\"objets concrets\\\" à partir de leurs contributions. Cela aide à cristalliser les idées clés, les préoccupations ou les résumés. Après la conversation, vous pouvez filtrer les discussions avec des objets concrets et les examiner dans l'aperçu.\"],\"Idlt6y\":[\"Activez cette fonctionnalité pour permettre aux participants de recevoir des notifications lorsqu'un rapport est publié ou mis à jour. Les participants peuvent entrer leur e-mail pour s'abonner aux mises à jour et rester informés.\"],\"g2qGhy\":[\"Activez cette fonctionnalité pour permettre aux participants de demander des réponses alimentées par l'IA pendant leur conversation. Les participants peuvent cliquer sur \\\"Echo\\\" après avoir enregistré leurs pensées pour recevoir un retour contextuel, encourageant une réflexion plus profonde et un engagement accru. Une période de récupération s'applique entre les demandes.\"],\"pB03mG\":[\"Activez cette fonctionnalité pour permettre aux participants de demander des réponses alimentées par l'IA pendant leur conversation. Les participants peuvent cliquer sur \\\"ECHO\\\" après avoir enregistré leurs pensées pour recevoir un retour contextuel, encourageant une réflexion plus profonde et un engagement accru. Une période de récupération s'applique entre les demandes.\"],\"dWv3hs\":[\"Activez cette fonctionnalité pour permettre aux participants de demander des réponses AI pendant leur conversation. Les participants peuvent cliquer sur \\\"Dembrane Réponse\\\" après avoir enregistre leurs pensées pour recevoir un feedback contextuel, encourager une réflexion plus profonde et une engagement plus élevé. Une période de cooldown s'applique entre les demandes.\"],\"rkE6uN\":[\"Active cette fonction pour que les participants puissent demander des réponses générées par l’IA pendant leur conversation. Après avoir enregistré leurs idées, ils peuvent cliquer sur « Va plus profond » pour recevoir un feedback contextuel qui les aide à aller plus loin dans leur réflexion et leur engagement. Un délai s’applique entre deux demandes.\"],\"329BBO\":[\"Activer l'authentification à deux facteurs\"],\"RxzN1M\":[\"Activé\"],\"IxzwiB\":[\"Fin de la liste • Toutes les \",[\"0\"],\" conversations chargées\"],\"lYGfRP\":[\"Anglais\"],\"GboWYL\":[\"Entrez un terme clé ou un nom propre\"],\"TSHJTb\":[\"Entrez un nom pour le nouveau conversation\"],\"KovX5R\":[\"Entrez un nom pour votre projet cloné\"],\"34YqUw\":[\"Entrez un code valide pour désactiver l'authentification à deux facteurs.\"],\"2FPsPl\":[\"Entrez le nom du fichier (sans extension)\"],\"vT+QoP\":[\"Entrez un nouveau nom pour la discussion :\"],\"oIn7d4\":[\"Entrez le code à 6 chiffres de votre application d'authentification.\"],\"q1OmsR\":[\"Entrez le code actuel à six chiffres de votre application d'authentification.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Entrez votre mot de passe\"],\"42tLXR\":[\"Entrez votre requête\"],\"SlfejT\":[\"Erreur\"],\"Ne0Dr1\":[\"Erreur lors du clonage du projet\"],\"AEkJ6x\":[\"Erreur lors de la création du rapport\"],\"S2MVUN\":[\"Erreur lors du chargement des annonces\"],\"xcUDac\":[\"Erreur lors du chargement des perspectives\"],\"edh3aY\":[\"Erreur lors du chargement du projet\"],\"3Uoj83\":[\"Erreur lors du chargement des citations\"],\"z05QRC\":[\"Erreur lors de la mise à jour du rapport\"],\"hmk+3M\":[\"Erreur lors du téléchargement de \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Tout semble bon – vous pouvez continuer.\"],\"/PykH1\":[\"Tout semble bon – vous pouvez continuer.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Expérimental\"],\"/bsogT\":[\"Explore les thèmes et les tendances de toutes les conversations\"],\"sAod0Q\":[\"Exploration de \",[\"conversationCount\"],\" conversations\"],\"GS+Mus\":[\"Exporter\"],\"7Bj3x9\":[\"Échec\"],\"bh2Vob\":[\"Échec de l'ajout de la conversation à la discussion\"],\"ajvYcJ\":[\"Échec de l'ajout de la conversation à la discussion\",[\"0\"]],\"9GMUFh\":[\"Échec de l'approbation de l'artefact. Veuillez réessayer.\"],\"RBpcoc\":[\"Échec de la copie du chat. Veuillez réessayer.\"],\"uvu6eC\":[\"Échec de la copie de la transcription. Réessaie.\"],\"BVzTya\":[\"Échec de la suppression de la réponse\"],\"p+a077\":[\"Échec de la désactivation de la sélection automatique pour cette discussion\"],\"iS9Cfc\":[\"Échec de l'activation de la sélection automatique pour cette discussion\"],\"Gu9mXj\":[\"Échec de la fin de la conversation. Veuillez réessayer.\"],\"vx5bTP\":[\"Échec de la génération de \",[\"label\"],\". Veuillez réessayer.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Impossible de générer le résumé. Réessaie plus tard.\"],\"DKxr+e\":[\"Échec de la récupération des annonces\"],\"TSt/Iq\":[\"Échec de la récupération de la dernière annonce\"],\"D4Bwkb\":[\"Échec de la récupération du nombre d'annonces non lues\"],\"AXRzV1\":[\"Échec du chargement de l’audio ou l’audio n’est pas disponible\"],\"T7KYJY\":[\"Échec du marquage de toutes les annonces comme lues\"],\"eGHX/x\":[\"Échec du marquage de l'annonce comme lue\"],\"SVtMXb\":[\"Échec de la régénération du résumé. Veuillez réessayer plus tard.\"],\"h49o9M\":[\"Échec du rechargement. Veuillez réessayer.\"],\"kE1PiG\":[\"Échec de la suppression de la conversation de la discussion\"],\"+piK6h\":[\"Échec de la suppression de la conversation de la discussion\",[\"0\"]],\"SmP70M\":[\"Échec de la transcription de la conversation. Veuillez réessayer.\"],\"hhLiKu\":[\"Échec de la révision de l'artefact. Veuillez réessayer.\"],\"wMEdO3\":[\"Échec de l'arrêt de l'enregistrement lors du changement de périphérique. Veuillez réessayer.\"],\"wH6wcG\":[\"Échec de la vérification de l'état de l'e-mail. Veuillez réessayer.\"],\"participant.modal.refine.info.title\":[\"Feature Bientôt disponible\"],\"87gcCP\":[\"Le fichier \\\"\",[\"0\"],\"\\\" dépasse la taille maximale de \",[\"1\"],\".\"],\"ena+qV\":[\"Le fichier \\\"\",[\"0\"],\"\\\" a un format non pris en charge. Seuls les fichiers audio sont autorisés.\"],\"LkIAge\":[\"Le fichier \\\"\",[\"0\"],\"\\\" n'est pas un format audio pris en charge. Seuls les fichiers audio sont autorisés.\"],\"RW2aSn\":[\"Le fichier \\\"\",[\"0\"],\"\\\" est trop petit (\",[\"1\"],\"). La taille minimale est de \",[\"2\"],\".\"],\"+aBwxq\":[\"Taille du fichier: Min \",[\"0\"],\", Max \",[\"1\"],\", jusqu'à \",[\"MAX_FILES\"],\" fichiers\"],\"o7J4JM\":[\"Filtrer\"],\"5g0xbt\":[\"Filtrer les journaux d'audit par action\"],\"9clinz\":[\"Filtrer les journaux d'audit par collection\"],\"O39Ph0\":[\"Filtrer par action\"],\"DiDNkt\":[\"Filtrer par collection\"],\"participant.button.stop.finish\":[\"Terminer\"],\"participant.button.finish.text.mode\":[\"Terminer\"],\"participant.button.finish\":[\"Terminer\"],\"JmZ/+d\":[\"Terminer\"],\"participant.modal.finish.title.text.mode\":[\"Êtes-vous sûr de vouloir terminer la conversation ?\"],\"4dQFvz\":[\"Terminé\"],\"kODvZJ\":[\"Prénom\"],\"MKEPCY\":[\"Suivre\"],\"JnPIOr\":[\"Suivre la lecture\"],\"glx6on\":[\"Mot de passe oublié ?\"],\"nLC6tu\":[\"Français\"],\"tSA0hO\":[\"Générer des perspectives à partir de vos conversations\"],\"QqIxfi\":[\"Générer un secret\"],\"tM4cbZ\":[\"Générer des notes de réunion structurées basées sur les points de discussion suivants fournis dans le contexte.\"],\"gitFA/\":[\"Générer un résumé\"],\"kzY+nd\":[\"Génération du résumé. Patiente un peu...\"],\"DDcvSo\":[\"Allemand\"],\"u9yLe/\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"participant.refine.go.deeper.description\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"TAXdgS\":[\"Donnez-moi une liste de 5 à 10 sujets qui sont discutés.\"],\"CKyk7Q\":[\"Retour\"],\"participant.concrete.artefact.action.button.go.back\":[\"Retour\"],\"IL8LH3\":[\"Va plus profond\"],\"participant.refine.go.deeper\":[\"Va plus profond\"],\"iWpEwy\":[\"Retour à l'accueil\"],\"A3oCMz\":[\"Aller à la nouvelle conversation\"],\"5gqNQl\":[\"Vue en grille\"],\"ZqBGoi\":[\"A des artefacts vérifiés\"],\"Yae+po\":[\"Aidez-nous à traduire\"],\"ng2Unt\":[\"Bonjour, \",[\"0\"]],\"D+zLDD\":[\"Masqué\"],\"G1UUQY\":[\"Pépite cachée\"],\"LqWHk1\":[\"Masquer \",[\"0\"]],\"u5xmYC\":[\"Tout masquer\"],\"txCbc+\":[\"Masquer toutes les perspectives\"],\"0lRdEo\":[\"Masquer les conversations sans contenu\"],\"eHo/Jc\":[\"Masquer les données\"],\"g4tIdF\":[\"Masquer les données de révision\"],\"i0qMbr\":[\"Accueil\"],\"LSCWlh\":[\"Comment décririez-vous à un collègue ce que vous essayez d'accomplir avec ce projet ?\\n* Quel est l'objectif principal ou la métrique clé\\n* À quoi ressemble le succès\"],\"participant.button.i.understand\":[\"Je comprends\"],\"WsoNdK\":[\"Identifiez et analysez les thèmes récurrents dans ce contenu. Veuillez:\\n\"],\"KbXMDK\":[\"Identifiez les thèmes, sujets et arguments récurrents qui apparaissent de manière cohérente dans les conversations. Analysez leur fréquence, intensité et cohérence. Sortie attendue: 3-7 aspects pour les petits ensembles de données, 5-12 pour les ensembles de données moyens, 8-15 pour les grands ensembles de données. Conseils de traitement: Concentrez-vous sur les motifs distincts qui apparaissent dans de multiples conversations.\"],\"participant.concrete.instructions.approve.artefact\":[\"Valide cet artefact si tout est bon pour toi.\"],\"QJUjB0\":[\"Pour mieux naviguer dans les citations, créez des vues supplémentaires. Les citations seront ensuite regroupées en fonction de votre vue.\"],\"IJUcvx\":[\"En attendant, si vous souhaitez analyser les conversations qui sont encore en cours de traitement, vous pouvez utiliser la fonction Chat\"],\"aOhF9L\":[\"Inclure le lien vers le portail dans le rapport\"],\"Dvf4+M\":[\"Inclure les horodatages\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Bibliothèque de perspectives\"],\"ZVY8fB\":[\"Perspective non trouvée\"],\"sJa5f4\":[\"perspectives\"],\"3hJypY\":[\"Perspectives\"],\"crUYYp\":[\"Code invalide. Veuillez en demander un nouveau.\"],\"jLr8VJ\":[\"Identifiants invalides.\"],\"aZ3JOU\":[\"Jeton invalide. Veuillez réessayer.\"],\"1xMiTU\":[\"Adresse IP\"],\"participant.conversation.error.deleted\":[\"Il semble que la conversation a été supprimée pendant que vous enregistriez. Nous avons arrêté l'enregistrement pour éviter tout problème. Vous pouvez en commencer une nouvelle à tout moment.\"],\"zT7nbS\":[\"Il semble que la conversation a été supprimée pendant que vous enregistriez. Nous avons arrêté l'enregistrement pour éviter tout problème. Vous pouvez en commencer une nouvelle à tout moment.\"],\"library.not.available.message\":[\"Il semble que la bibliothèque n'est pas disponible pour votre compte. Veuillez demander un accès pour débloquer cette fonctionnalité.\"],\"participant.concrete.artefact.error.description\":[\"Il semble que nous n'ayons pas pu charger cet artefact. Cela pourrait être un problème temporaire. Vous pouvez essayer de recharger ou revenir en arrière pour sélectionner un autre sujet.\"],\"MbKzYA\":[\"Il semble que plusieurs personnes parlent. Prendre des tours nous aidera à entendre tout le monde clairement.\"],\"Lj7sBL\":[\"Italien\"],\"clXffu\":[\"Rejoindre \",[\"0\"],\" sur Dembrane\"],\"uocCon\":[\"Un instant\"],\"OSBXx5\":[\"Juste maintenant\"],\"0ohX1R\":[\"Sécurisez l'accès avec un code à usage unique de votre application d'authentification. Activez ou désactivez l'authentification à deux facteurs pour ce compte.\"],\"vXIe7J\":[\"Langue\"],\"UXBCwc\":[\"Nom\"],\"0K/D0Q\":[\"Dernièrement enregistré le \",[\"0\"]],\"K7P0jz\":[\"Dernière mise à jour\"],\"PIhnIP\":[\"Laissez-nous savoir!\"],\"qhQjFF\":[\"Vérifions que nous pouvons vous entendre\"],\"exYcTF\":[\"Bibliothèque\"],\"library.title\":[\"Bibliothèque\"],\"T50lwc\":[\"Création de la bibliothèque en cours\"],\"yUQgLY\":[\"La bibliothèque est en cours de traitement\"],\"yzF66j\":[\"Lien\"],\"3gvJj+\":[\"Publication LinkedIn (Expérimental)\"],\"dF6vP6\":[\"Direct\"],\"participant.live.audio.level\":[\"Niveau audio en direct:\"],\"TkFXaN\":[\"Niveau audio en direct:\"],\"n9yU9X\":[\"Vue en direct\"],\"participant.concrete.instructions.loading\":[\"Chargement\"],\"yQE2r9\":[\"Chargement\"],\"yQ9yN3\":[\"Chargement des actions...\"],\"participant.concrete.loading.artefact\":[\"Chargement de l'artefact\"],\"JOvnq+\":[\"Chargement des journaux d'audit…\"],\"y+JWgj\":[\"Chargement des collections...\"],\"ATTcN8\":[\"Chargement des sujets concrets…\"],\"FUK4WT\":[\"Chargement des microphones...\"],\"H+bnrh\":[\"Chargement de la transcription...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"chargement...\"],\"Z3FXyt\":[\"Chargement...\"],\"Pwqkdw\":[\"Chargement…\"],\"z0t9bb\":[\"Connexion\"],\"zfB1KW\":[\"Connexion | Dembrane\"],\"Wd2LTk\":[\"Se connecter en tant qu'utilisateur existant\"],\"nOhz3x\":[\"Déconnexion\"],\"jWXlkr\":[\"Plus long en premier\"],\"dashboard.dembrane.concrete.title\":[\"Rends-le concret\"],\"participant.refine.make.concrete\":[\"Rends-le concret\"],\"JSxZVX\":[\"Marquer toutes comme lues\"],\"+s1J8k\":[\"Marquer comme lue\"],\"VxyuRJ\":[\"Notes de réunion\"],\"08d+3x\":[\"Messages de \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"L'accès au microphone est toujours refusé. Veuillez vérifier vos paramètres et réessayer.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Mode\"],\"zMx0gF\":[\"Plus de templates\"],\"QWdKwH\":[\"Déplacer\"],\"CyKTz9\":[\"Déplacer\"],\"wUTBdx\":[\"Déplacer vers un autre projet\"],\"Ksvwy+\":[\"Déplacer vers un projet\"],\"6YtxFj\":[\"Nom\"],\"e3/ja4\":[\"Nom A-Z\"],\"c5Xt89\":[\"Nom Z-A\"],\"isRobC\":[\"Nouveau\"],\"Wmq4bZ\":[\"Nom du nouveau conversation\"],\"library.new.conversations\":[\"De nouvelles conversations ont été ajoutées depuis la génération de la bibliothèque. Régénérez la bibliothèque pour les traiter.\"],\"P/+jkp\":[\"De nouvelles conversations ont été ajoutées depuis la génération de la bibliothèque. Régénérez la bibliothèque pour les traiter.\"],\"7vhWI8\":[\"Nouveau mot de passe\"],\"+VXUp8\":[\"Nouveau projet\"],\"+RfVvh\":[\"Plus récent en premier\"],\"participant.button.next\":[\"Suivant\"],\"participant.ready.to.begin.button.text\":[\"Prêt à commencer\"],\"participant.concrete.selection.button.next\":[\"Suivant\"],\"participant.concrete.instructions.button.next\":[\"Suivant\"],\"hXzOVo\":[\"Suivant\"],\"participant.button.finish.no.text.mode\":[\"Non\"],\"riwuXX\":[\"Aucune action trouvée\"],\"WsI5bo\":[\"Aucune annonce disponible\"],\"Em+3Ls\":[\"Aucun journal d'audit ne correspond aux filtres actuels.\"],\"project.sidebar.chat.empty.description\":[\"Aucune discussion trouvée. Commencez une discussion en utilisant le bouton \\\"Demander\\\".\"],\"YM6Wft\":[\"Aucune discussion trouvée. Commencez une discussion en utilisant le bouton \\\"Demander\\\".\"],\"Qqhl3R\":[\"Aucune collection trouvée\"],\"zMt5AM\":[\"Aucun sujet concret disponible.\"],\"zsslJv\":[\"Aucun contenu\"],\"1pZsdx\":[\"Aucune conversation disponible pour créer la bibliothèque\"],\"library.no.conversations\":[\"Aucune conversation disponible pour créer la bibliothèque\"],\"zM3DDm\":[\"Aucune conversation disponible pour créer la bibliothèque. Veuillez ajouter des conversations pour commencer.\"],\"EtMtH/\":[\"Aucune conversation trouvée.\"],\"BuikQT\":[\"Aucune conversation trouvée. Commencez une conversation en utilisant le lien d'invitation à participer depuis la <0><1>vue d'ensemble du projet.\"],\"meAa31\":[\"Aucune conversation\"],\"VInleh\":[\"Aucune perspective disponible. Générez des perspectives pour cette conversation en visitant<0><1> la bibliothèque du projet.\"],\"yTx6Up\":[\"Aucun terme clé ou nom propre n'a encore été ajouté. Ajoutez-en en utilisant le champ ci-dessus pour améliorer la précision de la transcription.\"],\"jfhDAK\":[\"Aucun nouveau feedback détecté encore. Veuillez continuer votre discussion et réessayer bientôt.\"],\"T3TyGx\":[\"Aucun projet trouvé \",[\"0\"]],\"y29l+b\":[\"Aucun projet trouvé pour ce terme de recherche\"],\"ghhtgM\":[\"Aucune citation disponible. Générez des citations pour cette conversation en visitant\"],\"yalI52\":[\"Aucune citation disponible. Générez des citations pour cette conversation en visitant<0><1> la bibliothèque du projet.\"],\"ctlSnm\":[\"Aucun rapport trouvé\"],\"EhV94J\":[\"Aucune ressource trouvée.\"],\"Ev2r9A\":[\"Aucun résultat\"],\"WRRjA9\":[\"Aucune étiquette trouvée\"],\"LcBe0w\":[\"Aucune étiquette n'a encore été ajoutée à ce projet. Ajoutez une étiquette en utilisant le champ de texte ci-dessus pour commencer.\"],\"bhqKwO\":[\"Aucune transcription disponible\"],\"TmTivZ\":[\"Aucune transcription disponible pour cette conversation.\"],\"vq+6l+\":[\"Aucune transcription n'existe pour cette conversation. Veuillez vérifier plus tard.\"],\"MPZkyF\":[\"Aucune transcription n'est sélectionnée pour cette conversation\"],\"AotzsU\":[\"Pas de tutoriel (uniquement les déclarations de confidentialité)\"],\"OdkUBk\":[\"Aucun fichier audio valide n'a été sélectionné. Veuillez sélectionner uniquement des fichiers audio (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"Aucun sujet de vérification n'est configuré pour ce projet.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Non disponible\"],\"cH5kXP\":[\"Maintenant\"],\"9+6THi\":[\"Plus ancien en premier\"],\"participant.concrete.instructions.revise.artefact\":[\"Une fois que tu as discuté, clique sur « réviser » pour voir \",[\"objectLabel\"],\" changer pour refléter ta discussion.\"],\"participant.concrete.instructions.read.aloud\":[\"Une fois que tu as reçu \",[\"objectLabel\"],\", lis-le à haute voix et partage à voix haute ce que tu souhaites changer, si besoin.\"],\"conversation.ongoing\":[\"En cours\"],\"J6n7sl\":[\"En cours\"],\"uTmEDj\":[\"Conversations en cours\"],\"QvvnWK\":[\"Seules les \",[\"0\"],\" conversations terminées \",[\"1\"],\" seront incluses dans le rapport en ce moment. \"],\"participant.alert.microphone.access.failure\":[\"Il semble que l'accès au microphone ait été refusé. Pas d'inquiétude ! Nous avons un guide de dépannage pratique pour vous. N'hésitez pas à le consulter. Une fois le problème résolu, revenez sur cette page pour vérifier si votre microphone est prêt.\"],\"J17dTs\":[\"Oups ! Il semble que l'accès au microphone ait été refusé. Pas d'inquiétude ! Nous avons un guide de dépannage pratique pour vous. N'hésitez pas à le consulter. Une fois le problème résolu, revenez sur cette page pour vérifier si votre microphone est prêt.\"],\"1TNIig\":[\"Ouvrir\"],\"NRLF9V\":[\"Ouvrir la documentation\"],\"2CyWv2\":[\"Ouvert à la participation ?\"],\"participant.button.open.troubleshooting.guide\":[\"Ouvrir le guide de dépannage\"],\"7yrRHk\":[\"Ouvrir le guide de dépannage\"],\"Hak8r6\":[\"Ouvrez votre application d'authentification et entrez le code actuel à six chiffres.\"],\"0zpgxV\":[\"Options\"],\"6/dCYd\":[\"Aperçu\"],\"/fAXQQ\":[\"Vue d’ensemble - Thèmes et patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Contenu de la page\"],\"8F1i42\":[\"Page non trouvée\"],\"6+Py7/\":[\"Titre de la page\"],\"v8fxDX\":[\"Participant\"],\"Uc9fP1\":[\"Fonctionnalités participant\"],\"y4n1fB\":[\"Les participants pourront sélectionner des étiquettes lors de la création de conversations\"],\"8ZsakT\":[\"Mot de passe\"],\"w3/J5c\":[\"Protéger le portail avec un mot de passe (demande de fonctionnalité)\"],\"lpIMne\":[\"Les mots de passe ne correspondent pas\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Mettre en pause la lecture\"],\"UbRKMZ\":[\"En attente\"],\"6v5aT9\":[\"Choisis l’approche qui correspond à ta question\"],\"participant.alert.microphone.access\":[\"Veuillez autoriser l'accès au microphone pour démarrer le test.\"],\"3flRk2\":[\"Veuillez autoriser l'accès au microphone pour démarrer le test.\"],\"SQSc5o\":[\"Veuillez vérifier plus tard ou contacter le propriétaire du projet pour plus d'informations.\"],\"T8REcf\":[\"Veuillez vérifier vos entrées pour les erreurs.\"],\"S6iyis\":[\"Veuillez ne fermer votre navigateur\"],\"n6oAnk\":[\"Veuillez activer la participation pour activer le partage\"],\"fwrPh4\":[\"Veuillez entrer une adresse e-mail valide.\"],\"iMWXJN\":[\"Veuillez garder cet écran allumé. (écran noir = pas d'enregistrement)\"],\"D90h1s\":[\"Veuillez vous connecter pour continuer.\"],\"mUGRqu\":[\"Veuillez fournir un résumé succinct des éléments suivants fournis dans le contexte.\"],\"ps5D2F\":[\"Veuillez enregistrer votre réponse en cliquant sur le bouton \\\"Enregistrer\\\" ci-dessous. Vous pouvez également choisir de répondre par texte en cliquant sur l'icône texte. \\n**Veuillez garder cet écran allumé** \\n(écran noir = pas d'enregistrement)\"],\"TsuUyf\":[\"Veuillez enregistrer votre réponse en cliquant sur le bouton \\\"Démarrer l'enregistrement\\\" ci-dessous. Vous pouvez également répondre en texte en cliquant sur l'icône texte.\"],\"4TVnP7\":[\"Veuillez sélectionner une langue pour votre rapport\"],\"N63lmJ\":[\"Veuillez sélectionner une langue pour votre rapport mis à jour\"],\"XvD4FK\":[\"Veuillez sélectionner au moins une source\"],\"hxTGLS\":[\"Sélectionne des conversations dans la barre latérale pour continuer\"],\"GXZvZ7\":[\"Veuillez attendre \",[\"timeStr\"],\" avant de demander un autre écho.\"],\"Am5V3+\":[\"Veuillez attendre \",[\"timeStr\"],\" avant de demander un autre Echo.\"],\"CE1Qet\":[\"Veuillez attendre \",[\"timeStr\"],\" avant de demander un autre ECHO.\"],\"Fx1kHS\":[\"Veuillez attendre \",[\"timeStr\"],\" avant de demander une autre réponse.\"],\"MgJuP2\":[\"Veuillez patienter pendant que nous générons votre rapport. Vous serez automatiquement redirigé vers la page du rapport.\"],\"library.processing.request\":[\"Bibliothèque en cours de traitement\"],\"04DMtb\":[\"Veuillez patienter pendant que nous traitons votre demande de retranscription. Vous serez redirigé vers la nouvelle conversation lorsque prêt.\"],\"ei5r44\":[\"Veuillez patienter pendant que nous mettons à jour votre rapport. Vous serez automatiquement redirigé vers la page du rapport.\"],\"j5KznP\":[\"Veuillez patienter pendant que nous vérifions votre adresse e-mail.\"],\"uRFMMc\":[\"Contenu du Portail\"],\"qVypVJ\":[\"Éditeur de Portail\"],\"g2UNkE\":[\"Propulsé par\"],\"MPWj35\":[\"Préparation de tes conversations... Ça peut prendre un moment.\"],\"/SM3Ws\":[\"Préparation de votre expérience\"],\"ANWB5x\":[\"Imprimer ce rapport\"],\"zwqetg\":[\"Déclarations de confidentialité\"],\"qAGp2O\":[\"Continuer\"],\"stk3Hv\":[\"traitement\"],\"vrnnn9\":[\"Traitement\"],\"kvs/6G\":[\"Le traitement de cette conversation a échoué. Cette conversation ne sera pas disponible pour l'analyse et le chat.\"],\"q11K6L\":[\"Le traitement de cette conversation a échoué. Cette conversation ne sera pas disponible pour l'analyse et le chat. Dernier statut connu : \",[\"0\"]],\"NQiPr4\":[\"Traitement de la transcription\"],\"48px15\":[\"Traitement de votre rapport...\"],\"gzGDMM\":[\"Traitement de votre demande de retranscription...\"],\"Hie0VV\":[\"Projet créé\"],\"xJMpjP\":[\"Bibliothèque de projet | Dembrane\"],\"OyIC0Q\":[\"Nom du projet\"],\"6Z2q2Y\":[\"Le nom du projet doit comporter au moins 4 caractères\"],\"n7JQEk\":[\"Projet introuvable\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Aperçu du projet | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Paramètres du projet\"],\"+0B+ue\":[\"Projets\"],\"Eb7xM7\":[\"Projets | Dembrane\"],\"JQVviE\":[\"Accueil des projets\"],\"nyEOdh\":[\"Fournissez un aperçu des sujets principaux et des thèmes récurrents\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publier\"],\"u3wRF+\":[\"Publié\"],\"E7YTYP\":[\"Récupère les citations les plus marquantes de cette session\"],\"eWLklq\":[\"Citations\"],\"wZxwNu\":[\"Lire à haute voix\"],\"participant.ready.to.begin\":[\"Prêt à commencer\"],\"ZKOO0I\":[\"Prêt à commencer ?\"],\"hpnYpo\":[\"Applications recommandées\"],\"participant.button.record\":[\"Enregistrer\"],\"w80YWM\":[\"Enregistrer\"],\"s4Sz7r\":[\"Enregistrer une autre conversation\"],\"participant.modal.pause.title\":[\"Enregistrement en pause\"],\"view.recreate.tooltip\":[\"Recréer la vue\"],\"view.recreate.modal.title\":[\"Recréer la vue\"],\"CqnkB0\":[\"Thèmes récurrents\"],\"9aloPG\":[\"Références\"],\"participant.button.refine\":[\"Refine\"],\"lCF0wC\":[\"Actualiser\"],\"ZMXpAp\":[\"Actualiser les journaux d'audit\"],\"844H5I\":[\"Régénérer la bibliothèque\"],\"bluvj0\":[\"Régénérer le résumé\"],\"participant.concrete.regenerating.artefact\":[\"Régénération de l'artefact\"],\"oYlYU+\":[\"Régénération du résumé. Patiente un peu...\"],\"wYz80B\":[\"S'enregistrer | Dembrane\"],\"w3qEvq\":[\"S'enregistrer en tant qu'utilisateur nouveau\"],\"7dZnmw\":[\"Pertinence\"],\"participant.button.reload.page.text.mode\":[\"Recharger la page\"],\"participant.button.reload\":[\"Recharger la page\"],\"participant.concrete.artefact.action.button.reload\":[\"Recharger la page\"],\"hTDMBB\":[\"Recharger la page\"],\"Kl7//J\":[\"Supprimer l'e-mail\"],\"cILfnJ\":[\"Supprimer le fichier\"],\"CJgPtd\":[\"Supprimer de cette conversation\"],\"project.sidebar.chat.rename\":[\"Renommer\"],\"2wxgft\":[\"Renommer\"],\"XyN13i\":[\"Prompt de réponse\"],\"gjpdaf\":[\"Rapport\"],\"Q3LOVJ\":[\"Signaler un problème\"],\"DUmD+q\":[\"Rapport créé - \",[\"0\"]],\"KFQLa2\":[\"La génération de rapports est actuellement en version bêta et limitée aux projets avec moins de 10 heures d'enregistrement.\"],\"hIQOLx\":[\"Notifications de rapports\"],\"lNo4U2\":[\"Rapport mis à jour - \",[\"0\"]],\"library.request.access\":[\"Demander l'accès\"],\"uLZGK+\":[\"Demander l'accès\"],\"dglEEO\":[\"Demander le Réinitialisation du Mot de Passe\"],\"u2Hh+Y\":[\"Demander le Réinitialisation du Mot de Passe | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Accès au microphone en cours...\"],\"MepchF\":[\"Demande d'accès au microphone pour détecter les appareils disponibles...\"],\"xeMrqw\":[\"Réinitialiser toutes les options\"],\"KbS2K9\":[\"Réinitialiser le Mot de Passe\"],\"UMMxwo\":[\"Réinitialiser le Mot de Passe | Dembrane\"],\"L+rMC9\":[\"Réinitialiser aux paramètres par défaut\"],\"s+MGs7\":[\"Ressources\"],\"participant.button.stop.resume\":[\"Reprendre\"],\"v39wLo\":[\"Reprendre\"],\"sVzC0H\":[\"Rétranscrire\"],\"ehyRtB\":[\"Rétranscrire la conversation\"],\"1JHQpP\":[\"Rétranscrire la conversation\"],\"MXwASV\":[\"La rétranscrire a commencé. La nouvelle conversation sera disponible bientôt.\"],\"6gRgw8\":[\"Réessayer\"],\"H1Pyjd\":[\"Réessayer le téléchargement\"],\"9VUzX4\":[\"Examinez l'activité de votre espace de travail. Filtrez par collection ou action, et exportez la vue actuelle pour une investigation plus approfondie.\"],\"UZVWVb\":[\"Examiner les fichiers avant le téléchargement\"],\"3lYF/Z\":[\"Examiner le statut de traitement pour chaque conversation collectée dans ce projet.\"],\"participant.concrete.action.button.revise\":[\"Réviser\"],\"OG3mVO\":[\"Révision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Lignes par page\"],\"participant.concrete.action.button.save\":[\"Enregistrer\"],\"tfDRzk\":[\"Enregistrer\"],\"2VA/7X\":[\"Erreur lors de l'enregistrement !\"],\"XvjC4F\":[\"Enregistrement...\"],\"nHeO/c\":[\"Scannez le code QR ou copiez le secret dans votre application.\"],\"oOi11l\":[\"Défiler vers le bas\"],\"A1taO8\":[\"Rechercher\"],\"OWm+8o\":[\"Rechercher des conversations\"],\"blFttG\":[\"Rechercher des projets\"],\"I0hU01\":[\"Rechercher des projets\"],\"RVZJWQ\":[\"Rechercher des projets...\"],\"lnWve4\":[\"Rechercher des tags\"],\"pECIKL\":[\"Rechercher des templates...\"],\"uSvNyU\":[\"Recherché parmi les sources les plus pertinentes\"],\"Wj2qJm\":[\"Recherche parmi les sources les plus pertinentes\"],\"Y1y+VB\":[\"Secret copié\"],\"Eyh9/O\":[\"Voir les détails du statut de la conversation\"],\"0sQPzI\":[\"À bientôt\"],\"1ZTiaz\":[\"Segments\"],\"H/diq7\":[\"Sélectionner un microphone\"],\"NK2YNj\":[\"Sélectionner les fichiers audio à télécharger\"],\"/3ntVG\":[\"Sélectionne des conversations et trouve des citations précises\"],\"LyHz7Q\":[\"Sélectionne des conversations dans la barre latérale\"],\"n4rh8x\":[\"Sélectionner un projet\"],\"ekUnNJ\":[\"Sélectionner les étiquettes\"],\"CG1cTZ\":[\"Sélectionnez les instructions qui seront affichées aux participants lorsqu'ils commencent une conversation\"],\"qxzrcD\":[\"Sélectionnez le type de retour ou de participation que vous souhaitez encourager.\"],\"QdpRMY\":[\"Sélectionner le tutoriel\"],\"dashboard.dembrane.concrete.topic.select\":[\"Sélectionnez les sujets que les participants peuvent utiliser pour « Rends-le concret ».\"],\"participant.select.microphone\":[\"Sélectionner votre microphone:\"],\"vKH1Ye\":[\"Sélectionner votre microphone:\"],\"gU5H9I\":[\"Fichiers sélectionnés (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Microphone sélectionné\"],\"JlFcis\":[\"Envoyer\"],\"VTmyvi\":[\"Sentiment\"],\"NprC8U\":[\"Nom de la Séance\"],\"DMl1JW\":[\"Configuration de votre premier projet\"],\"Tz0i8g\":[\"Paramètres\"],\"participant.settings.modal.title\":[\"Paramètres\"],\"PErdpz\":[\"Paramètres | Dembrane\"],\"Z8lGw6\":[\"Partager\"],\"/XNQag\":[\"Partager ce rapport\"],\"oX3zgA\":[\"Partager vos informations ici\"],\"Dc7GM4\":[\"Partager votre voix\"],\"swzLuF\":[\"Partager votre voix en scanant le code QR ci-dessous.\"],\"+tz9Ky\":[\"Plus court en premier\"],\"h8lzfw\":[\"Afficher \",[\"0\"]],\"lZw9AX\":[\"Afficher tout\"],\"w1eody\":[\"Afficher le lecteur audio\"],\"pzaNzD\":[\"Afficher les données\"],\"yrhNQG\":[\"Afficher la durée\"],\"Qc9KX+\":[\"Afficher les adresses IP\"],\"6lGV3K\":[\"Afficher moins\"],\"fMPkxb\":[\"Afficher plus\"],\"3bGwZS\":[\"Afficher les références\"],\"OV2iSn\":[\"Afficher les données de révision\"],\"3Sg56r\":[\"Afficher la chronologie dans le rapport (demande de fonctionnalité)\"],\"DLEIpN\":[\"Afficher les horodatages (expérimental)\"],\"Tqzrjk\":[\"Affichage de \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" sur \",[\"totalItems\"],\" entrées\"],\"dbWo0h\":[\"Se connecter avec Google\"],\"participant.mic.check.button.skip\":[\"Passer\"],\"6Uau97\":[\"Passer\"],\"lH0eLz\":[\"Passer la carte de confidentialité (L'hôte gère la consentement)\"],\"b6NHjr\":[\"Passer la carte de confidentialité (L'hôte gère la base légale)\"],\"4Q9po3\":[\"Certaines conversations sont encore en cours de traitement. La sélection automatique fonctionnera de manière optimale une fois le traitement audio terminé.\"],\"q+pJ6c\":[\"Certains fichiers ont déjà été sélectionnés et ne seront pas ajoutés deux fois.\"],\"nwtY4N\":[\"Une erreur s'est produite\"],\"participant.conversation.error.text.mode\":[\"Il semble que la conversation a été supprimée pendant que vous enregistriez. Nous avons arrêté l'enregistrement pour éviter tout problème. Vous pouvez en commencer une nouvelle à tout moment.\"],\"participant.conversation.error\":[\"Il semble que la conversation a été supprimée pendant que vous enregistriez. Nous avons arrêté l'enregistrement pour éviter tout problème. Vous pouvez en commencer une nouvelle à tout moment.\"],\"avSWtK\":[\"Une erreur s'est produite lors de l'exportation des journaux d'audit.\"],\"q9A2tm\":[\"Une erreur s'est produite lors de la génération du secret.\"],\"JOKTb4\":[\"Une erreur s'est produite lors de l'envoi du fichier : \",[\"0\"]],\"KeOwCj\":[\"Une erreur s'est produite avec la conversation. Veuillez réessayer ou contacter le support si le problème persiste\"],\"participant.go.deeper.generic.error.message\":[\"Une erreur s'est produite. Veuillez réessayer en appuyant sur le bouton Va plus profond, ou contactez le support si le problème persiste.\"],\"fWsBTs\":[\"Une erreur s'est produite. Veuillez réessayer.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Désolé, nous ne pouvons pas traiter cette demande en raison de la politique de contenu du fournisseur de LLM.\"],\"f6Hub0\":[\"Trier\"],\"/AhHDE\":[\"Source \",[\"0\"]],\"u7yVRn\":[\"Sources:\"],\"65A04M\":[\"Espagnol\"],\"zuoIYL\":[\"Orateur\"],\"z5/5iO\":[\"Contexte spécifique\"],\"mORM2E\":[\"Détails précis\"],\"Etejcu\":[\"Détails précis - Conversations sélectionnées\"],\"participant.button.start.new.conversation.text.mode\":[\"Commencer une nouvelle conversation\"],\"participant.button.start.new.conversation\":[\"Commencer une nouvelle conversation\"],\"c6FrMu\":[\"Commencer une nouvelle conversation\"],\"i88wdJ\":[\"Recommencer\"],\"pHVkqA\":[\"Démarrer l'enregistrement\"],\"uAQUqI\":[\"Statut\"],\"ygCKqB\":[\"Arrêter\"],\"participant.button.stop\":[\"Arrêter\"],\"kimwwT\":[\"Planification Stratégique\"],\"hQRttt\":[\"Soumettre\"],\"participant.button.submit.text.mode\":[\"Envoyer\"],\"0Pd4R1\":[\"Ingereed via tekstinput\"],\"zzDlyQ\":[\"Succès\"],\"bh1eKt\":[\"Suggéré:\"],\"F1nkJm\":[\"Résumer\"],\"4ZpfGe\":[\"Résume les principaux enseignements de mes entretiens\"],\"5Y4tAB\":[\"Résume cet entretien en un article partageable\"],\"dXoieq\":[\"Résumé\"],\"g6o+7L\":[\"Résumé généré.\"],\"kiOob5\":[\"Résumé non disponible pour le moment\"],\"OUi+O3\":[\"Résumé régénéré.\"],\"Pqa6KW\":[\"Le résumé sera disponible une fois la conversation transcrite.\"],\"6ZHOF8\":[\"Formats supportés: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Passer à la saisie de texte\"],\"D+NlUC\":[\"Système\"],\"OYHzN1\":[\"Étiquettes\"],\"nlxlmH\":[\"Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation.\"],\"eyu39U\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"participant.refine.make.concrete.description\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"QCchuT\":[\"Template appliqué\"],\"iTylMl\":[\"Modèles\"],\"xeiujy\":[\"Texte\"],\"CPN34F\":[\"Merci pour votre participation !\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Contenu de la page Merci\"],\"5KEkUQ\":[\"Merci ! Nous vous informerons lorsque le rapport sera prêt.\"],\"2yHHa6\":[\"Ce code n'a pas fonctionné. Réessayez avec un nouveau code de votre application d'authentification.\"],\"TQCE79\":[\"Le code n'a pas fonctionné, veuillez réessayer.\"],\"participant.conversation.error.loading.text.mode\":[\"La conversation n'a pas pu être chargée. Veuillez réessayer ou contacter le support.\"],\"participant.conversation.error.loading\":[\"La conversation n'a pas pu être chargée. Veuillez réessayer ou contacter le support.\"],\"nO942E\":[\"La conversation n'a pas pu être chargée. Veuillez réessayer ou contacter le support.\"],\"Jo19Pu\":[\"Les conversations suivantes ont été automatiquement ajoutées au contexte\"],\"Lngj9Y\":[\"Le Portail est le site web qui s'ouvre lorsque les participants scan le code QR.\"],\"bWqoQ6\":[\"la bibliothèque du projet.\"],\"hTCMdd\":[\"Le résumé est en cours de génération. Attends qu’il soit disponible.\"],\"+AT8nl\":[\"Le résumé est en cours de régénération. Attends qu’il soit disponible.\"],\"iV8+33\":[\"Le résumé est en cours de régénération. Veuillez patienter jusqu'à ce que le nouveau résumé soit disponible.\"],\"AgC2rn\":[\"Le résumé est en cours de régénération. Veuillez patienter jusqu'à 2 minutes pour que le nouveau résumé soit disponible.\"],\"PTNxDe\":[\"La transcription de cette conversation est en cours de traitement. Veuillez vérifier plus tard.\"],\"FEr96N\":[\"Thème\"],\"T8rsM6\":[\"Il y avait une erreur lors du clonage de votre projet. Veuillez réessayer ou contacter le support.\"],\"JDFjCg\":[\"Il y avait une erreur lors de la création de votre rapport. Veuillez réessayer ou contacter le support.\"],\"e3JUb8\":[\"Il y avait une erreur lors de la génération de votre rapport. En attendant, vous pouvez analyser tous vos données à l'aide de la bibliothèque ou sélectionner des conversations spécifiques pour discuter.\"],\"7qENSx\":[\"Il y avait une erreur lors de la mise à jour de votre rapport. Veuillez réessayer ou contacter le support.\"],\"V7zEnY\":[\"Il y avait une erreur lors de la vérification de votre e-mail. Veuillez réessayer.\"],\"gtlVJt\":[\"Voici quelques modèles prédéfinis pour vous aider à démarrer.\"],\"sd848K\":[\"Voici vos modèles de vue par défaut. Une fois que vous avez créé votre bibliothèque, ces deux vues seront vos premières.\"],\"8xYB4s\":[\"Ces modèles de vue par défaut seront générés lorsque vous créerez votre première bibliothèque.\"],\"Ed99mE\":[\"Réflexion en cours...\"],\"conversation.linked_conversations.description\":[\"Cette conversation a les copies suivantes :\"],\"conversation.linking_conversations.description\":[\"Cette conversation est une copie de\"],\"dt1MDy\":[\"Cette conversation est encore en cours de traitement. Elle sera disponible pour l'analyse et le chat sous peu.\"],\"5ZpZXq\":[\"Cette conversation est encore en cours de traitement. Elle sera disponible pour l'analyse et le chat sous peu. \"],\"SzU1mG\":[\"Cette e-mail est déjà dans la liste.\"],\"JtPxD5\":[\"Cette e-mail est déjà abonnée aux notifications.\"],\"participant.modal.refine.info.available.in\":[\"Cette fonctionnalité sera disponible dans \",[\"remainingTime\"],\" secondes.\"],\"QR7hjh\":[\"Cette est une vue en direct du portail du participant. Vous devrez actualiser la page pour voir les dernières modifications.\"],\"library.description\":[\"Bibliothèque\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"Cette est votre bibliothèque de projet. Actuellement,\",[\"0\"],\" conversations sont en attente d'être traitées.\"],\"tJL2Lh\":[\"Cette langue sera utilisée pour le Portail du participant et la transcription.\"],\"BAUPL8\":[\"Cette langue sera utilisée pour le Portail du participant et la transcription. Pour changer la langue de cette application, veuillez utiliser le sélecteur de langue dans les paramètres en haut à droite.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"Cette langue sera utilisée pour le Portail du participant.\"],\"9ww6ML\":[\"Cette page est affichée après que le participant ait terminé la conversation.\"],\"1gmHmj\":[\"Cette page est affichée aux participants lorsqu'ils commencent une conversation après avoir réussi à suivre le tutoriel.\"],\"bEbdFh\":[\"Cette bibliothèque de projet a été générée le\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"Cette prompt guide comment l'IA répond aux participants. Personnalisez-la pour former le type de feedback ou d'engagement que vous souhaitez encourager.\"],\"Yig29e\":[\"Ce rapport n'est pas encore disponible. \"],\"GQTpnY\":[\"Ce rapport a été ouvert par \",[\"0\"],\" personnes\"],\"okY/ix\":[\"Ce résumé est généré par l'IA et succinct, pour une analyse approfondie, utilisez le Chat ou la Bibliothèque.\"],\"hwyBn8\":[\"Ce titre est affiché aux participants lorsqu'ils commencent une conversation\"],\"Dj5ai3\":[\"Cela effacera votre entrée actuelle. Êtes-vous sûr ?\"],\"NrRH+W\":[\"Cela créera une copie du projet actuel. Seuls les paramètres et les étiquettes sont copiés. Les rapports, les chats et les conversations ne sont pas inclus dans le clonage. Vous serez redirigé vers le nouveau projet après le clonage.\"],\"hsNXnX\":[\"Cela créera une nouvelle conversation avec la même audio mais une transcription fraîche. La conversation d'origine restera inchangée.\"],\"participant.concrete.regenerating.artefact.description\":[\"Cela ne prendra que quelques instants\"],\"participant.concrete.loading.artefact.description\":[\"Cela ne prendra qu'un instant\"],\"n4l4/n\":[\"Cela remplacera les informations personnelles identifiables avec .\"],\"Ww6cQ8\":[\"Date de création\"],\"8TMaZI\":[\"Horodatage\"],\"rm2Cxd\":[\"Conseil\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"Pour assigner une nouvelle étiquette, veuillez la créer d'abord dans l'aperçu du projet.\"],\"o3rowT\":[\"Pour générer un rapport, veuillez commencer par ajouter des conversations dans votre projet\"],\"sFMBP5\":[\"Sujets\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcription en cours...\"],\"DDziIo\":[\"Transcription\"],\"hfpzKV\":[\"Transcription copiée dans le presse-papiers\"],\"AJc6ig\":[\"Transcription non disponible\"],\"N/50DC\":[\"Paramètres de transcription\"],\"FRje2T\":[\"Transcription en cours...\"],\"0l9syB\":[\"Transcription en cours…\"],\"H3fItl\":[\"Transformez ces transcriptions en une publication LinkedIn qui coupe le bruit. Veuillez :\\n\\nExtrayez les insights les plus captivants - sautez tout ce qui ressemble à des conseils commerciaux standard\\nÉcrivez-le comme un leader expérimenté qui défie les idées conventionnelles, pas un poster motivant\\nTrouvez une observation vraiment inattendue qui ferait même des professionnels expérimentés se poser\\nRestez profond et direct tout en étant rafraîchissant\\nUtilisez des points de données qui réellement contredisent les hypothèses\\nGardez le formatage propre et professionnel (peu d'emojis, espace pensée)\\nFaites un ton qui suggère à la fois une expertise profonde et une expérience pratique\\n\\nNote : Si le contenu ne contient aucun insight substantiel, veuillez me le signaler, nous avons besoin de matériel de source plus fort.\"],\"53dSNP\":[\"Transformez ce contenu en insights qui ont vraiment de l'importance. Veuillez :\\n\\nExtrayez les idées essentielles qui contredisent le pensée standard\\nÉcrivez comme quelqu'un qui comprend les nuances, pas un manuel\\nFocalisez-vous sur les implications non évidentes\\nRestez concentré et substantiel\\nOrganisez pour la clarté et la référence future\\nÉquilibrez les détails tactiques avec la vision stratégique\\n\\nNote : Si le contenu ne contient aucun insight substantiel, veuillez me le signaler, nous avons besoin de matériel de source plus fort.\"],\"uK9JLu\":[\"Transformez cette discussion en intelligence actionnable. Veuillez :\\nCapturez les implications stratégiques, pas seulement les points de vue\\nStructurez-le comme un analyse d'un leader, pas des minutes\\nSurmontez les points de vue standard\\nFocalisez-vous sur les insights qui conduisent à des changements réels\\nOrganisez pour la clarté et la référence future\\nÉquilibrez les détails tactiques avec la vision stratégique\\n\\nNote : Si la discussion manque de points de décision substantiels ou d'insights, veuillez le signaler pour une exploration plus approfondie la prochaine fois.\"],\"qJb6G2\":[\"Réessayer\"],\"eP1iDc\":[\"Tu peux demander\"],\"goQEqo\":[\"Essayez de vous rapprocher un peu plus de votre microphone pour une meilleure qualité audio.\"],\"EIU345\":[\"Authentification à deux facteurs\"],\"NwChk2\":[\"Authentification à deux facteurs désactivée\"],\"qwpE/S\":[\"Authentification à deux facteurs activée\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Tapez un message...\"],\"EvmL3X\":[\"Tapez votre réponse ici\"],\"participant.concrete.artefact.error.title\":[\"Impossible de charger l'artefact\"],\"MksxNf\":[\"Impossible de charger les journaux d'audit.\"],\"8vqTzl\":[\"Impossible de charger l'artefact généré. Veuillez réessayer.\"],\"nGxDbq\":[\"Impossible de traiter ce fragment\"],\"9uI/rE\":[\"Annuler\"],\"Ef7StM\":[\"Inconnu\"],\"H899Z+\":[\"annonce non lue\"],\"0pinHa\":[\"annonces non lues\"],\"sCTlv5\":[\"Modifications non enregistrées\"],\"SMaFdc\":[\"Se désabonner\"],\"jlrVDp\":[\"Conversation sans titre\"],\"EkH9pt\":[\"Mettre à jour\"],\"3RboBp\":[\"Mettre à jour le rapport\"],\"4loE8L\":[\"Mettre à jour le rapport pour inclure les données les plus récentes\"],\"Jv5s94\":[\"Mettre à jour votre rapport pour inclure les dernières modifications de votre projet. Le lien pour partager le rapport restera le même.\"],\"kwkhPe\":[\"Mettre à niveau\"],\"UkyAtj\":[\"Mettre à niveau pour débloquer la sélection automatique et analyser 10 fois plus de conversations en moitié du temps — plus de sélection manuelle, juste des insights plus profonds instantanément.\"],\"ONWvwQ\":[\"Télécharger\"],\"8XD6tj\":[\"Télécharger l'audio\"],\"kV3A2a\":[\"Téléchargement terminé\"],\"4Fr6DA\":[\"Télécharger des conversations\"],\"pZq3aX\":[\"Le téléchargement a échoué. Veuillez réessayer.\"],\"HAKBY9\":[\"Télécharger les fichiers\"],\"Wft2yh\":[\"Téléchargement en cours\"],\"JveaeL\":[\"Télécharger des ressources\"],\"3wG7HI\":[\"Téléchargé\"],\"k/LaWp\":[\"Téléchargement des fichiers audio...\"],\"VdaKZe\":[\"Utiliser les fonctionnalités expérimentales\"],\"rmMdgZ\":[\"Utiliser la rédaction PII\"],\"ngdRFH\":[\"Utilisez Shift + Entrée pour ajouter une nouvelle ligne\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Vérifié\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"artefacts vérifiés\"],\"4LFZoj\":[\"Vérifier le code\"],\"jpctdh\":[\"Vue\"],\"+fxiY8\":[\"Voir les détails de la conversation\"],\"H1e6Hv\":[\"Voir le statut de la conversation\"],\"SZw9tS\":[\"Voir les détails\"],\"D4e7re\":[\"Voir vos réponses\"],\"tzEbkt\":[\"Attendez \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Tu veux ajouter un template à « Dembrane » ?\"],\"bO5RNo\":[\"Voulez-vous ajouter un modèle à ECHO?\"],\"r6y+jM\":[\"Attention\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"Nous ne pouvons pas vous entendre. Veuillez essayer de changer de microphone ou de vous rapprocher un peu plus de l'appareil.\"],\"SrJOPD\":[\"Nous ne pouvons pas vous entendre. Veuillez essayer de changer de microphone ou de vous rapprocher un peu plus de l'appareil.\"],\"Ul0g2u\":[\"Nous n'avons pas pu désactiver l'authentification à deux facteurs. Réessayez avec un nouveau code.\"],\"sM2pBB\":[\"Nous n'avons pas pu activer l'authentification à deux facteurs. Vérifiez votre code et réessayez.\"],\"Ewk6kb\":[\"Nous n'avons pas pu charger l'audio. Veuillez réessayer plus tard.\"],\"xMeAeQ\":[\"Nous vous avons envoyé un e-mail avec les étapes suivantes. Si vous ne le voyez pas, vérifiez votre dossier de spam.\"],\"9qYWL7\":[\"Nous vous avons envoyé un e-mail avec les étapes suivantes. Si vous ne le voyez pas, vérifiez votre dossier de spam. Si vous ne le voyez toujours pas, veuillez contacter evelien@dembrane.com\"],\"3fS27S\":[\"Nous vous avons envoyé un e-mail avec les étapes suivantes. Si vous ne le voyez pas, vérifiez votre dossier de spam. Si vous ne le voyez toujours pas, veuillez contacter jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"Nous avons besoin d'un peu plus de contexte pour t'aider à affiner efficacement. Continue d'enregistrer pour que nous puissions formuler de meilleures suggestions.\"],\"dni8nq\":[\"Nous vous envoyerons un message uniquement si votre hôte génère un rapport, nous ne partageons jamais vos informations avec personne. Vous pouvez vous désinscrire à tout moment.\"],\"participant.test.microphone.description\":[\"Nous testerons votre microphone pour vous assurer la meilleure expérience pour tout le monde dans la session.\"],\"tQtKw5\":[\"Nous testerons votre microphone pour vous assurer la meilleure expérience pour tout le monde dans la session.\"],\"+eLc52\":[\"Nous entendons un peu de silence. Essayez de parler plus fort pour que votre voix soit claire.\"],\"6jfS51\":[\"Bienvenue\"],\"9eF5oV\":[\"Bon retour\"],\"i1hzzO\":[\"Bienvenue en mode Vue d’ensemble ! J’ai chargé les résumés de toutes tes conversations. Pose-moi des questions sur les tendances, thèmes et insights de tes données. Pour des citations exactes, démarre un nouveau chat en mode Contexte précis.\"],\"fwEAk/\":[\"Bienvenue sur Dembrane Chat ! Utilisez la barre latérale pour sélectionner les ressources et les conversations que vous souhaitez analyser. Ensuite, vous pouvez poser des questions sur les ressources et les conversations sélectionnées.\"],\"AKBU2w\":[\"Bienvenue sur Dembrane!\"],\"TACmoL\":[\"Bienvenue dans le mode Overview ! J’ai les résumés de toutes tes conversations. Pose-moi des questions sur les patterns, les thèmes et les insights dans tes données. Pour des citations exactes, démarre un nouveau chat en mode Deep Dive.\"],\"u4aLOz\":[\"Bienvenue en mode Vue d’ensemble ! J’ai chargé les résumés de toutes tes conversations. Pose-moi des questions sur les tendances, thèmes et insights de tes données. Pour des citations exactes, démarre un nouveau chat en mode Contexte précis.\"],\"Bck6Du\":[\"Bienvenue dans les rapports !\"],\"aEpQkt\":[\"Bienvenue sur votre Accueil! Ici, vous pouvez voir tous vos projets et accéder aux ressources de tutoriel. Actuellement, vous n'avez aucun projet. Cliquez sur \\\"Créer\\\" pour configurer pour commencer !\"],\"klH6ct\":[\"Bienvenue !\"],\"Tfxjl5\":[\"Quels sont les principaux thèmes de toutes les conversations ?\"],\"participant.concrete.selection.title\":[\"Qu'est-ce que tu veux rendre concret ?\"],\"fyMvis\":[\"Quelles tendances se dégagent des données ?\"],\"qGrqH9\":[\"Quels ont été les moments clés de cette conversation ?\"],\"FXZcgH\":[\"Qu’est-ce que tu veux explorer ?\"],\"KcnIXL\":[\"sera inclus dans votre rapport\"],\"participant.button.finish.yes.text.mode\":[\"Oui\"],\"kWJmRL\":[\"Vous\"],\"Dl7lP/\":[\"Vous êtes déjà désinscrit ou votre lien est invalide.\"],\"E71LBI\":[\"Vous ne pouvez télécharger que jusqu'à \",[\"MAX_FILES\"],\" fichiers à la fois. Seuls les premiers \",[\"0\"],\" fichiers seront ajoutés.\"],\"tbeb1Y\":[\"Vous pouvez toujours utiliser la fonction Dembrane Ask pour discuter avec n'importe quelle conversation\"],\"participant.modal.change.mic.confirmation.text\":[\"Vous avez changé votre microphone. Veuillez cliquer sur \\\"Continuer\\\", pour continuer la session.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"Vous avez été désinscrit avec succès.\"],\"lTDtES\":[\"Vous pouvez également choisir d'enregistrer une autre conversation.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"Vous devez vous connecter avec le même fournisseur que vous avez utilisé pour vous inscrire. Si vous rencontrez des problèmes, veuillez contacter le support.\"],\"snMcrk\":[\"Vous semblez être hors ligne, veuillez vérifier votre connexion internet\"],\"participant.concrete.instructions.receive.artefact\":[\"Tu recevras bientôt \",[\"objectLabel\"],\" pour les rendre concrets.\"],\"participant.concrete.instructions.approval.helps\":[\"Ton approbation nous aide à comprendre ce que tu penses vraiment !\"],\"Pw2f/0\":[\"Votre conversation est en cours de transcription. Veuillez vérifier plus tard.\"],\"OFDbfd\":[\"Vos conversations\"],\"aZHXuZ\":[\"Vos entrées seront automatiquement enregistrées.\"],\"PUWgP9\":[\"Votre bibliothèque est vide. Créez une bibliothèque pour voir vos premières perspectives.\"],\"B+9EHO\":[\"Votre réponse a été enregistrée. Vous pouvez maintenant fermer cette page.\"],\"wurHZF\":[\"Vos réponses\"],\"B8Q/i2\":[\"Votre vue a été créée. Veuillez patienter pendant que nous traitons et analysons les données.\"],\"library.views.title\":[\"Vos vues\"],\"lZNgiw\":[\"Vos vues\"],\"2wg92j\":[\"Conversations\"],\"hWszgU\":[\"La source a été supprimée\"],\"GSV2Xq\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"7qaVXm\":[\"Experimental\"],\"FclDDn\":[\"Dembrane Verify\"],\"Y/Fou9\":[\"Select which topics participants can use for verification.\"],\"qwmGiT\":[\"Contactez votre représentant commercial\"],\"ZWDkP4\":[\"Actuellement, \",[\"finishedConversationsCount\"],\" conversations sont prêtes à être analysées. \",[\"unfinishedConversationsCount\"],\" sont encore en cours de traitement.\"],\"/NTvqV\":[\"Bibliothèque non disponible\"],\"p18xrj\":[\"Bibliothèque régénérée\"],\"hOtk0x\":[\"Echo\"],\"JsSzzl\":[\"ECHO\"],\"SUkFIX\":[\"Pause\"],\"ilKuQo\":[\"Reprendre\"],\"SqNXSx\":[\"Non\"],\"yfZBOp\":[\"Oui\"],\"cic45J\":[\"Nous ne pouvons pas traiter cette requête en raison de la politique de contenu du fournisseur de LLM.\"],\"CvZqsN\":[\"Une erreur s'est produite. Veuillez réessayer en appuyant sur le bouton <0>ECHO, ou contacter le support si le problème persiste.\"],\"P+lUAg\":[\"Une erreur s'est produite. Veuillez réessayer.\"],\"hh87/E\":[\"\\\"Va plus profond\\\" Bientôt disponible\"],\"RMxlMe\":[\"\\\"Rends-le concret\\\" Bientôt disponible\"],\"7UJhVX\":[\"Êtes-vous sûr de vouloir terminer la conversation ?\"],\"RDsML8\":[\"Êtes-vous sûr de vouloir terminer la conversation ?\"],\"IaLTNH\":[\"Approve\"],\"+f3bIA\":[\"Cancel\"],\"qgx4CA\":[\"Revise\"],\"E+5M6v\":[\"Save\"],\"Q82shL\":[\"Go back\"],\"yOp5Yb\":[\"Reload Page\"],\"tw+Fbo\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"oTCD07\":[\"Unable to Load Artefact\"],\"QHbX3T\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"ECX5E0\":[\"Your approval helps us understand what you really think!\"],\"M5oorh\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"RZXkY+\":[\"Annuler\"],\"86aTqL\":[\"Next\"],\"pdifRH\":[\"Loading\"],\"Ep029+\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"fKeatI\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"8b+uSr\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"iodqGS\":[\"Loading artefact\"],\"NpZmZm\":[\"This will just take a moment\"],\"wklhqE\":[\"Regenerating the artefact\"],\"LYTXJp\":[\"This will just take a few moments\"],\"CjjC6j\":[\"Next\"],\"q885Ym\":[\"What do you want to verify?\"],\"AWBvkb\":[\"Fin de la liste • Toutes les \",[\"0\"],\" conversations chargées\"],\"llwJyZ\":[\"Nous n'avons pas pu désactiver l'authentification à deux facteurs. Réessayez avec un nouveau code.\"]}")as Messages; \ No newline at end of file diff --git a/echo/frontend/src/locales/it-IT.po b/echo/frontend/src/locales/it-IT.po index e3651923..5fbe69ec 100644 --- a/echo/frontend/src/locales/it-IT.po +++ b/echo/frontend/src/locales/it-IT.po @@ -345,7 +345,7 @@ msgstr "\"Refine\" available soon" #: src/routes/project/chat/ProjectChatRoute.tsx:559 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 -#: src/components/project/ProjectPortalEditor.tsx:432 +#: src/components/project/ProjectPortalEditor.tsx:433 #: src/components/chat/References.tsx:29 msgid "{0}" msgstr "{0}" @@ -447,7 +447,7 @@ msgstr "Add additional context (Optional)" msgid "Add all that apply" msgstr "Add all that apply" -#: src/components/project/ProjectPortalEditor.tsx:126 +#: src/components/project/ProjectPortalEditor.tsx:127 msgid "Add key terms or proper nouns to improve transcript quality and accuracy." msgstr "Add key terms or proper nouns to improve transcript quality and accuracy." @@ -475,7 +475,7 @@ msgstr "Added emails" msgid "Adding Context:" msgstr "Adding Context:" -#: src/components/project/ProjectPortalEditor.tsx:543 +#: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Advanced (Tips and best practices)" @@ -483,7 +483,7 @@ msgstr "Advanced (Tips and best practices)" #~ msgid "Advanced (Tips and tricks)" #~ msgstr "Advanced (Tips and tricks)" -#: src/components/project/ProjectPortalEditor.tsx:1053 +#: src/components/project/ProjectPortalEditor.tsx:1055 msgid "Advanced Settings" msgstr "Advanced Settings" @@ -585,7 +585,7 @@ msgid "participant.concrete.action.button.approve" msgstr "Approve" #. js-lingui-explicit-id -#: src/components/conversation/VerifiedArtefactsSection.tsx:113 +#: src/components/conversation/VerifiedArtefactsSection.tsx:114 msgid "conversation.verified.approved" msgstr "Approved" @@ -650,11 +650,11 @@ msgstr "Artefact revised successfully!" msgid "Artefact updated successfully!" msgstr "Artefact updated successfully!" -#: src/components/conversation/VerifiedArtefactsSection.tsx:92 +#: src/components/conversation/VerifiedArtefactsSection.tsx:93 msgid "artefacts" msgstr "artefacts" -#: src/components/conversation/VerifiedArtefactsSection.tsx:87 +#: src/components/conversation/VerifiedArtefactsSection.tsx:88 msgid "Artefacts" msgstr "Artefacts" @@ -662,11 +662,11 @@ msgstr "Artefacts" msgid "Ask" msgstr "Ask" -#: src/components/project/ProjectPortalEditor.tsx:480 +#: src/components/project/ProjectPortalEditor.tsx:482 msgid "Ask for Name?" msgstr "Ask for Name?" -#: src/components/project/ProjectPortalEditor.tsx:493 +#: src/components/project/ProjectPortalEditor.tsx:495 msgid "Ask participants to provide their name when they start a conversation" msgstr "Ask participants to provide their name when they start a conversation" @@ -688,7 +688,7 @@ msgstr "Aspects" #~ msgid "At least one topic must be selected to enable Dembrane Verify" #~ msgstr "At least one topic must be selected to enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:877 +#: src/components/project/ProjectPortalEditor.tsx:879 msgid "At least one topic must be selected to enable Make it concrete" msgstr "At least one topic must be selected to enable Make it concrete" @@ -753,12 +753,12 @@ msgid "Available" msgstr "Available" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:360 +#: src/components/participant/ParticipantOnboardingCards.tsx:385 msgid "participant.button.back.microphone" msgstr "Back" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:381 +#: src/components/participant/ParticipantOnboardingCards.tsx:406 #: src/components/layout/ParticipantHeader.tsx:67 msgid "participant.button.back" msgstr "Back" @@ -771,11 +771,11 @@ msgstr "Back" msgid "Back to Selection" msgstr "Back to Selection" -#: src/components/project/ProjectPortalEditor.tsx:539 +#: src/components/project/ProjectPortalEditor.tsx:541 msgid "Basic (Essential tutorial slides)" msgstr "Basic (Essential tutorial slides)" -#: src/components/project/ProjectPortalEditor.tsx:446 +#: src/components/project/ProjectPortalEditor.tsx:447 msgid "Basic Settings" msgstr "Basic Settings" @@ -792,8 +792,8 @@ msgid "Beta" msgstr "Beta" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:568 -#: src/components/project/ProjectPortalEditor.tsx:768 +#: src/components/project/ProjectPortalEditor.tsx:570 +#: src/components/project/ProjectPortalEditor.tsx:770 msgid "dashboard.dembrane.concrete.beta" msgstr "Beta" @@ -806,7 +806,7 @@ msgstr "Beta" #~ msgid "Big Picture - Themes & patterns" #~ msgstr "Big Picture - Themes & patterns" -#: src/components/project/ProjectPortalEditor.tsx:686 +#: src/components/project/ProjectPortalEditor.tsx:688 msgid "Brainstorm Ideas" msgstr "Brainstorm Ideas" @@ -852,7 +852,7 @@ msgstr "Cannot add empty conversation" msgid "Changes will be saved automatically" msgstr "Changes will be saved automatically" -#: src/components/language/LanguagePicker.tsx:71 +#: src/components/language/LanguagePicker.tsx:77 msgid "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" msgstr "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" @@ -937,7 +937,7 @@ msgstr "Compare & Contrast" msgid "Complete" msgstr "Complete" -#: src/components/project/ProjectPortalEditor.tsx:815 +#: src/components/project/ProjectPortalEditor.tsx:817 msgid "Concrete Topics" msgstr "Concrete Topics" @@ -993,7 +993,7 @@ msgid "Context added:" msgstr "Context added:" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:368 +#: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 msgid "participant.button.continue" msgstr "Continue" @@ -1066,7 +1066,7 @@ msgid "participant.refine.cooling.down" msgstr "Cooling down. Available in {0}" #: src/components/settings/TwoFactorSettingsCard.tsx:431 -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 #: src/components/conversation/CopyConversationTranscript.tsx:47 #: src/components/common/CopyRichTextIconButton.tsx:29 #: src/components/common/CopyIconButton.tsx:17 @@ -1078,7 +1078,7 @@ msgstr "Copied" msgid "Copy" msgstr "Copy" -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 msgid "Copy link" msgstr "Copy link" @@ -1151,7 +1151,7 @@ msgstr "Create View" msgid "Created on" msgstr "Created on" -#: src/components/project/ProjectPortalEditor.tsx:715 +#: src/components/project/ProjectPortalEditor.tsx:717 msgid "Custom" msgstr "Custom" @@ -1163,11 +1163,11 @@ msgstr "Custom Filename" #~ msgid "Danger Zone" #~ msgstr "Danger Zone" -#: src/components/project/ProjectPortalEditor.tsx:655 +#: src/components/project/ProjectPortalEditor.tsx:657 msgid "Default" msgstr "Default" -#: src/components/project/ProjectPortalEditor.tsx:535 +#: src/components/project/ProjectPortalEditor.tsx:537 msgid "Default - No tutorial (Only privacy statements)" msgstr "Default - No tutorial (Only privacy statements)" @@ -1261,7 +1261,7 @@ msgstr "Do you want to contribute to this project?" msgid "Do you want to stay in the loop?" msgstr "Do you want to stay in the loop?" -#: src/components/layout/Header.tsx:181 +#: src/components/layout/Header.tsx:182 msgid "Documentation" msgstr "Documentation" @@ -1301,7 +1301,7 @@ msgstr "Download Transcript Options" msgid "Drag audio files here or click to select files" msgstr "Drag audio files here or click to select files" -#: src/components/project/ProjectPortalEditor.tsx:464 +#: src/components/project/ProjectPortalEditor.tsx:465 msgid "Dutch" msgstr "Dutch" @@ -1399,24 +1399,24 @@ msgstr "Enable 2FA" #~ msgid "Enable Dembrane Verify" #~ msgstr "Enable Dembrane Verify" -#: src/components/project/ProjectPortalEditor.tsx:592 +#: src/components/project/ProjectPortalEditor.tsx:594 msgid "Enable Go deeper" msgstr "Enable Go deeper" -#: src/components/project/ProjectPortalEditor.tsx:792 +#: src/components/project/ProjectPortalEditor.tsx:794 msgid "Enable Make it concrete" msgstr "Enable Make it concrete" -#: src/components/project/ProjectPortalEditor.tsx:930 +#: src/components/project/ProjectPortalEditor.tsx:932 msgid "Enable Report Notifications" msgstr "Enable Report Notifications" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:775 +#: src/components/project/ProjectPortalEditor.tsx:777 msgid "dashboard.dembrane.concrete.description" msgstr "Enable this feature to allow participants to create and approve \"concrete objects\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with concrete objects and review them in the overview." -#: src/components/project/ProjectPortalEditor.tsx:914 +#: src/components/project/ProjectPortalEditor.tsx:916 msgid "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." msgstr "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." @@ -1432,7 +1432,7 @@ msgstr "Enable this feature to allow participants to receive notifications when #~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." #~ msgstr "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." -#: src/components/project/ProjectPortalEditor.tsx:575 +#: src/components/project/ProjectPortalEditor.tsx:577 msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." msgstr "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." @@ -1449,11 +1449,11 @@ msgstr "Enabled" #~ msgid "End of list • All {0} conversations loaded" #~ msgstr "End of list • All {0} conversations loaded" -#: src/components/project/ProjectPortalEditor.tsx:463 +#: src/components/project/ProjectPortalEditor.tsx:464 msgid "English" msgstr "English" -#: src/components/project/ProjectPortalEditor.tsx:133 +#: src/components/project/ProjectPortalEditor.tsx:134 msgid "Enter a key term or proper noun" msgstr "Enter a key term or proper noun" @@ -1613,7 +1613,7 @@ msgstr "Failed to enable Auto Select for this chat" msgid "Failed to finish conversation. Please try again." msgstr "Failed to finish conversation. Please try again." -#: src/components/participant/verify/VerifySelection.tsx:141 +#: src/components/participant/verify/VerifySelection.tsx:142 msgid "Failed to generate {label}. Please try again." msgstr "Failed to generate {label}. Please try again." @@ -1786,7 +1786,7 @@ msgstr "First Name" msgid "Forgot your password?" msgstr "Forgot your password?" -#: src/components/project/ProjectPortalEditor.tsx:467 +#: src/components/project/ProjectPortalEditor.tsx:468 msgid "French" msgstr "French" @@ -1810,7 +1810,7 @@ msgstr "Generate Summary" msgid "Generating the summary. Please wait..." msgstr "Generating the summary. Please wait..." -#: src/components/project/ProjectPortalEditor.tsx:465 +#: src/components/project/ProjectPortalEditor.tsx:466 msgid "German" msgstr "German" @@ -1836,7 +1836,7 @@ msgstr "Go back" msgid "participant.concrete.artefact.action.button.go.back" msgstr "Go back" -#: src/components/project/ProjectPortalEditor.tsx:564 +#: src/components/project/ProjectPortalEditor.tsx:566 msgid "Go deeper" msgstr "Go deeper" @@ -1861,8 +1861,12 @@ msgstr "Go to new conversation" msgid "Has verified artifacts" msgstr "Has verified artifacts" +#: src/components/layout/Header.tsx:194 +msgid "Help us translate" +msgstr "Help us translate" + #. placeholder {0}: user.first_name ?? "User" -#: src/components/layout/Header.tsx:159 +#: src/components/layout/Header.tsx:160 msgid "Hi, {0}" msgstr "Hi, {0}" @@ -1870,7 +1874,7 @@ msgstr "Hi, {0}" msgid "Hidden" msgstr "Hidden" -#: src/components/participant/verify/VerifySelection.tsx:113 +#: src/components/participant/verify/VerifySelection.tsx:114 msgid "Hidden gem" msgstr "Hidden gem" @@ -2027,8 +2031,12 @@ msgstr "It looks like we couldn't load this artefact. This might be a temporary msgid "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." msgstr "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." +#: src/components/project/ProjectPortalEditor.tsx:469 +msgid "Italian" +msgstr "Italiano" + #. placeholder {0}: project?.default_conversation_title ?? "the conversation" -#: src/components/project/ProjectQRCode.tsx:99 +#: src/components/project/ProjectQRCode.tsx:103 msgid "Join {0} on Dembrane" msgstr "Join {0} on Dembrane" @@ -2044,7 +2052,7 @@ msgstr "Just a moment" msgid "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." msgstr "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." -#: src/components/project/ProjectPortalEditor.tsx:456 +#: src/components/project/ProjectPortalEditor.tsx:457 msgid "Language" msgstr "Language" @@ -2112,7 +2120,7 @@ msgstr "Live audio level:" #~ msgid "Live audio level:" #~ msgstr "Live audio level:" -#: src/components/project/ProjectPortalEditor.tsx:1124 +#: src/components/project/ProjectPortalEditor.tsx:1126 msgid "Live Preview" msgstr "Live Preview" @@ -2142,7 +2150,7 @@ msgstr "Loading audit logs…" msgid "Loading collections..." msgstr "Loading collections..." -#: src/components/project/ProjectPortalEditor.tsx:831 +#: src/components/project/ProjectPortalEditor.tsx:833 msgid "Loading concrete topics…" msgstr "Loading concrete topics…" @@ -2168,7 +2176,7 @@ msgstr "loading..." msgid "Loading..." msgstr "Loading..." -#: src/components/participant/verify/VerifySelection.tsx:247 +#: src/components/participant/verify/VerifySelection.tsx:248 msgid "Loading…" msgstr "Loading…" @@ -2184,7 +2192,7 @@ msgstr "Login | Dembrane" msgid "Login as an existing user" msgstr "Login as an existing user" -#: src/components/layout/Header.tsx:191 +#: src/components/layout/Header.tsx:201 msgid "Logout" msgstr "Logout" @@ -2193,7 +2201,7 @@ msgid "Longest First" msgstr "Longest First" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:762 +#: src/components/project/ProjectPortalEditor.tsx:764 msgid "dashboard.dembrane.concrete.title" msgstr "Make it concrete" @@ -2228,7 +2236,7 @@ msgstr "Microphone access is still denied. Please check your settings and try ag #~ msgid "min" #~ msgstr "min" -#: src/components/project/ProjectPortalEditor.tsx:615 +#: src/components/project/ProjectPortalEditor.tsx:617 msgid "Mode" msgstr "Mode" @@ -2299,7 +2307,7 @@ msgid "Newest First" msgstr "Newest First" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:396 +#: src/components/participant/ParticipantOnboardingCards.tsx:421 msgid "participant.button.next" msgstr "Next" @@ -2309,7 +2317,7 @@ msgid "participant.ready.to.begin.button.text" msgstr "Next" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:249 +#: src/components/participant/verify/VerifySelection.tsx:250 msgid "participant.concrete.selection.button.next" msgstr "Next" @@ -2352,7 +2360,7 @@ msgstr "No chats found. Start a chat using the \"Ask\" button." msgid "No collections found" msgstr "No collections found" -#: src/components/project/ProjectPortalEditor.tsx:835 +#: src/components/project/ProjectPortalEditor.tsx:837 msgid "No concrete topics available." msgstr "No concrete topics available." @@ -2459,7 +2467,7 @@ msgstr "No transcript exists for this conversation yet. Please check back later. msgid "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." msgstr "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." -#: src/components/participant/verify/VerifySelection.tsx:211 +#: src/components/participant/verify/VerifySelection.tsx:212 msgid "No verification topics are configured for this project." msgstr "No verification topics are configured for this project." @@ -2560,7 +2568,7 @@ msgstr "Overview - Themes & patterns" #~ msgid "Page" #~ msgstr "Page" -#: src/components/project/ProjectPortalEditor.tsx:990 +#: src/components/project/ProjectPortalEditor.tsx:992 msgid "Page Content" msgstr "Page Content" @@ -2568,7 +2576,7 @@ msgstr "Page Content" msgid "Page not found" msgstr "Page not found" -#: src/components/project/ProjectPortalEditor.tsx:967 +#: src/components/project/ProjectPortalEditor.tsx:969 msgid "Page Title" msgstr "Page Title" @@ -2577,7 +2585,7 @@ msgstr "Page Title" msgid "Participant" msgstr "Participant" -#: src/components/project/ProjectPortalEditor.tsx:558 +#: src/components/project/ProjectPortalEditor.tsx:560 msgid "Participant Features" msgstr "Participant Features" @@ -2638,7 +2646,7 @@ msgstr "Please check your inputs for errors." #~ msgid "Please do not close your browser" #~ msgstr "Please do not close your browser" -#: src/components/project/ProjectQRCode.tsx:129 +#: src/components/project/ProjectQRCode.tsx:133 msgid "Please enable participation to enable sharing" msgstr "Please enable participation to enable sharing" @@ -2727,11 +2735,11 @@ msgstr "Please wait while we update your report. You will automatically be redir msgid "Please wait while we verify your email address." msgstr "Please wait while we verify your email address." -#: src/components/project/ProjectPortalEditor.tsx:957 +#: src/components/project/ProjectPortalEditor.tsx:959 msgid "Portal Content" msgstr "Portal Content" -#: src/components/project/ProjectPortalEditor.tsx:415 +#: src/components/project/ProjectPortalEditor.tsx:416 #: src/components/layout/ProjectOverviewLayout.tsx:43 msgid "Portal Editor" msgstr "Portal Editor" @@ -2868,7 +2876,7 @@ msgid "Read aloud" msgstr "Read aloud" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:259 +#: src/components/participant/ParticipantOnboardingCards.tsx:284 msgid "participant.ready.to.begin" msgstr "Ready to Begin?" @@ -2922,7 +2930,7 @@ msgstr "References" msgid "participant.button.refine" msgstr "Refine" -#: src/components/project/ProjectPortalEditor.tsx:1132 +#: src/components/project/ProjectPortalEditor.tsx:1134 msgid "Refresh" msgstr "Refresh" @@ -3000,7 +3008,7 @@ msgstr "Rename" #~ msgid "Rename" #~ msgstr "Rename" -#: src/components/project/ProjectPortalEditor.tsx:730 +#: src/components/project/ProjectPortalEditor.tsx:732 msgid "Reply Prompt" msgstr "Reply Prompt" @@ -3010,7 +3018,7 @@ msgstr "Reply Prompt" msgid "Report" msgstr "Report" -#: src/components/layout/Header.tsx:75 +#: src/components/layout/Header.tsx:76 msgid "Report an issue" msgstr "Report an issue" @@ -3023,7 +3031,7 @@ msgstr "Report Created - {0}" msgid "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." msgstr "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." -#: src/components/project/ProjectPortalEditor.tsx:911 +#: src/components/project/ProjectPortalEditor.tsx:913 msgid "Report Notifications" msgstr "Report Notifications" @@ -3209,7 +3217,7 @@ msgstr "Secret copied" #~ msgid "See conversation status details" #~ msgstr "See conversation status details" -#: src/components/layout/Header.tsx:105 +#: src/components/layout/Header.tsx:106 msgid "See you soon" msgstr "See you soon" @@ -3241,20 +3249,20 @@ msgstr "Select Project" msgid "Select tags" msgstr "Select tags" -#: src/components/project/ProjectPortalEditor.tsx:524 +#: src/components/project/ProjectPortalEditor.tsx:526 msgid "Select the instructions that will be shown to participants when they start a conversation" msgstr "Select the instructions that will be shown to participants when they start a conversation" -#: src/components/project/ProjectPortalEditor.tsx:620 +#: src/components/project/ProjectPortalEditor.tsx:622 msgid "Select the type of feedback or engagement you want to encourage." msgstr "Select the type of feedback or engagement you want to encourage." -#: src/components/project/ProjectPortalEditor.tsx:512 +#: src/components/project/ProjectPortalEditor.tsx:514 msgid "Select tutorial" msgstr "Select tutorial" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:824 +#: src/components/project/ProjectPortalEditor.tsx:826 msgid "dashboard.dembrane.concrete.topic.select" msgstr "Select which topics participants can use for \"Make it concrete\"." @@ -3297,7 +3305,7 @@ msgstr "Setting up your first project" #: src/routes/settings/UserSettingsRoute.tsx:39 #: src/components/layout/ParticipantHeader.tsx:93 #: src/components/layout/ParticipantHeader.tsx:94 -#: src/components/layout/Header.tsx:170 +#: src/components/layout/Header.tsx:171 msgid "Settings" msgstr "Settings" @@ -3310,7 +3318,7 @@ msgstr "Settings" msgid "Settings | Dembrane" msgstr "Settings | Dembrane" -#: src/components/project/ProjectQRCode.tsx:104 +#: src/components/project/ProjectQRCode.tsx:108 msgid "Share" msgstr "Share" @@ -3392,7 +3400,7 @@ msgstr "Showing {displayFrom}–{displayTo} of {totalItems} entries" #~ msgstr "Sign in with Google" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:281 +#: src/components/participant/ParticipantOnboardingCards.tsx:306 msgid "participant.mic.check.button.skip" msgstr "Skip" @@ -3404,7 +3412,7 @@ msgstr "Skip" #~ msgid "Skip data privacy slide (Host manages consent)" #~ msgstr "Skip data privacy slide (Host manages consent)" -#: src/components/project/ProjectPortalEditor.tsx:531 +#: src/components/project/ProjectPortalEditor.tsx:533 msgid "Skip data privacy slide (Host manages legal base)" msgstr "Skip data privacy slide (Host manages legal base)" @@ -3476,7 +3484,7 @@ msgstr "Source {0}" #~ msgid "Sources:" #~ msgstr "Sources:" -#: src/components/project/ProjectPortalEditor.tsx:466 +#: src/components/project/ProjectPortalEditor.tsx:467 msgid "Spanish" msgstr "Spanish" @@ -3484,7 +3492,7 @@ msgstr "Spanish" #~ msgid "Speaker" #~ msgstr "Speaker" -#: src/components/project/ProjectPortalEditor.tsx:124 +#: src/components/project/ProjectPortalEditor.tsx:125 msgid "Specific Context" msgstr "Specific Context" @@ -3646,7 +3654,7 @@ msgstr "Thank you for participating!" #~ msgid "Thank You Page" #~ msgstr "Thank You Page" -#: src/components/project/ProjectPortalEditor.tsx:1020 +#: src/components/project/ProjectPortalEditor.tsx:1022 msgid "Thank You Page Content" msgstr "Thank You Page Content" @@ -3783,7 +3791,7 @@ msgstr "This email is already in the list." msgid "participant.modal.refine.info.available.in" msgstr "This feature will be available in {remainingTime} seconds." -#: src/components/project/ProjectPortalEditor.tsx:1136 +#: src/components/project/ProjectPortalEditor.tsx:1138 msgid "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." msgstr "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." @@ -3812,15 +3820,15 @@ msgstr "This is your project library. Create views to analyse your entire projec #~ msgid "This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead." #~ msgstr "This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead." -#: src/components/project/ProjectPortalEditor.tsx:461 +#: src/components/project/ProjectPortalEditor.tsx:462 msgid "This language will be used for the Participant's Portal." msgstr "This language will be used for the Participant's Portal." -#: src/components/project/ProjectPortalEditor.tsx:1030 +#: src/components/project/ProjectPortalEditor.tsx:1032 msgid "This page is shown after the participant has completed the conversation." msgstr "This page is shown after the participant has completed the conversation." -#: src/components/project/ProjectPortalEditor.tsx:1000 +#: src/components/project/ProjectPortalEditor.tsx:1002 msgid "This page is shown to participants when they start a conversation after they successfully complete the tutorial." msgstr "This page is shown to participants when they start a conversation after they successfully complete the tutorial." @@ -3832,7 +3840,7 @@ msgstr "This page is shown to participants when they start a conversation after #~ msgid "This project library was generated on {0}." #~ msgstr "This project library was generated on {0}." -#: src/components/project/ProjectPortalEditor.tsx:741 +#: src/components/project/ProjectPortalEditor.tsx:743 msgid "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." msgstr "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." @@ -3849,7 +3857,7 @@ msgstr "This report was opened by {0} people" #~ msgid "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." #~ msgstr "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." -#: src/components/project/ProjectPortalEditor.tsx:978 +#: src/components/project/ProjectPortalEditor.tsx:980 msgid "This title is shown to participants when they start a conversation" msgstr "This title is shown to participants when they start a conversation" @@ -4351,7 +4359,7 @@ msgid "What are the main themes across all conversations?" msgstr "What are the main themes across all conversations?" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:195 +#: src/components/participant/verify/VerifySelection.tsx:196 msgid "participant.concrete.selection.title" msgstr "What do you want to make concrete?" diff --git a/echo/frontend/src/locales/it-IT.ts b/echo/frontend/src/locales/it-IT.ts index 9a2d01ea..1477446a 100644 --- a/echo/frontend/src/locales/it-IT.ts +++ b/echo/frontend/src/locales/it-IT.ts @@ -1 +1 @@ -/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"You are not authenticated\"],\"You don't have permission to access this.\":[\"You don't have permission to access this.\"],\"Resource not found\":[\"Resource not found\"],\"Server error\":[\"Server error\"],\"Something went wrong\":[\"Something went wrong\"],\"We're preparing your workspace.\":[\"We're preparing your workspace.\"],\"Preparing your dashboard\":[\"Preparing your dashboard\"],\"Welcome back\":[\"Welcome back\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"Beta\"],\"participant.button.go.deeper\":[\"Go deeper\"],\"participant.button.make.concrete\":[\"Make it concrete\"],\"library.generate.duration.message\":[\" Generating library can take up to an hour.\"],\"uDvV8j\":[\" Submit\"],\"aMNEbK\":[\" Unsubscribe from Notifications\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.concrete\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refine\\\" available soon\"],\"2NWk7n\":[\"(for enhanced audio processing)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" ready\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Edited \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" selected\"],\"P1pDS8\":[[\"diffInDays\"],\"d ago\"],\"bT6AxW\":[[\"diffInHours\"],\"h ago\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Currently \",\"#\",\" conversation is ready to be analyzed.\"],\"other\":[\"Currently \",\"#\",\" conversations are ready to be analyzed.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"TVD5At\":[[\"readingNow\"],\" reading now\"],\"U7Iesw\":[[\"seconds\"],\" seconds\"],\"library.conversations.still.processing\":[[\"unfinishedConversationsCount\"],\" still processing.\"],\"ZpJ0wx\":[\"*Transcription in progress.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wait \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Account password\"],\"L5gswt\":[\"Action By\"],\"UQXw0W\":[\"Action On\"],\"7L01XJ\":[\"Actions\"],\"m16xKo\":[\"Add\"],\"1m+3Z3\":[\"Add additional context (Optional)\"],\"Se1KZw\":[\"Add all that apply\"],\"1xDwr8\":[\"Add key terms or proper nouns to improve transcript quality and accuracy.\"],\"ndpRPm\":[\"Add new recordings to this project. Files you upload here will be processed and appear in conversations.\"],\"Ralayn\":[\"Add Tag\"],\"IKoyMv\":[\"Add Tags\"],\"NffMsn\":[\"Add to this chat\"],\"Na90E+\":[\"Added emails\"],\"SJCAsQ\":[\"Adding Context:\"],\"OaKXud\":[\"Advanced (Tips and best practices)\"],\"TBpbDp\":[\"Advanced (Tips and tricks)\"],\"JiIKww\":[\"Advanced Settings\"],\"cF7bEt\":[\"All actions\"],\"O1367B\":[\"All collections\"],\"Cmt62w\":[\"All conversations ready\"],\"u/fl/S\":[\"All files were uploaded successfully.\"],\"baQJ1t\":[\"All Insights\"],\"3goDnD\":[\"Allow participants using the link to start new conversations\"],\"bruUug\":[\"Almost there\"],\"H7cfSV\":[\"Already added to this chat\"],\"jIoHDG\":[\"An email notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"G54oFr\":[\"An email Notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"8q/YVi\":[\"An error occurred while loading the Portal. Please contact the support team.\"],\"XyOToQ\":[\"An error occurred.\"],\"QX6zrA\":[\"Analysis\"],\"F4cOH1\":[\"Analysis Language\"],\"1x2m6d\":[\"Analyze these elements with depth and nuance. Please:\\n\\nFocus on unexpected connections and contrasts\\nGo beyond obvious surface-level comparisons\\nIdentify hidden patterns that most analyses miss\\nMaintain analytical rigor while being engaging\\nUse examples that illuminate deeper principles\\nStructure the analysis to build understanding\\nDraw insights that challenge conventional wisdom\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"Dzr23X\":[\"Announcements\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Approve\"],\"conversation.verified.approved\":[\"Approved\"],\"Q5Z2wp\":[\"Are you sure you want to delete this conversation? This action cannot be undone.\"],\"kWiPAC\":[\"Are you sure you want to delete this project?\"],\"YF1Re1\":[\"Are you sure you want to delete this project? This action cannot be undone.\"],\"B8ymes\":[\"Are you sure you want to delete this recording?\"],\"G2gLnJ\":[\"Are you sure you want to delete this tag?\"],\"aUsm4A\":[\"Are you sure you want to delete this tag? This will remove the tag from existing conversations that contain it.\"],\"participant.modal.finish.message.text.mode\":[\"Are you sure you want to finish the conversation?\"],\"xu5cdS\":[\"Are you sure you want to finish?\"],\"sOql0x\":[\"Are you sure you want to generate the library? This will take a while and overwrite your current views and insights.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Are you sure you want to regenerate the summary? You will lose the current summary.\"],\"JHgUuT\":[\"Artefact approved successfully!\"],\"IbpaM+\":[\"Artefact reloaded successfully!\"],\"Qcm/Tb\":[\"Artefact revised successfully!\"],\"uCzCO2\":[\"Artefact updated successfully!\"],\"KYehbE\":[\"artefacts\"],\"jrcxHy\":[\"Artefacts\"],\"F+vBv0\":[\"Ask\"],\"Rjlwvz\":[\"Ask for Name?\"],\"5gQcdD\":[\"Ask participants to provide their name when they start a conversation\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspects\"],\"kskjVK\":[\"Assistant is typing...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"At least one topic must be selected to enable Make it concrete\"],\"DMBYlw\":[\"Audio Processing In Progress\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Audio recordings are scheduled to be deleted after 30 days from the recording date\"],\"IOBCIN\":[\"Audio Tip\"],\"y2W2Hg\":[\"Audit logs\"],\"aL1eBt\":[\"Audit logs exported to CSV\"],\"mS51hl\":[\"Audit logs exported to JSON\"],\"z8CQX2\":[\"Authenticator code\"],\"/iCiQU\":[\"Auto-select\"],\"3D5FPO\":[\"Auto-select disabled\"],\"ajAMbT\":[\"Auto-select enabled\"],\"jEqKwR\":[\"Auto-select sources to add to the chat\"],\"vtUY0q\":[\"Automatically includes relevant conversations for analysis without manual selection\"],\"csDS2L\":[\"Available\"],\"participant.button.back.microphone\":[\"Back\"],\"participant.button.back\":[\"Back\"],\"iH8pgl\":[\"Back\"],\"/9nVLo\":[\"Back to Selection\"],\"wVO5q4\":[\"Basic (Essential tutorial slides)\"],\"epXTwc\":[\"Basic Settings\"],\"GML8s7\":[\"Begin!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture - Themes & patterns\"],\"YgG3yv\":[\"Brainstorm Ideas\"],\"ba5GvN\":[\"By deleting this project, you will delete all the data associated with it. This action cannot be undone. Are you ABSOLUTELY sure you want to delete this project?\"],\"dEgA5A\":[\"Cancel\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Cancel\"],\"participant.concrete.action.button.cancel\":[\"Cancel\"],\"participant.concrete.instructions.button.cancel\":[\"Cancel\"],\"RKD99R\":[\"Cannot add empty conversation\"],\"JFFJDJ\":[\"Changes are saved automatically as you continue to use the app. <0/>Once you have some unsaved changes, you can click anywhere to save the changes. <1/>You will also see a button to Cancel the changes.\"],\"u0IJto\":[\"Changes will be saved automatically\"],\"xF/jsW\":[\"Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Check microphone access\"],\"+e4Yxz\":[\"Check microphone access\"],\"v4fiSg\":[\"Check your email\"],\"pWT04I\":[\"Checking...\"],\"DakUDF\":[\"Choose your preferred theme for the interface\"],\"0ngaDi\":[\"Citing the following sources\"],\"B2pdef\":[\"Click \\\"Upload Files\\\" when you're ready to start the upload process.\"],\"BPrdpc\":[\"Clone project\"],\"9U86tL\":[\"Clone Project\"],\"yz7wBu\":[\"Close\"],\"q+hNag\":[\"Collection\"],\"Wqc3zS\":[\"Compare & Contrast\"],\"jlZul5\":[\"Compare and contrast the following items provided in the context.\"],\"bD8I7O\":[\"Complete\"],\"6jBoE4\":[\"Concrete Topics\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Confirm\"],\"yjkELF\":[\"Confirm New Password\"],\"p2/GCq\":[\"Confirm Password\"],\"puQ8+/\":[\"Confirm Publishing\"],\"L0k594\":[\"Confirm your password to generate a new secret for your authenticator app.\"],\"JhzMcO\":[\"Connecting to report services...\"],\"wX/BfX\":[\"Connection healthy\"],\"WimHuY\":[\"Connection unhealthy\"],\"DFFB2t\":[\"Contact sales\"],\"VlCTbs\":[\"Contact your sales representative to activate this feature today!\"],\"M73whl\":[\"Context\"],\"VHSco4\":[\"Context added:\"],\"participant.button.continue\":[\"Continue\"],\"xGVfLh\":[\"Continue\"],\"F1pfAy\":[\"conversation\"],\"EiHu8M\":[\"Conversation added to chat\"],\"ggJDqH\":[\"Conversation Audio\"],\"participant.conversation.ended\":[\"Conversation Ended\"],\"BsHMTb\":[\"Conversation Ended\"],\"26Wuwb\":[\"Conversation processing\"],\"OtdHFE\":[\"Conversation removed from chat\"],\"zTKMNm\":[\"Conversation Status\"],\"Rdt7Iv\":[\"Conversation Status Details\"],\"a7zH70\":[\"conversations\"],\"EnJuK0\":[\"Conversations\"],\"TQ8ecW\":[\"Conversations from QR Code\"],\"nmB3V3\":[\"Conversations from Upload\"],\"participant.refine.cooling.down\":[\"Cooling down. Available in \",[\"0\"]],\"6V3Ea3\":[\"Copied\"],\"he3ygx\":[\"Copy\"],\"y1eoq1\":[\"Copy link\"],\"Dj+aS5\":[\"Copy link to share this report\"],\"vAkFou\":[\"Copy secret\"],\"v3StFl\":[\"Copy Summary\"],\"/4gGIX\":[\"Copy to clipboard\"],\"rG2gDo\":[\"Copy transcript\"],\"OvEjsP\":[\"Copying...\"],\"hYgDIe\":[\"Create\"],\"CSQPC0\":[\"Create an Account\"],\"library.create\":[\"Create Library\"],\"O671Oh\":[\"Create Library\"],\"library.create.view.modal.title\":[\"Create new view\"],\"vY2Gfm\":[\"Create new view\"],\"bsfMt3\":[\"Create Report\"],\"library.create.view\":[\"Create View\"],\"3D0MXY\":[\"Create View\"],\"45O6zJ\":[\"Created on\"],\"8Tg/JR\":[\"Custom\"],\"o1nIYK\":[\"Custom Filename\"],\"ZQKLI1\":[\"Danger Zone\"],\"ovBPCi\":[\"Default\"],\"ucTqrC\":[\"Default - No tutorial (Only privacy statements)\"],\"project.sidebar.chat.delete\":[\"Delete\"],\"cnGeoo\":[\"Delete\"],\"2DzmAq\":[\"Delete Conversation\"],\"++iDlT\":[\"Delete Project\"],\"+m7PfT\":[\"Deleted successfully\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane is powered by AI. Please double-check responses.\"],\"67znul\":[\"Dembrane Reply\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Develop a strategic framework that drives meaningful outcomes. Please:\\n\\nIdentify core objectives and their interdependencies\\nMap out implementation pathways with realistic timelines\\nAnticipate potential obstacles and mitigation strategies\\nDefine clear metrics for success beyond vanity indicators\\nHighlight resource requirements and allocation priorities\\nStructure the plan for both immediate action and long-term vision\\nInclude decision gates and pivot points\\n\\nNote: Focus on strategies that create sustainable competitive advantages, not just incremental improvements.\"],\"qERl58\":[\"Disable 2FA\"],\"yrMawf\":[\"Disable two-factor authentication\"],\"E/QGRL\":[\"Disabled\"],\"LnL5p2\":[\"Do you want to contribute to this project?\"],\"JeOjN4\":[\"Do you want to stay in the loop?\"],\"TvY/XA\":[\"Documentation\"],\"mzI/c+\":[\"Download\"],\"5YVf7S\":[\"Download all conversation transcripts generated for this project.\"],\"5154Ap\":[\"Download All Transcripts\"],\"8fQs2Z\":[\"Download as\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Download Audio\"],\"+bBcKo\":[\"Download transcript\"],\"5XW2u5\":[\"Download Transcript Options\"],\"hUO5BY\":[\"Drag audio files here or click to select files\"],\"KIjvtr\":[\"Dutch\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo is powered by AI. Please double-check responses.\"],\"o6tfKZ\":[\"ECHO is powered by AI. Please double-check responses.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Edit Conversation\"],\"/8fAkm\":[\"Edit file name\"],\"G2KpGE\":[\"Edit Project\"],\"DdevVt\":[\"Edit Report Content\"],\"0YvCPC\":[\"Edit Resource\"],\"report.editor.description\":[\"Edit the report content using the rich text editor below. You can format text, add links, images, and more.\"],\"F6H6Lg\":[\"Editing mode\"],\"O3oNi5\":[\"Email\"],\"wwiTff\":[\"Email Verification\"],\"Ih5qq/\":[\"Email Verification | Dembrane\"],\"iF3AC2\":[\"Email verified successfully. You will be redirected to the login page in 5 seconds. If you are not redirected, please click <0>here.\"],\"g2N9MJ\":[\"email@work.com\"],\"N2S1rs\":[\"Empty\"],\"DCRKbe\":[\"Enable 2FA\"],\"ycR/52\":[\"Enable Dembrane Echo\"],\"mKGCnZ\":[\"Enable Dembrane ECHO\"],\"Dh2kHP\":[\"Enable Dembrane Reply\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Enable Go deeper\"],\"wGA7d4\":[\"Enable Make it concrete\"],\"G3dSLc\":[\"Enable Report Notifications\"],\"dashboard.dembrane.concrete.description\":[\"Enable this feature to allow participants to create and approve \\\"concrete objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with concrete objects and review them in the overview.\"],\"Idlt6y\":[\"Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed.\"],\"g2qGhy\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Echo\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"pB03mG\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"ECHO\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"dWv3hs\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Get Reply\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"rkE6uN\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Go deeper\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"329BBO\":[\"Enable two-factor authentication\"],\"RxzN1M\":[\"Enabled\"],\"IxzwiB\":[\"End of list • All \",[\"0\"],\" conversations loaded\"],\"lYGfRP\":[\"English\"],\"GboWYL\":[\"Enter a key term or proper noun\"],\"TSHJTb\":[\"Enter a name for the new conversation\"],\"KovX5R\":[\"Enter a name for your cloned project\"],\"34YqUw\":[\"Enter a valid code to turn off two-factor authentication.\"],\"2FPsPl\":[\"Enter filename (without extension)\"],\"vT+QoP\":[\"Enter new name for the chat:\"],\"oIn7d4\":[\"Enter the 6-digit code from your authenticator app.\"],\"q1OmsR\":[\"Enter the current six-digit code from your authenticator app.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Enter your password\"],\"42tLXR\":[\"Enter your query\"],\"SlfejT\":[\"Error\"],\"Ne0Dr1\":[\"Error cloning project\"],\"AEkJ6x\":[\"Error creating report\"],\"S2MVUN\":[\"Error loading announcements\"],\"xcUDac\":[\"Error loading insights\"],\"edh3aY\":[\"Error loading project\"],\"3Uoj83\":[\"Error loading quotes\"],\"z05QRC\":[\"Error updating report\"],\"hmk+3M\":[\"Error uploading \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Everything looks good – you can continue.\"],\"/PykH1\":[\"Everything looks good – you can continue.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimental\"],\"/bsogT\":[\"Explore themes & patterns across all conversations\"],\"sAod0Q\":[\"Exploring \",[\"conversationCount\"],\" conversations\"],\"GS+Mus\":[\"Export\"],\"7Bj3x9\":[\"Failed\"],\"bh2Vob\":[\"Failed to add conversation to chat\"],\"ajvYcJ\":[\"Failed to add conversation to chat\",[\"0\"]],\"9GMUFh\":[\"Failed to approve artefact. Please try again.\"],\"RBpcoc\":[\"Failed to copy chat. Please try again.\"],\"uvu6eC\":[\"Failed to copy transcript. Please try again.\"],\"BVzTya\":[\"Failed to delete response\"],\"p+a077\":[\"Failed to disable Auto Select for this chat\"],\"iS9Cfc\":[\"Failed to enable Auto Select for this chat\"],\"Gu9mXj\":[\"Failed to finish conversation. Please try again.\"],\"vx5bTP\":[\"Failed to generate \",[\"label\"],\". Please try again.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Failed to generate the summary. Please try again later.\"],\"DKxr+e\":[\"Failed to get announcements\"],\"TSt/Iq\":[\"Failed to get the latest announcement\"],\"D4Bwkb\":[\"Failed to get unread announcements count\"],\"AXRzV1\":[\"Failed to load audio or the audio is not available\"],\"T7KYJY\":[\"Failed to mark all announcements as read\"],\"eGHX/x\":[\"Failed to mark announcement as read\"],\"SVtMXb\":[\"Failed to regenerate the summary. Please try again later.\"],\"h49o9M\":[\"Failed to reload. Please try again.\"],\"kE1PiG\":[\"Failed to remove conversation from chat\"],\"+piK6h\":[\"Failed to remove conversation from chat\",[\"0\"]],\"SmP70M\":[\"Failed to retranscribe conversation. Please try again.\"],\"hhLiKu\":[\"Failed to revise artefact. Please try again.\"],\"wMEdO3\":[\"Failed to stop recording on device change. Please try again.\"],\"wH6wcG\":[\"Failed to verify email status. Please try again.\"],\"participant.modal.refine.info.title\":[\"Feature available soon\"],\"87gcCP\":[\"File \\\"\",[\"0\"],\"\\\" exceeds the maximum size of \",[\"1\"],\".\"],\"ena+qV\":[\"File \\\"\",[\"0\"],\"\\\" has an unsupported format. Only audio files are allowed.\"],\"LkIAge\":[\"File \\\"\",[\"0\"],\"\\\" is not a supported audio format. Only audio files are allowed.\"],\"RW2aSn\":[\"File \\\"\",[\"0\"],\"\\\" is too small (\",[\"1\"],\"). Minimum size is \",[\"2\"],\".\"],\"+aBwxq\":[\"File size: Min \",[\"0\"],\", Max \",[\"1\"],\", up to \",[\"MAX_FILES\"],\" files\"],\"o7J4JM\":[\"Filter\"],\"5g0xbt\":[\"Filter audit logs by action\"],\"9clinz\":[\"Filter audit logs by collection\"],\"O39Ph0\":[\"Filter by action\"],\"DiDNkt\":[\"Filter by collection\"],\"participant.button.stop.finish\":[\"Finish\"],\"participant.button.finish.text.mode\":[\"Finish\"],\"participant.button.finish\":[\"Finish\"],\"JmZ/+d\":[\"Finish\"],\"participant.modal.finish.title.text.mode\":[\"Finish Conversation\"],\"4dQFvz\":[\"Finished\"],\"kODvZJ\":[\"First Name\"],\"MKEPCY\":[\"Follow\"],\"JnPIOr\":[\"Follow playback\"],\"glx6on\":[\"Forgot your password?\"],\"nLC6tu\":[\"French\"],\"tSA0hO\":[\"Generate insights from your conversations\"],\"QqIxfi\":[\"Generate secret\"],\"tM4cbZ\":[\"Generate structured meeting notes based on the following discussion points provided in the context.\"],\"gitFA/\":[\"Generate Summary\"],\"kzY+nd\":[\"Generating the summary. Please wait...\"],\"DDcvSo\":[\"German\"],\"u9yLe/\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"participant.refine.go.deeper.description\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"TAXdgS\":[\"Give me a list of 5-10 topics that are being discussed.\"],\"CKyk7Q\":[\"Go back\"],\"participant.concrete.artefact.action.button.go.back\":[\"Go back\"],\"IL8LH3\":[\"Go deeper\"],\"participant.refine.go.deeper\":[\"Go deeper\"],\"iWpEwy\":[\"Go home\"],\"A3oCMz\":[\"Go to new conversation\"],\"5gqNQl\":[\"Grid view\"],\"ZqBGoi\":[\"Has verified artifacts\"],\"ng2Unt\":[\"Hi, \",[\"0\"]],\"D+zLDD\":[\"Hidden\"],\"G1UUQY\":[\"Hidden gem\"],\"LqWHk1\":[\"Hide \",[\"0\"]],\"u5xmYC\":[\"Hide all\"],\"txCbc+\":[\"Hide all insights\"],\"0lRdEo\":[\"Hide Conversations Without Content\"],\"eHo/Jc\":[\"Hide data\"],\"g4tIdF\":[\"Hide revision data\"],\"i0qMbr\":[\"Home\"],\"LSCWlh\":[\"How would you describe to a colleague what are you trying to accomplish with this project?\\n* What is the north star goal or key metric\\n* What does success look like\"],\"participant.button.i.understand\":[\"I understand\"],\"WsoNdK\":[\"Identify and analyze the recurring themes in this content. Please:\\n\\nExtract patterns that appear consistently across multiple sources\\nLook for underlying principles that connect different ideas\\nIdentify themes that challenge conventional thinking\\nStructure the analysis to show how themes evolve or repeat\\nFocus on insights that reveal deeper organizational or conceptual patterns\\nMaintain analytical depth while being accessible\\nHighlight themes that could inform future decision-making\\n\\nNote: If the content lacks sufficient thematic consistency, let me know we need more diverse material to identify meaningful patterns.\"],\"KbXMDK\":[\"Identify recurring themes, topics, and arguments that appear consistently across conversations. Analyze their frequency, intensity, and consistency. Expected output: 3-7 aspects for small datasets, 5-12 for medium datasets, 8-15 for large datasets. Processing guidance: Focus on distinct patterns that emerge across multiple conversations.\"],\"participant.concrete.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"QJUjB0\":[\"In order to better navigate through the quotes, create additional views. The quotes will then be clustered based on your view.\"],\"IJUcvx\":[\"In the meantime, if you want to analyze the conversations that are still processing, you can use the Chat feature\"],\"aOhF9L\":[\"Include portal link in report\"],\"Dvf4+M\":[\"Include timestamps\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Insight Library\"],\"ZVY8fB\":[\"Insight not found\"],\"sJa5f4\":[\"insights\"],\"3hJypY\":[\"Insights\"],\"crUYYp\":[\"Invalid code. Please request a new one.\"],\"jLr8VJ\":[\"Invalid credentials.\"],\"aZ3JOU\":[\"Invalid token. Please try again.\"],\"1xMiTU\":[\"IP Address\"],\"participant.conversation.error.deleted\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"zT7nbS\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"library.not.available.message\":[\"It looks like the library is not available for your account. Please request access to unlock this feature.\"],\"participant.concrete.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"MbKzYA\":[\"It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly.\"],\"clXffu\":[\"Join \",[\"0\"],\" on Dembrane\"],\"uocCon\":[\"Just a moment\"],\"OSBXx5\":[\"Just now\"],\"0ohX1R\":[\"Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account.\"],\"vXIe7J\":[\"Language\"],\"UXBCwc\":[\"Last Name\"],\"0K/D0Q\":[\"Last saved \",[\"0\"]],\"K7P0jz\":[\"Last Updated\"],\"PIhnIP\":[\"Let us know!\"],\"qhQjFF\":[\"Let's Make Sure We Can Hear You\"],\"exYcTF\":[\"Library\"],\"library.title\":[\"Library\"],\"T50lwc\":[\"Library creation is in progress\"],\"yUQgLY\":[\"Library is currently being processed\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn Post (Experimental)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live audio level:\"],\"TkFXaN\":[\"Live audio level:\"],\"n9yU9X\":[\"Live Preview\"],\"participant.concrete.instructions.loading\":[\"Loading\"],\"yQE2r9\":[\"Loading\"],\"yQ9yN3\":[\"Loading actions...\"],\"participant.concrete.loading.artefact\":[\"Loading artefact\"],\"JOvnq+\":[\"Loading audit logs…\"],\"y+JWgj\":[\"Loading collections...\"],\"ATTcN8\":[\"Loading concrete topics…\"],\"FUK4WT\":[\"Loading microphones...\"],\"H+bnrh\":[\"Loading transcript...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"loading...\"],\"Z3FXyt\":[\"Loading...\"],\"Pwqkdw\":[\"Loading…\"],\"z0t9bb\":[\"Login\"],\"zfB1KW\":[\"Login | Dembrane\"],\"Wd2LTk\":[\"Login as an existing user\"],\"nOhz3x\":[\"Logout\"],\"jWXlkr\":[\"Longest First\"],\"dashboard.dembrane.concrete.title\":[\"Make it concrete\"],\"participant.refine.make.concrete\":[\"Make it concrete\"],\"JSxZVX\":[\"Mark all read\"],\"+s1J8k\":[\"Mark as read\"],\"VxyuRJ\":[\"Meeting Notes\"],\"08d+3x\":[\"Messages from \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Microphone access is still denied. Please check your settings and try again.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Mode\"],\"zMx0gF\":[\"More templates\"],\"QWdKwH\":[\"Move\"],\"CyKTz9\":[\"Move Conversation\"],\"wUTBdx\":[\"Move to Another Project\"],\"Ksvwy+\":[\"Move to Project\"],\"6YtxFj\":[\"Name\"],\"e3/ja4\":[\"Name A-Z\"],\"c5Xt89\":[\"Name Z-A\"],\"isRobC\":[\"New\"],\"Wmq4bZ\":[\"New Conversation Name\"],\"library.new.conversations\":[\"New conversations have been added since the creation of the library. Create a new view to add these to the analysis.\"],\"P/+jkp\":[\"New conversations have been added since the library was generated. Regenerate the library to process them.\"],\"7vhWI8\":[\"New Password\"],\"+VXUp8\":[\"New Project\"],\"+RfVvh\":[\"Newest First\"],\"participant.button.next\":[\"Next\"],\"participant.ready.to.begin.button.text\":[\"Next\"],\"participant.concrete.selection.button.next\":[\"Next\"],\"participant.concrete.instructions.button.next\":[\"Next\"],\"hXzOVo\":[\"Next\"],\"participant.button.finish.no.text.mode\":[\"No\"],\"riwuXX\":[\"No actions found\"],\"WsI5bo\":[\"No announcements available\"],\"Em+3Ls\":[\"No audit logs match the current filters.\"],\"project.sidebar.chat.empty.description\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"YM6Wft\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"Qqhl3R\":[\"No collections found\"],\"zMt5AM\":[\"No concrete topics available.\"],\"zsslJv\":[\"No content\"],\"1pZsdx\":[\"No conversations available to create library\"],\"library.no.conversations\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"zM3DDm\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"EtMtH/\":[\"No conversations found.\"],\"BuikQT\":[\"No conversations found. Start a conversation using the participation invite link from the <0><1>project overview.\"],\"meAa31\":[\"No conversations yet\"],\"VInleh\":[\"No insights available. Generate insights for this conversation by visiting<0><1> the project library.\"],\"yTx6Up\":[\"No key terms or proper nouns have been added yet. Add them using the input above to improve transcript accuracy.\"],\"jfhDAK\":[\"No new feedback detected yet. Please continue your discussion and try again soon.\"],\"T3TyGx\":[\"No projects found \",[\"0\"]],\"y29l+b\":[\"No projects found for search term\"],\"ghhtgM\":[\"No quotes available. Generate quotes for this conversation by visiting\"],\"yalI52\":[\"No quotes available. Generate quotes for this conversation by visiting<0><1> the project library.\"],\"ctlSnm\":[\"No report found\"],\"EhV94J\":[\"No resources found.\"],\"Ev2r9A\":[\"No results\"],\"WRRjA9\":[\"No tags found\"],\"LcBe0w\":[\"No tags have been added to this project yet. Add a tag using the text input above to get started.\"],\"bhqKwO\":[\"No Transcript Available\"],\"TmTivZ\":[\"No transcript available for this conversation.\"],\"vq+6l+\":[\"No transcript exists for this conversation yet. Please check back later.\"],\"MPZkyF\":[\"No transcripts are selected for this chat\"],\"AotzsU\":[\"No tutorial (only Privacy statements)\"],\"OdkUBk\":[\"No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"No verification topics are configured for this project.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Not available\"],\"cH5kXP\":[\"Now\"],\"9+6THi\":[\"Oldest First\"],\"participant.concrete.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.concrete.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"conversation.ongoing\":[\"Ongoing\"],\"J6n7sl\":[\"Ongoing\"],\"uTmEDj\":[\"Ongoing Conversations\"],\"QvvnWK\":[\"Only the \",[\"0\"],\" finished \",[\"1\"],\" will be included in the report right now. \"],\"participant.alert.microphone.access.failure\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"J17dTs\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"1TNIig\":[\"Open\"],\"NRLF9V\":[\"Open Documentation\"],\"2CyWv2\":[\"Open for Participation?\"],\"participant.button.open.troubleshooting.guide\":[\"Open troubleshooting guide\"],\"7yrRHk\":[\"Open troubleshooting guide\"],\"Hak8r6\":[\"Open your authenticator app and enter the current six-digit code.\"],\"0zpgxV\":[\"Options\"],\"6/dCYd\":[\"Overview\"],\"/fAXQQ\":[\"Overview - Themes & patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Page Content\"],\"8F1i42\":[\"Page not found\"],\"6+Py7/\":[\"Page Title\"],\"v8fxDX\":[\"Participant\"],\"Uc9fP1\":[\"Participant Features\"],\"y4n1fB\":[\"Participants will be able to select tags when creating conversations\"],\"8ZsakT\":[\"Password\"],\"w3/J5c\":[\"Password protect portal (request feature)\"],\"lpIMne\":[\"Passwords do not match\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Pause reading\"],\"UbRKMZ\":[\"Pending\"],\"6v5aT9\":[\"Pick the approach that fits your question\"],\"participant.alert.microphone.access\":[\"Please allow microphone access to start the test.\"],\"3flRk2\":[\"Please allow microphone access to start the test.\"],\"SQSc5o\":[\"Please check back later or contact the project owner for more information.\"],\"T8REcf\":[\"Please check your inputs for errors.\"],\"S6iyis\":[\"Please do not close your browser\"],\"n6oAnk\":[\"Please enable participation to enable sharing\"],\"fwrPh4\":[\"Please enter a valid email.\"],\"iMWXJN\":[\"Please keep this screen lit up (black screen = not recording)\"],\"D90h1s\":[\"Please login to continue.\"],\"mUGRqu\":[\"Please provide a concise summary of the following provided in the context.\"],\"ps5D2F\":[\"Please record your response by clicking the \\\"Record\\\" button below. You may also choose to respond in text by clicking the text icon. \\n**Please keep this screen lit up** \\n(black screen = not recording)\"],\"TsuUyf\":[\"Please record your response by clicking the \\\"Start Recording\\\" button below. You may also choose to respond in text by clicking the text icon.\"],\"4TVnP7\":[\"Please select a language for your report\"],\"N63lmJ\":[\"Please select a language for your updated report\"],\"XvD4FK\":[\"Please select at least one source\"],\"hxTGLS\":[\"Please select conversations from the sidebar to proceed\"],\"GXZvZ7\":[\"Please wait \",[\"timeStr\"],\" before requesting another echo.\"],\"Am5V3+\":[\"Please wait \",[\"timeStr\"],\" before requesting another Echo.\"],\"CE1Qet\":[\"Please wait \",[\"timeStr\"],\" before requesting another ECHO.\"],\"Fx1kHS\":[\"Please wait \",[\"timeStr\"],\" before requesting another reply.\"],\"MgJuP2\":[\"Please wait while we generate your report. You will automatically be redirected to the report page.\"],\"library.processing.request\":[\"Please wait while we process your request. You requested to create the library on \",[\"0\"]],\"04DMtb\":[\"Please wait while we process your retranscription request. You will be redirected to the new conversation when ready.\"],\"ei5r44\":[\"Please wait while we update your report. You will automatically be redirected to the report page.\"],\"j5KznP\":[\"Please wait while we verify your email address.\"],\"uRFMMc\":[\"Portal Content\"],\"qVypVJ\":[\"Portal Editor\"],\"g2UNkE\":[\"Powered by\"],\"MPWj35\":[\"Preparing your conversations... This may take a moment.\"],\"/SM3Ws\":[\"Preparing your experience\"],\"ANWB5x\":[\"Print this report\"],\"zwqetg\":[\"Privacy Statements\"],\"qAGp2O\":[\"Proceed\"],\"stk3Hv\":[\"processing\"],\"vrnnn9\":[\"Processing\"],\"kvs/6G\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat.\"],\"q11K6L\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat. Last Known Status: \",[\"0\"]],\"NQiPr4\":[\"Processing Transcript\"],\"48px15\":[\"Processing your report...\"],\"gzGDMM\":[\"Processing your retranscription request...\"],\"Hie0VV\":[\"Project Created\"],\"xJMpjP\":[\"Project Library | Dembrane\"],\"OyIC0Q\":[\"Project name\"],\"6Z2q2Y\":[\"Project name must be at least 4 characters long\"],\"n7JQEk\":[\"Project not found\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Project Overview | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Project Settings\"],\"+0B+ue\":[\"Projects\"],\"Eb7xM7\":[\"Projects | Dembrane\"],\"JQVviE\":[\"Projects Home\"],\"nyEOdh\":[\"Provide an overview of the main topics and recurring themes\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publish\"],\"u3wRF+\":[\"Published\"],\"E7YTYP\":[\"Pull out the most impactful quotes from this session\"],\"eWLklq\":[\"Quotes\"],\"wZxwNu\":[\"Read aloud\"],\"participant.ready.to.begin\":[\"Ready to Begin?\"],\"ZKOO0I\":[\"Ready to Begin?\"],\"hpnYpo\":[\"Recommended apps\"],\"participant.button.record\":[\"Record\"],\"w80YWM\":[\"Record\"],\"s4Sz7r\":[\"Record another conversation\"],\"participant.modal.pause.title\":[\"Recording Paused\"],\"view.recreate.tooltip\":[\"Recreate View\"],\"view.recreate.modal.title\":[\"Recreate View\"],\"CqnkB0\":[\"Recurring Themes\"],\"9aloPG\":[\"References\"],\"participant.button.refine\":[\"Refine\"],\"lCF0wC\":[\"Refresh\"],\"ZMXpAp\":[\"Refresh audit logs\"],\"844H5I\":[\"Regenerate Library\"],\"bluvj0\":[\"Regenerate Summary\"],\"participant.concrete.regenerating.artefact\":[\"Regenerating the artefact\"],\"oYlYU+\":[\"Regenerating the summary. Please wait...\"],\"wYz80B\":[\"Register | Dembrane\"],\"w3qEvq\":[\"Register as a new user\"],\"7dZnmw\":[\"Relevance\"],\"participant.button.reload.page.text.mode\":[\"Reload Page\"],\"participant.button.reload\":[\"Reload Page\"],\"participant.concrete.artefact.action.button.reload\":[\"Reload Page\"],\"hTDMBB\":[\"Reload Page\"],\"Kl7//J\":[\"Remove Email\"],\"cILfnJ\":[\"Remove file\"],\"CJgPtd\":[\"Remove from this chat\"],\"project.sidebar.chat.rename\":[\"Rename\"],\"2wxgft\":[\"Rename\"],\"XyN13i\":[\"Reply Prompt\"],\"gjpdaf\":[\"Report\"],\"Q3LOVJ\":[\"Report an issue\"],\"DUmD+q\":[\"Report Created - \",[\"0\"]],\"KFQLa2\":[\"Report generation is currently in beta and limited to projects with fewer than 10 hours of recording.\"],\"hIQOLx\":[\"Report Notifications\"],\"lNo4U2\":[\"Report Updated - \",[\"0\"]],\"library.request.access\":[\"Request Access\"],\"uLZGK+\":[\"Request Access\"],\"dglEEO\":[\"Request Password Reset\"],\"u2Hh+Y\":[\"Request Password Reset | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Requesting microphone access to detect available devices...\"],\"MepchF\":[\"Requesting microphone access to detect available devices...\"],\"xeMrqw\":[\"Reset All Options\"],\"KbS2K9\":[\"Reset Password\"],\"UMMxwo\":[\"Reset Password | Dembrane\"],\"L+rMC9\":[\"Reset to default\"],\"s+MGs7\":[\"Resources\"],\"participant.button.stop.resume\":[\"Resume\"],\"v39wLo\":[\"Resume\"],\"sVzC0H\":[\"Retranscribe\"],\"ehyRtB\":[\"Retranscribe conversation\"],\"1JHQpP\":[\"Retranscribe Conversation\"],\"MXwASV\":[\"Retranscription started. New conversation will be available soon.\"],\"6gRgw8\":[\"Retry\"],\"H1Pyjd\":[\"Retry Upload\"],\"9VUzX4\":[\"Review activity for your workspace. Filter by collection or action, and export the current view for further investigation.\"],\"UZVWVb\":[\"Review files before uploading\"],\"3lYF/Z\":[\"Review processing status for every conversation collected in this project.\"],\"participant.concrete.action.button.revise\":[\"Revise\"],\"OG3mVO\":[\"Revision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Rows per page\"],\"participant.concrete.action.button.save\":[\"Save\"],\"tfDRzk\":[\"Save\"],\"2VA/7X\":[\"Save Error!\"],\"XvjC4F\":[\"Saving...\"],\"nHeO/c\":[\"Scan the QR code or copy the secret into your app.\"],\"oOi11l\":[\"Scroll to bottom\"],\"A1taO8\":[\"Search\"],\"OWm+8o\":[\"Search conversations\"],\"blFttG\":[\"Search projects\"],\"I0hU01\":[\"Search Projects\"],\"RVZJWQ\":[\"Search projects...\"],\"lnWve4\":[\"Search tags\"],\"pECIKL\":[\"Search templates...\"],\"uSvNyU\":[\"Searched through the most relevant sources\"],\"Wj2qJm\":[\"Searching through the most relevant sources\"],\"Y1y+VB\":[\"Secret copied\"],\"Eyh9/O\":[\"See conversation status details\"],\"0sQPzI\":[\"See you soon\"],\"1ZTiaz\":[\"Segments\"],\"H/diq7\":[\"Select a microphone\"],\"NK2YNj\":[\"Select Audio Files to Upload\"],\"/3ntVG\":[\"Select conversations and find exact quotes\"],\"LyHz7Q\":[\"Select conversations from sidebar\"],\"n4rh8x\":[\"Select Project\"],\"ekUnNJ\":[\"Select tags\"],\"CG1cTZ\":[\"Select the instructions that will be shown to participants when they start a conversation\"],\"qxzrcD\":[\"Select the type of feedback or engagement you want to encourage.\"],\"QdpRMY\":[\"Select tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Select which topics participants can use for \\\"Make it concrete\\\".\"],\"participant.select.microphone\":[\"Select your microphone:\"],\"vKH1Ye\":[\"Select your microphone:\"],\"gU5H9I\":[\"Selected Files (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Selected microphone:\"],\"JlFcis\":[\"Send\"],\"VTmyvi\":[\"Sentiment\"],\"NprC8U\":[\"Session Name\"],\"DMl1JW\":[\"Setting up your first project\"],\"Tz0i8g\":[\"Settings\"],\"participant.settings.modal.title\":[\"Settings\"],\"PErdpz\":[\"Settings | Dembrane\"],\"Z8lGw6\":[\"Share\"],\"/XNQag\":[\"Share this report\"],\"oX3zgA\":[\"Share your details here\"],\"Dc7GM4\":[\"Share your voice\"],\"swzLuF\":[\"Share your voice by scanning the QR code below.\"],\"+tz9Ky\":[\"Shortest First\"],\"h8lzfw\":[\"Show \",[\"0\"]],\"lZw9AX\":[\"Show all\"],\"w1eody\":[\"Show audio player\"],\"pzaNzD\":[\"Show data\"],\"yrhNQG\":[\"Show duration\"],\"Qc9KX+\":[\"Show IP addresses\"],\"6lGV3K\":[\"Show less\"],\"fMPkxb\":[\"Show more\"],\"3bGwZS\":[\"Show references\"],\"OV2iSn\":[\"Show revision data\"],\"3Sg56r\":[\"Show timeline in report (request feature)\"],\"DLEIpN\":[\"Show timestamps (experimental)\"],\"Tqzrjk\":[\"Showing \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" of \",[\"totalItems\"],\" entries\"],\"dbWo0h\":[\"Sign in with Google\"],\"participant.mic.check.button.skip\":[\"Skip\"],\"6Uau97\":[\"Skip\"],\"lH0eLz\":[\"Skip data privacy slide (Host manages consent)\"],\"b6NHjr\":[\"Skip data privacy slide (Host manages legal base)\"],\"4Q9po3\":[\"Some conversations are still being processed. Auto-select will work optimally once audio processing is complete.\"],\"q+pJ6c\":[\"Some files were already selected and won't be added twice.\"],\"nwtY4N\":[\"Something went wrong\"],\"participant.conversation.error.text.mode\":[\"Something went wrong\"],\"participant.conversation.error\":[\"Something went wrong\"],\"avSWtK\":[\"Something went wrong while exporting audit logs.\"],\"q9A2tm\":[\"Something went wrong while generating the secret.\"],\"JOKTb4\":[\"Something went wrong while uploading the file: \",[\"0\"]],\"KeOwCj\":[\"Something went wrong with the conversation. Please try refreshing the page or contact support if the issue persists\"],\"participant.go.deeper.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>Go deeper button, or contact support if the issue continues.\"],\"fWsBTs\":[\"Something went wrong. Please try again.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"f6Hub0\":[\"Sort\"],\"/AhHDE\":[\"Source \",[\"0\"]],\"u7yVRn\":[\"Sources:\"],\"65A04M\":[\"Spanish\"],\"zuoIYL\":[\"Speaker\"],\"z5/5iO\":[\"Specific Context\"],\"mORM2E\":[\"Specific Details\"],\"Etejcu\":[\"Specific Details - Selected conversations\"],\"participant.button.start.new.conversation.text.mode\":[\"Start New Conversation\"],\"participant.button.start.new.conversation\":[\"Start New Conversation\"],\"c6FrMu\":[\"Start New Conversation\"],\"i88wdJ\":[\"Start over\"],\"pHVkqA\":[\"Start Recording\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stop\"],\"participant.button.stop\":[\"Stop\"],\"kimwwT\":[\"Strategic Planning\"],\"hQRttt\":[\"Submit\"],\"participant.button.submit.text.mode\":[\"Submit\"],\"0Pd4R1\":[\"Submitted via text input\"],\"zzDlyQ\":[\"Success\"],\"bh1eKt\":[\"Suggested:\"],\"F1nkJm\":[\"Summarize\"],\"4ZpfGe\":[\"Summarize key insights from my interviews\"],\"5Y4tAB\":[\"Summarize this interview into a shareable article\"],\"dXoieq\":[\"Summary\"],\"g6o+7L\":[\"Summary generated successfully.\"],\"kiOob5\":[\"Summary not available yet\"],\"OUi+O3\":[\"Summary regenerated successfully.\"],\"Pqa6KW\":[\"Summary will be available once the conversation is transcribed\"],\"6ZHOF8\":[\"Supported formats: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Switch to text input\"],\"D+NlUC\":[\"System\"],\"OYHzN1\":[\"Tags\"],\"nlxlmH\":[\"Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation.\"],\"eyu39U\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"participant.refine.make.concrete.description\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"QCchuT\":[\"Template applied\"],\"iTylMl\":[\"Templates\"],\"xeiujy\":[\"Text\"],\"CPN34F\":[\"Thank you for participating!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Thank You Page Content\"],\"5KEkUQ\":[\"Thank you! We'll notify you when the report is ready.\"],\"2yHHa6\":[\"That code didn't work. Try again with a fresh code from your authenticator app.\"],\"TQCE79\":[\"The code didn't work, please try again.\"],\"participant.conversation.error.loading.text.mode\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"participant.conversation.error.loading\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"nO942E\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"Jo19Pu\":[\"The following conversations were automatically added to the context\"],\"Lngj9Y\":[\"The Portal is the website that loads when participants scan the QR code.\"],\"bWqoQ6\":[\"the project library.\"],\"hTCMdd\":[\"The summary is being generated. Please wait for it to be available.\"],\"+AT8nl\":[\"The summary is being regenerated. Please wait for it to be available.\"],\"iV8+33\":[\"The summary is being regenerated. Please wait for the new summary to be available.\"],\"AgC2rn\":[\"The summary is being regenerated. Please wait upto 2 minutes for the new summary to be available.\"],\"PTNxDe\":[\"The transcript for this conversation is being processed. Please check back later.\"],\"FEr96N\":[\"Theme\"],\"T8rsM6\":[\"There was an error cloning your project. Please try again or contact support.\"],\"JDFjCg\":[\"There was an error creating your report. Please try again or contact support.\"],\"e3JUb8\":[\"There was an error generating your report. In the meantime, you can analyze all your data using the library or select specific conversations to chat with.\"],\"7qENSx\":[\"There was an error updating your report. Please try again or contact support.\"],\"V7zEnY\":[\"There was an error verifying your email. Please try again.\"],\"gtlVJt\":[\"These are some helpful preset templates to get you started.\"],\"sd848K\":[\"These are your default view templates. Once you create your library these will be your first two views.\"],\"8xYB4s\":[\"These default view templates will be generated when you create your first library.\"],\"Ed99mE\":[\"Thinking...\"],\"conversation.linked_conversations.description\":[\"This conversation has the following copies:\"],\"conversation.linking_conversations.description\":[\"This conversation is a copy of\"],\"dt1MDy\":[\"This conversation is still being processed. It will be available for analysis and chat shortly.\"],\"5ZpZXq\":[\"This conversation is still being processed. It will be available for analysis and chat shortly. \"],\"SzU1mG\":[\"This email is already in the list.\"],\"JtPxD5\":[\"This email is already subscribed to notifications.\"],\"participant.modal.refine.info.available.in\":[\"This feature will be available in \",[\"remainingTime\"],\" seconds.\"],\"QR7hjh\":[\"This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes.\"],\"library.description\":[\"This is your project library. Create views to analyse your entire project at once.\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"This is your project library. Currently,\",[\"0\"],\" conversations are waiting to be processed.\"],\"tJL2Lh\":[\"This language will be used for the Participant's Portal and transcription.\"],\"BAUPL8\":[\"This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"This language will be used for the Participant's Portal.\"],\"9ww6ML\":[\"This page is shown after the participant has completed the conversation.\"],\"1gmHmj\":[\"This page is shown to participants when they start a conversation after they successfully complete the tutorial.\"],\"bEbdFh\":[\"This project library was generated on\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage.\"],\"Yig29e\":[\"This report is not yet available. \"],\"GQTpnY\":[\"This report was opened by \",[\"0\"],\" people\"],\"okY/ix\":[\"This summary is AI-generated and brief, for thorough analysis, use the Chat or Library.\"],\"hwyBn8\":[\"This title is shown to participants when they start a conversation\"],\"Dj5ai3\":[\"This will clear your current input. Are you sure?\"],\"NrRH+W\":[\"This will create a copy of the current project. Only settings and tags are copied. Reports, chats and conversations are not included in the clone. You will be redirected to the new project after cloning.\"],\"hsNXnX\":[\"This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged.\"],\"participant.concrete.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.concrete.loading.artefact.description\":[\"This will just take a moment\"],\"n4l4/n\":[\"This will replace personally identifiable information with .\"],\"Ww6cQ8\":[\"Time Created\"],\"8TMaZI\":[\"Timestamp\"],\"rm2Cxd\":[\"Tip\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"To assign a new tag, please create it first in the project overview.\"],\"o3rowT\":[\"To generate a report, please start by adding conversations in your project\"],\"sFMBP5\":[\"Topics\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcribing...\"],\"DDziIo\":[\"Transcript\"],\"hfpzKV\":[\"Transcript copied to clipboard\"],\"AJc6ig\":[\"Transcript not available\"],\"N/50DC\":[\"Transcript Settings\"],\"FRje2T\":[\"Transcription in progress...\"],\"0l9syB\":[\"Transcription in progress…\"],\"H3fItl\":[\"Transform these transcripts into a LinkedIn post that cuts through the noise. Please:\\n\\nExtract the most compelling insights - skip anything that sounds like standard business advice\\nWrite it like a seasoned leader who challenges conventional wisdom, not a motivational poster\\nFind one genuinely unexpected observation that would make even experienced professionals pause\\nMaintain intellectual depth while being refreshingly direct\\nOnly use data points that actually challenge assumptions\\nKeep formatting clean and professional (minimal emojis, thoughtful spacing)\\nStrike a tone that suggests both deep expertise and real-world experience\\n\\nNote: If the content doesn't contain any substantive insights, please let me know we need stronger source material. I'm looking to contribute real value to the conversation, not add to the noise.\"],\"53dSNP\":[\"Transform this content into insights that actually matter. Please:\\n\\nExtract core ideas that challenge standard thinking\\nWrite like someone who understands nuance, not a textbook\\nFocus on the non-obvious implications\\nKeep it sharp and substantive\\nOnly highlight truly meaningful patterns\\nStructure for clarity and impact\\nBalance depth with accessibility\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"uK9JLu\":[\"Transform this discussion into actionable intelligence. Please:\\n\\nCapture the strategic implications, not just talking points\\nStructure it like a thought leader's analysis, not minutes\\nHighlight decision points that challenge standard thinking\\nKeep the signal-to-noise ratio high\\nFocus on insights that drive real change\\nOrganize for clarity and future reference\\nBalance tactical details with strategic vision\\n\\nNote: If the discussion lacks substantial decision points or insights, flag it for deeper exploration next time.\"],\"qJb6G2\":[\"Try Again\"],\"eP1iDc\":[\"Try asking\"],\"goQEqo\":[\"Try moving a bit closer to your microphone for better sound quality.\"],\"EIU345\":[\"Two-factor authentication\"],\"NwChk2\":[\"Two-factor authentication disabled\"],\"qwpE/S\":[\"Two-factor authentication enabled\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Type a message...\"],\"EvmL3X\":[\"Type your response here\"],\"participant.concrete.artefact.error.title\":[\"Unable to Load Artefact\"],\"MksxNf\":[\"Unable to load audit logs.\"],\"8vqTzl\":[\"Unable to load the generated artefact. Please try again.\"],\"nGxDbq\":[\"Unable to process this chunk\"],\"9uI/rE\":[\"Undo\"],\"Ef7StM\":[\"Unknown\"],\"H899Z+\":[\"unread announcement\"],\"0pinHa\":[\"unread announcements\"],\"sCTlv5\":[\"Unsaved changes\"],\"SMaFdc\":[\"Unsubscribe\"],\"jlrVDp\":[\"Untitled Conversation\"],\"EkH9pt\":[\"Update\"],\"3RboBp\":[\"Update Report\"],\"4loE8L\":[\"Update the report to include the latest data\"],\"Jv5s94\":[\"Update your report to include the latest changes in your project. The link to share the report would remain the same.\"],\"kwkhPe\":[\"Upgrade\"],\"UkyAtj\":[\"Upgrade to unlock Auto-select and analyze 10x more conversations in half the time—no more manual selection, just deeper insights instantly.\"],\"ONWvwQ\":[\"Upload\"],\"8XD6tj\":[\"Upload Audio\"],\"kV3A2a\":[\"Upload Complete\"],\"4Fr6DA\":[\"Upload conversations\"],\"pZq3aX\":[\"Upload failed. Please try again.\"],\"HAKBY9\":[\"Upload Files\"],\"Wft2yh\":[\"Upload in progress\"],\"JveaeL\":[\"Upload resources\"],\"3wG7HI\":[\"Uploaded\"],\"k/LaWp\":[\"Uploading Audio Files...\"],\"VdaKZe\":[\"Use experimental features\"],\"rmMdgZ\":[\"Use PII Redaction\"],\"ngdRFH\":[\"Use Shift + Enter to add a new line\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verified\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verified artifacts\"],\"4LFZoj\":[\"Verify code\"],\"jpctdh\":[\"View\"],\"+fxiY8\":[\"View conversation details\"],\"H1e6Hv\":[\"View Conversation Status\"],\"SZw9tS\":[\"View Details\"],\"D4e7re\":[\"View your responses\"],\"tzEbkt\":[\"Wait \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Want to add a template to \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Want to add a template to ECHO?\"],\"r6y+jM\":[\"Warning\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"SrJOPD\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"Ul0g2u\":[\"We couldn’t disable two-factor authentication. Try again with a fresh code.\"],\"sM2pBB\":[\"We couldn’t enable two-factor authentication. Double-check your code and try again.\"],\"Ewk6kb\":[\"We couldn't load the audio. Please try again later.\"],\"xMeAeQ\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder.\"],\"9qYWL7\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact evelien@dembrane.com\"],\"3fS27S\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"We need a bit more context to help you refine effectively. Please continue recording so we can provide better suggestions.\"],\"dni8nq\":[\"We will only send you a message if your host generates a report, we never share your details with anyone. You can opt out at any time.\"],\"participant.test.microphone.description\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"tQtKw5\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"+eLc52\":[\"We’re picking up some silence. Try speaking up so your voice comes through clearly.\"],\"6jfS51\":[\"Welcome\"],\"9eF5oV\":[\"Welcome back\"],\"i1hzzO\":[\"Welcome to Big Picture Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Details mode.\"],\"fwEAk/\":[\"Welcome to Dembrane Chat! Use the sidebar to select resources and conversations that you want to analyse. Then, you can ask questions about the selected resources and conversations.\"],\"AKBU2w\":[\"Welcome to Dembrane!\"],\"TACmoL\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Deep Dive mode.\"],\"u4aLOz\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Context mode.\"],\"Bck6Du\":[\"Welcome to Reports!\"],\"aEpQkt\":[\"Welcome to Your Home! Here you can see all your projects and get access to tutorial resources. Currently, you have no projects. Click \\\"Create\\\" to configure to get started!\"],\"klH6ct\":[\"Welcome!\"],\"Tfxjl5\":[\"What are the main themes across all conversations?\"],\"participant.concrete.selection.title\":[\"What do you want to make concrete?\"],\"fyMvis\":[\"What patterns emerge from the data?\"],\"qGrqH9\":[\"What were the key moments in this conversation?\"],\"FXZcgH\":[\"What would you like to explore?\"],\"KcnIXL\":[\"will be included in your report\"],\"participant.button.finish.yes.text.mode\":[\"Yes\"],\"kWJmRL\":[\"You\"],\"Dl7lP/\":[\"You are already unsubscribed or your link is invalid.\"],\"E71LBI\":[\"You can only upload up to \",[\"MAX_FILES\"],\" files at a time. Only the first \",[\"0\"],\" files will be added.\"],\"tbeb1Y\":[\"You can still use the Ask feature to chat with any conversation\"],\"participant.modal.change.mic.confirmation.text\":[\"You have changed the mic. Doing this will save your audio till this point and restart your recording.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"You have successfully unsubscribed.\"],\"lTDtES\":[\"You may also choose to record another conversation.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"You must login with the same provider you used to sign up. If you face any issues, please contact support.\"],\"snMcrk\":[\"You seem to be offline, please check your internet connection\"],\"participant.concrete.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to make them concrete.\"],\"participant.concrete.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"Pw2f/0\":[\"Your conversation is currently being transcribed. Please check back in a few moments.\"],\"OFDbfd\":[\"Your Conversations\"],\"aZHXuZ\":[\"Your inputs will be saved automatically.\"],\"PUWgP9\":[\"Your library is empty. Create a library to see your first insights.\"],\"B+9EHO\":[\"Your response has been recorded. You may now close this tab.\"],\"wurHZF\":[\"Your responses\"],\"B8Q/i2\":[\"Your view has been created. Please wait as we process and analyse the data.\"],\"library.views.title\":[\"Your Views\"],\"lZNgiw\":[\"Your Views\"]}")as Messages; \ No newline at end of file +/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"You are not authenticated\"],\"You don't have permission to access this.\":[\"You don't have permission to access this.\"],\"Resource not found\":[\"Resource not found\"],\"Server error\":[\"Server error\"],\"Something went wrong\":[\"Something went wrong\"],\"We're preparing your workspace.\":[\"We're preparing your workspace.\"],\"Preparing your dashboard\":[\"Preparing your dashboard\"],\"Welcome back\":[\"Welcome back\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"Beta\"],\"participant.button.go.deeper\":[\"Go deeper\"],\"participant.button.make.concrete\":[\"Make it concrete\"],\"library.generate.duration.message\":[\" Generating library can take up to an hour.\"],\"uDvV8j\":[\" Submit\"],\"aMNEbK\":[\" Unsubscribe from Notifications\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.concrete\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Refine\\\" available soon\"],\"2NWk7n\":[\"(for enhanced audio processing)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" ready\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Edited \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" selected\"],\"P1pDS8\":[[\"diffInDays\"],\"d ago\"],\"bT6AxW\":[[\"diffInHours\"],\"h ago\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Currently \",\"#\",\" conversation is ready to be analyzed.\"],\"other\":[\"Currently \",\"#\",\" conversations are ready to be analyzed.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minutes and \",[\"seconds\"],\" seconds\"],\"TVD5At\":[[\"readingNow\"],\" reading now\"],\"U7Iesw\":[[\"seconds\"],\" seconds\"],\"library.conversations.still.processing\":[[\"unfinishedConversationsCount\"],\" still processing.\"],\"ZpJ0wx\":[\"*Transcription in progress.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wait \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Account password\"],\"L5gswt\":[\"Action By\"],\"UQXw0W\":[\"Action On\"],\"7L01XJ\":[\"Actions\"],\"m16xKo\":[\"Add\"],\"1m+3Z3\":[\"Add additional context (Optional)\"],\"Se1KZw\":[\"Add all that apply\"],\"1xDwr8\":[\"Add key terms or proper nouns to improve transcript quality and accuracy.\"],\"ndpRPm\":[\"Add new recordings to this project. Files you upload here will be processed and appear in conversations.\"],\"Ralayn\":[\"Add Tag\"],\"IKoyMv\":[\"Add Tags\"],\"NffMsn\":[\"Add to this chat\"],\"Na90E+\":[\"Added emails\"],\"SJCAsQ\":[\"Adding Context:\"],\"OaKXud\":[\"Advanced (Tips and best practices)\"],\"TBpbDp\":[\"Advanced (Tips and tricks)\"],\"JiIKww\":[\"Advanced Settings\"],\"cF7bEt\":[\"All actions\"],\"O1367B\":[\"All collections\"],\"Cmt62w\":[\"All conversations ready\"],\"u/fl/S\":[\"All files were uploaded successfully.\"],\"baQJ1t\":[\"All Insights\"],\"3goDnD\":[\"Allow participants using the link to start new conversations\"],\"bruUug\":[\"Almost there\"],\"H7cfSV\":[\"Already added to this chat\"],\"jIoHDG\":[\"An email notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"G54oFr\":[\"An email Notification will be sent to \",[\"0\"],\" participant\",[\"1\"],\". Do you want to proceed?\"],\"8q/YVi\":[\"An error occurred while loading the Portal. Please contact the support team.\"],\"XyOToQ\":[\"An error occurred.\"],\"QX6zrA\":[\"Analysis\"],\"F4cOH1\":[\"Analysis Language\"],\"1x2m6d\":[\"Analyze these elements with depth and nuance. Please:\\n\\nFocus on unexpected connections and contrasts\\nGo beyond obvious surface-level comparisons\\nIdentify hidden patterns that most analyses miss\\nMaintain analytical rigor while being engaging\\nUse examples that illuminate deeper principles\\nStructure the analysis to build understanding\\nDraw insights that challenge conventional wisdom\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"Dzr23X\":[\"Announcements\"],\"azfEQ3\":[\"Anonymous Participant\"],\"participant.concrete.action.button.approve\":[\"Approve\"],\"conversation.verified.approved\":[\"Approved\"],\"Q5Z2wp\":[\"Are you sure you want to delete this conversation? This action cannot be undone.\"],\"kWiPAC\":[\"Are you sure you want to delete this project?\"],\"YF1Re1\":[\"Are you sure you want to delete this project? This action cannot be undone.\"],\"B8ymes\":[\"Are you sure you want to delete this recording?\"],\"G2gLnJ\":[\"Are you sure you want to delete this tag?\"],\"aUsm4A\":[\"Are you sure you want to delete this tag? This will remove the tag from existing conversations that contain it.\"],\"participant.modal.finish.message.text.mode\":[\"Are you sure you want to finish the conversation?\"],\"xu5cdS\":[\"Are you sure you want to finish?\"],\"sOql0x\":[\"Are you sure you want to generate the library? This will take a while and overwrite your current views and insights.\"],\"K1Omdr\":[\"Are you sure you want to generate the library? This will take a while.\"],\"UXCOMn\":[\"Are you sure you want to regenerate the summary? You will lose the current summary.\"],\"JHgUuT\":[\"Artefact approved successfully!\"],\"IbpaM+\":[\"Artefact reloaded successfully!\"],\"Qcm/Tb\":[\"Artefact revised successfully!\"],\"uCzCO2\":[\"Artefact updated successfully!\"],\"KYehbE\":[\"artefacts\"],\"jrcxHy\":[\"Artefacts\"],\"F+vBv0\":[\"Ask\"],\"Rjlwvz\":[\"Ask for Name?\"],\"5gQcdD\":[\"Ask participants to provide their name when they start a conversation\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspects\"],\"kskjVK\":[\"Assistant is typing...\"],\"5PKg7S\":[\"At least one topic must be selected to enable Dembrane Verify\"],\"HrusNW\":[\"At least one topic must be selected to enable Make it concrete\"],\"DMBYlw\":[\"Audio Processing In Progress\"],\"D3SDJS\":[\"Audio Recording\"],\"mGVg5N\":[\"Audio recordings are scheduled to be deleted after 30 days from the recording date\"],\"IOBCIN\":[\"Audio Tip\"],\"y2W2Hg\":[\"Audit logs\"],\"aL1eBt\":[\"Audit logs exported to CSV\"],\"mS51hl\":[\"Audit logs exported to JSON\"],\"z8CQX2\":[\"Authenticator code\"],\"/iCiQU\":[\"Auto-select\"],\"3D5FPO\":[\"Auto-select disabled\"],\"ajAMbT\":[\"Auto-select enabled\"],\"jEqKwR\":[\"Auto-select sources to add to the chat\"],\"vtUY0q\":[\"Automatically includes relevant conversations for analysis without manual selection\"],\"csDS2L\":[\"Available\"],\"participant.button.back.microphone\":[\"Back\"],\"participant.button.back\":[\"Back\"],\"iH8pgl\":[\"Back\"],\"/9nVLo\":[\"Back to Selection\"],\"wVO5q4\":[\"Basic (Essential tutorial slides)\"],\"epXTwc\":[\"Basic Settings\"],\"GML8s7\":[\"Begin!\"],\"YBt9YP\":[\"Beta\"],\"dashboard.dembrane.concrete.beta\":[\"Beta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture - Themes & patterns\"],\"YgG3yv\":[\"Brainstorm Ideas\"],\"ba5GvN\":[\"By deleting this project, you will delete all the data associated with it. This action cannot be undone. Are you ABSOLUTELY sure you want to delete this project?\"],\"dEgA5A\":[\"Cancel\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Cancel\"],\"participant.concrete.action.button.cancel\":[\"Cancel\"],\"participant.concrete.instructions.button.cancel\":[\"Cancel\"],\"RKD99R\":[\"Cannot add empty conversation\"],\"JFFJDJ\":[\"Changes are saved automatically as you continue to use the app. <0/>Once you have some unsaved changes, you can click anywhere to save the changes. <1/>You will also see a button to Cancel the changes.\"],\"u0IJto\":[\"Changes will be saved automatically\"],\"xF/jsW\":[\"Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Check microphone access\"],\"+e4Yxz\":[\"Check microphone access\"],\"v4fiSg\":[\"Check your email\"],\"pWT04I\":[\"Checking...\"],\"DakUDF\":[\"Choose your preferred theme for the interface\"],\"0ngaDi\":[\"Citing the following sources\"],\"B2pdef\":[\"Click \\\"Upload Files\\\" when you're ready to start the upload process.\"],\"BPrdpc\":[\"Clone project\"],\"9U86tL\":[\"Clone Project\"],\"yz7wBu\":[\"Close\"],\"q+hNag\":[\"Collection\"],\"Wqc3zS\":[\"Compare & Contrast\"],\"jlZul5\":[\"Compare and contrast the following items provided in the context.\"],\"bD8I7O\":[\"Complete\"],\"6jBoE4\":[\"Concrete Topics\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Confirm\"],\"yjkELF\":[\"Confirm New Password\"],\"p2/GCq\":[\"Confirm Password\"],\"puQ8+/\":[\"Confirm Publishing\"],\"L0k594\":[\"Confirm your password to generate a new secret for your authenticator app.\"],\"JhzMcO\":[\"Connecting to report services...\"],\"wX/BfX\":[\"Connection healthy\"],\"WimHuY\":[\"Connection unhealthy\"],\"DFFB2t\":[\"Contact sales\"],\"VlCTbs\":[\"Contact your sales representative to activate this feature today!\"],\"M73whl\":[\"Context\"],\"VHSco4\":[\"Context added:\"],\"participant.button.continue\":[\"Continue\"],\"xGVfLh\":[\"Continue\"],\"F1pfAy\":[\"conversation\"],\"EiHu8M\":[\"Conversation added to chat\"],\"ggJDqH\":[\"Conversation Audio\"],\"participant.conversation.ended\":[\"Conversation Ended\"],\"BsHMTb\":[\"Conversation Ended\"],\"26Wuwb\":[\"Conversation processing\"],\"OtdHFE\":[\"Conversation removed from chat\"],\"zTKMNm\":[\"Conversation Status\"],\"Rdt7Iv\":[\"Conversation Status Details\"],\"a7zH70\":[\"conversations\"],\"EnJuK0\":[\"Conversations\"],\"TQ8ecW\":[\"Conversations from QR Code\"],\"nmB3V3\":[\"Conversations from Upload\"],\"participant.refine.cooling.down\":[\"Cooling down. Available in \",[\"0\"]],\"6V3Ea3\":[\"Copied\"],\"he3ygx\":[\"Copy\"],\"y1eoq1\":[\"Copy link\"],\"Dj+aS5\":[\"Copy link to share this report\"],\"vAkFou\":[\"Copy secret\"],\"v3StFl\":[\"Copy Summary\"],\"/4gGIX\":[\"Copy to clipboard\"],\"rG2gDo\":[\"Copy transcript\"],\"OvEjsP\":[\"Copying...\"],\"hYgDIe\":[\"Create\"],\"CSQPC0\":[\"Create an Account\"],\"library.create\":[\"Create Library\"],\"O671Oh\":[\"Create Library\"],\"library.create.view.modal.title\":[\"Create new view\"],\"vY2Gfm\":[\"Create new view\"],\"bsfMt3\":[\"Create Report\"],\"library.create.view\":[\"Create View\"],\"3D0MXY\":[\"Create View\"],\"45O6zJ\":[\"Created on\"],\"8Tg/JR\":[\"Custom\"],\"o1nIYK\":[\"Custom Filename\"],\"ZQKLI1\":[\"Danger Zone\"],\"ovBPCi\":[\"Default\"],\"ucTqrC\":[\"Default - No tutorial (Only privacy statements)\"],\"project.sidebar.chat.delete\":[\"Delete\"],\"cnGeoo\":[\"Delete\"],\"2DzmAq\":[\"Delete Conversation\"],\"++iDlT\":[\"Delete Project\"],\"+m7PfT\":[\"Deleted successfully\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane is powered by AI. Please double-check responses.\"],\"67znul\":[\"Dembrane Reply\"],\"Nu4oKW\":[\"Description\"],\"NMz7xK\":[\"Develop a strategic framework that drives meaningful outcomes. Please:\\n\\nIdentify core objectives and their interdependencies\\nMap out implementation pathways with realistic timelines\\nAnticipate potential obstacles and mitigation strategies\\nDefine clear metrics for success beyond vanity indicators\\nHighlight resource requirements and allocation priorities\\nStructure the plan for both immediate action and long-term vision\\nInclude decision gates and pivot points\\n\\nNote: Focus on strategies that create sustainable competitive advantages, not just incremental improvements.\"],\"qERl58\":[\"Disable 2FA\"],\"yrMawf\":[\"Disable two-factor authentication\"],\"E/QGRL\":[\"Disabled\"],\"LnL5p2\":[\"Do you want to contribute to this project?\"],\"JeOjN4\":[\"Do you want to stay in the loop?\"],\"TvY/XA\":[\"Documentation\"],\"mzI/c+\":[\"Download\"],\"5YVf7S\":[\"Download all conversation transcripts generated for this project.\"],\"5154Ap\":[\"Download All Transcripts\"],\"8fQs2Z\":[\"Download as\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Download Audio\"],\"+bBcKo\":[\"Download transcript\"],\"5XW2u5\":[\"Download Transcript Options\"],\"hUO5BY\":[\"Drag audio files here or click to select files\"],\"KIjvtr\":[\"Dutch\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo is powered by AI. Please double-check responses.\"],\"o6tfKZ\":[\"ECHO is powered by AI. Please double-check responses.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Edit Conversation\"],\"/8fAkm\":[\"Edit file name\"],\"G2KpGE\":[\"Edit Project\"],\"DdevVt\":[\"Edit Report Content\"],\"0YvCPC\":[\"Edit Resource\"],\"report.editor.description\":[\"Edit the report content using the rich text editor below. You can format text, add links, images, and more.\"],\"F6H6Lg\":[\"Editing mode\"],\"O3oNi5\":[\"Email\"],\"wwiTff\":[\"Email Verification\"],\"Ih5qq/\":[\"Email Verification | Dembrane\"],\"iF3AC2\":[\"Email verified successfully. You will be redirected to the login page in 5 seconds. If you are not redirected, please click <0>here.\"],\"g2N9MJ\":[\"email@work.com\"],\"N2S1rs\":[\"Empty\"],\"DCRKbe\":[\"Enable 2FA\"],\"ycR/52\":[\"Enable Dembrane Echo\"],\"mKGCnZ\":[\"Enable Dembrane ECHO\"],\"Dh2kHP\":[\"Enable Dembrane Reply\"],\"d9rIJ1\":[\"Enable Dembrane Verify\"],\"+ljZfM\":[\"Enable Go deeper\"],\"wGA7d4\":[\"Enable Make it concrete\"],\"G3dSLc\":[\"Enable Report Notifications\"],\"dashboard.dembrane.concrete.description\":[\"Enable this feature to allow participants to create and approve \\\"concrete objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with concrete objects and review them in the overview.\"],\"Idlt6y\":[\"Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed.\"],\"g2qGhy\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Echo\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"pB03mG\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"ECHO\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"dWv3hs\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Get Reply\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"rkE6uN\":[\"Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \\\"Go deeper\\\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests.\"],\"329BBO\":[\"Enable two-factor authentication\"],\"RxzN1M\":[\"Enabled\"],\"IxzwiB\":[\"End of list • All \",[\"0\"],\" conversations loaded\"],\"lYGfRP\":[\"English\"],\"GboWYL\":[\"Enter a key term or proper noun\"],\"TSHJTb\":[\"Enter a name for the new conversation\"],\"KovX5R\":[\"Enter a name for your cloned project\"],\"34YqUw\":[\"Enter a valid code to turn off two-factor authentication.\"],\"2FPsPl\":[\"Enter filename (without extension)\"],\"vT+QoP\":[\"Enter new name for the chat:\"],\"oIn7d4\":[\"Enter the 6-digit code from your authenticator app.\"],\"q1OmsR\":[\"Enter the current six-digit code from your authenticator app.\"],\"nAEwOZ\":[\"Enter your access code\"],\"NgaR6B\":[\"Enter your password\"],\"42tLXR\":[\"Enter your query\"],\"SlfejT\":[\"Error\"],\"Ne0Dr1\":[\"Error cloning project\"],\"AEkJ6x\":[\"Error creating report\"],\"S2MVUN\":[\"Error loading announcements\"],\"xcUDac\":[\"Error loading insights\"],\"edh3aY\":[\"Error loading project\"],\"3Uoj83\":[\"Error loading quotes\"],\"z05QRC\":[\"Error updating report\"],\"hmk+3M\":[\"Error uploading \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Everything looks good – you can continue.\"],\"/PykH1\":[\"Everything looks good – you can continue.\"],\"AAC/NE\":[\"Example: This conversation is about [topic]. Key terms include [term1], [term2]. Please pay special attention to [specific aspect].\"],\"Rsjgm0\":[\"Experimental\"],\"/bsogT\":[\"Explore themes & patterns across all conversations\"],\"sAod0Q\":[\"Exploring \",[\"conversationCount\"],\" conversations\"],\"GS+Mus\":[\"Export\"],\"7Bj3x9\":[\"Failed\"],\"bh2Vob\":[\"Failed to add conversation to chat\"],\"ajvYcJ\":[\"Failed to add conversation to chat\",[\"0\"]],\"9GMUFh\":[\"Failed to approve artefact. Please try again.\"],\"RBpcoc\":[\"Failed to copy chat. Please try again.\"],\"uvu6eC\":[\"Failed to copy transcript. Please try again.\"],\"BVzTya\":[\"Failed to delete response\"],\"p+a077\":[\"Failed to disable Auto Select for this chat\"],\"iS9Cfc\":[\"Failed to enable Auto Select for this chat\"],\"Gu9mXj\":[\"Failed to finish conversation. Please try again.\"],\"vx5bTP\":[\"Failed to generate \",[\"label\"],\". Please try again.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Failed to generate the summary. Please try again later.\"],\"DKxr+e\":[\"Failed to get announcements\"],\"TSt/Iq\":[\"Failed to get the latest announcement\"],\"D4Bwkb\":[\"Failed to get unread announcements count\"],\"AXRzV1\":[\"Failed to load audio or the audio is not available\"],\"T7KYJY\":[\"Failed to mark all announcements as read\"],\"eGHX/x\":[\"Failed to mark announcement as read\"],\"SVtMXb\":[\"Failed to regenerate the summary. Please try again later.\"],\"h49o9M\":[\"Failed to reload. Please try again.\"],\"kE1PiG\":[\"Failed to remove conversation from chat\"],\"+piK6h\":[\"Failed to remove conversation from chat\",[\"0\"]],\"SmP70M\":[\"Failed to retranscribe conversation. Please try again.\"],\"hhLiKu\":[\"Failed to revise artefact. Please try again.\"],\"wMEdO3\":[\"Failed to stop recording on device change. Please try again.\"],\"wH6wcG\":[\"Failed to verify email status. Please try again.\"],\"participant.modal.refine.info.title\":[\"Feature available soon\"],\"87gcCP\":[\"File \\\"\",[\"0\"],\"\\\" exceeds the maximum size of \",[\"1\"],\".\"],\"ena+qV\":[\"File \\\"\",[\"0\"],\"\\\" has an unsupported format. Only audio files are allowed.\"],\"LkIAge\":[\"File \\\"\",[\"0\"],\"\\\" is not a supported audio format. Only audio files are allowed.\"],\"RW2aSn\":[\"File \\\"\",[\"0\"],\"\\\" is too small (\",[\"1\"],\"). Minimum size is \",[\"2\"],\".\"],\"+aBwxq\":[\"File size: Min \",[\"0\"],\", Max \",[\"1\"],\", up to \",[\"MAX_FILES\"],\" files\"],\"o7J4JM\":[\"Filter\"],\"5g0xbt\":[\"Filter audit logs by action\"],\"9clinz\":[\"Filter audit logs by collection\"],\"O39Ph0\":[\"Filter by action\"],\"DiDNkt\":[\"Filter by collection\"],\"participant.button.stop.finish\":[\"Finish\"],\"participant.button.finish.text.mode\":[\"Finish\"],\"participant.button.finish\":[\"Finish\"],\"JmZ/+d\":[\"Finish\"],\"participant.modal.finish.title.text.mode\":[\"Finish Conversation\"],\"4dQFvz\":[\"Finished\"],\"kODvZJ\":[\"First Name\"],\"MKEPCY\":[\"Follow\"],\"JnPIOr\":[\"Follow playback\"],\"glx6on\":[\"Forgot your password?\"],\"nLC6tu\":[\"French\"],\"tSA0hO\":[\"Generate insights from your conversations\"],\"QqIxfi\":[\"Generate secret\"],\"tM4cbZ\":[\"Generate structured meeting notes based on the following discussion points provided in the context.\"],\"gitFA/\":[\"Generate Summary\"],\"kzY+nd\":[\"Generating the summary. Please wait...\"],\"DDcvSo\":[\"German\"],\"u9yLe/\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"participant.refine.go.deeper.description\":[\"Get an immediate reply from Dembrane to help you deepen the conversation.\"],\"TAXdgS\":[\"Give me a list of 5-10 topics that are being discussed.\"],\"CKyk7Q\":[\"Go back\"],\"participant.concrete.artefact.action.button.go.back\":[\"Go back\"],\"IL8LH3\":[\"Go deeper\"],\"participant.refine.go.deeper\":[\"Go deeper\"],\"iWpEwy\":[\"Go home\"],\"A3oCMz\":[\"Go to new conversation\"],\"5gqNQl\":[\"Grid view\"],\"ZqBGoi\":[\"Has verified artifacts\"],\"Yae+po\":[\"Help us translate\"],\"ng2Unt\":[\"Hi, \",[\"0\"]],\"D+zLDD\":[\"Hidden\"],\"G1UUQY\":[\"Hidden gem\"],\"LqWHk1\":[\"Hide \",[\"0\"]],\"u5xmYC\":[\"Hide all\"],\"txCbc+\":[\"Hide all insights\"],\"0lRdEo\":[\"Hide Conversations Without Content\"],\"eHo/Jc\":[\"Hide data\"],\"g4tIdF\":[\"Hide revision data\"],\"i0qMbr\":[\"Home\"],\"LSCWlh\":[\"How would you describe to a colleague what are you trying to accomplish with this project?\\n* What is the north star goal or key metric\\n* What does success look like\"],\"participant.button.i.understand\":[\"I understand\"],\"WsoNdK\":[\"Identify and analyze the recurring themes in this content. Please:\\n\\nExtract patterns that appear consistently across multiple sources\\nLook for underlying principles that connect different ideas\\nIdentify themes that challenge conventional thinking\\nStructure the analysis to show how themes evolve or repeat\\nFocus on insights that reveal deeper organizational or conceptual patterns\\nMaintain analytical depth while being accessible\\nHighlight themes that could inform future decision-making\\n\\nNote: If the content lacks sufficient thematic consistency, let me know we need more diverse material to identify meaningful patterns.\"],\"KbXMDK\":[\"Identify recurring themes, topics, and arguments that appear consistently across conversations. Analyze their frequency, intensity, and consistency. Expected output: 3-7 aspects for small datasets, 5-12 for medium datasets, 8-15 for large datasets. Processing guidance: Focus on distinct patterns that emerge across multiple conversations.\"],\"participant.concrete.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"QJUjB0\":[\"In order to better navigate through the quotes, create additional views. The quotes will then be clustered based on your view.\"],\"IJUcvx\":[\"In the meantime, if you want to analyze the conversations that are still processing, you can use the Chat feature\"],\"aOhF9L\":[\"Include portal link in report\"],\"Dvf4+M\":[\"Include timestamps\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Insight Library\"],\"ZVY8fB\":[\"Insight not found\"],\"sJa5f4\":[\"insights\"],\"3hJypY\":[\"Insights\"],\"crUYYp\":[\"Invalid code. Please request a new one.\"],\"jLr8VJ\":[\"Invalid credentials.\"],\"aZ3JOU\":[\"Invalid token. Please try again.\"],\"1xMiTU\":[\"IP Address\"],\"participant.conversation.error.deleted\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"zT7nbS\":[\"It looks like the conversation was deleted while you were recording. We've stopped the recording to prevent any issues. You can start a new one anytime.\"],\"library.not.available.message\":[\"It looks like the library is not available for your account. Please request access to unlock this feature.\"],\"participant.concrete.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"MbKzYA\":[\"It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly.\"],\"Lj7sBL\":[\"Italiano\"],\"clXffu\":[\"Join \",[\"0\"],\" on Dembrane\"],\"uocCon\":[\"Just a moment\"],\"OSBXx5\":[\"Just now\"],\"0ohX1R\":[\"Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account.\"],\"vXIe7J\":[\"Language\"],\"UXBCwc\":[\"Last Name\"],\"0K/D0Q\":[\"Last saved \",[\"0\"]],\"K7P0jz\":[\"Last Updated\"],\"PIhnIP\":[\"Let us know!\"],\"qhQjFF\":[\"Let's Make Sure We Can Hear You\"],\"exYcTF\":[\"Library\"],\"library.title\":[\"Library\"],\"T50lwc\":[\"Library creation is in progress\"],\"yUQgLY\":[\"Library is currently being processed\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn Post (Experimental)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live audio level:\"],\"TkFXaN\":[\"Live audio level:\"],\"n9yU9X\":[\"Live Preview\"],\"participant.concrete.instructions.loading\":[\"Loading\"],\"yQE2r9\":[\"Loading\"],\"yQ9yN3\":[\"Loading actions...\"],\"participant.concrete.loading.artefact\":[\"Loading artefact\"],\"JOvnq+\":[\"Loading audit logs…\"],\"y+JWgj\":[\"Loading collections...\"],\"ATTcN8\":[\"Loading concrete topics…\"],\"FUK4WT\":[\"Loading microphones...\"],\"H+bnrh\":[\"Loading transcript...\"],\"3DkEi5\":[\"Loading verification topics…\"],\"+yD+Wu\":[\"loading...\"],\"Z3FXyt\":[\"Loading...\"],\"Pwqkdw\":[\"Loading…\"],\"z0t9bb\":[\"Login\"],\"zfB1KW\":[\"Login | Dembrane\"],\"Wd2LTk\":[\"Login as an existing user\"],\"nOhz3x\":[\"Logout\"],\"jWXlkr\":[\"Longest First\"],\"dashboard.dembrane.concrete.title\":[\"Make it concrete\"],\"participant.refine.make.concrete\":[\"Make it concrete\"],\"JSxZVX\":[\"Mark all read\"],\"+s1J8k\":[\"Mark as read\"],\"VxyuRJ\":[\"Meeting Notes\"],\"08d+3x\":[\"Messages from \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Microphone access is still denied. Please check your settings and try again.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Mode\"],\"zMx0gF\":[\"More templates\"],\"QWdKwH\":[\"Move\"],\"CyKTz9\":[\"Move Conversation\"],\"wUTBdx\":[\"Move to Another Project\"],\"Ksvwy+\":[\"Move to Project\"],\"6YtxFj\":[\"Name\"],\"e3/ja4\":[\"Name A-Z\"],\"c5Xt89\":[\"Name Z-A\"],\"isRobC\":[\"New\"],\"Wmq4bZ\":[\"New Conversation Name\"],\"library.new.conversations\":[\"New conversations have been added since the creation of the library. Create a new view to add these to the analysis.\"],\"P/+jkp\":[\"New conversations have been added since the library was generated. Regenerate the library to process them.\"],\"7vhWI8\":[\"New Password\"],\"+VXUp8\":[\"New Project\"],\"+RfVvh\":[\"Newest First\"],\"participant.button.next\":[\"Next\"],\"participant.ready.to.begin.button.text\":[\"Next\"],\"participant.concrete.selection.button.next\":[\"Next\"],\"participant.concrete.instructions.button.next\":[\"Next\"],\"hXzOVo\":[\"Next\"],\"participant.button.finish.no.text.mode\":[\"No\"],\"riwuXX\":[\"No actions found\"],\"WsI5bo\":[\"No announcements available\"],\"Em+3Ls\":[\"No audit logs match the current filters.\"],\"project.sidebar.chat.empty.description\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"YM6Wft\":[\"No chats found. Start a chat using the \\\"Ask\\\" button.\"],\"Qqhl3R\":[\"No collections found\"],\"zMt5AM\":[\"No concrete topics available.\"],\"zsslJv\":[\"No content\"],\"1pZsdx\":[\"No conversations available to create library\"],\"library.no.conversations\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"zM3DDm\":[\"No conversations available to create library. Please add some conversations to get started.\"],\"EtMtH/\":[\"No conversations found.\"],\"BuikQT\":[\"No conversations found. Start a conversation using the participation invite link from the <0><1>project overview.\"],\"meAa31\":[\"No conversations yet\"],\"VInleh\":[\"No insights available. Generate insights for this conversation by visiting<0><1> the project library.\"],\"yTx6Up\":[\"No key terms or proper nouns have been added yet. Add them using the input above to improve transcript accuracy.\"],\"jfhDAK\":[\"No new feedback detected yet. Please continue your discussion and try again soon.\"],\"T3TyGx\":[\"No projects found \",[\"0\"]],\"y29l+b\":[\"No projects found for search term\"],\"ghhtgM\":[\"No quotes available. Generate quotes for this conversation by visiting\"],\"yalI52\":[\"No quotes available. Generate quotes for this conversation by visiting<0><1> the project library.\"],\"ctlSnm\":[\"No report found\"],\"EhV94J\":[\"No resources found.\"],\"Ev2r9A\":[\"No results\"],\"WRRjA9\":[\"No tags found\"],\"LcBe0w\":[\"No tags have been added to this project yet. Add a tag using the text input above to get started.\"],\"bhqKwO\":[\"No Transcript Available\"],\"TmTivZ\":[\"No transcript available for this conversation.\"],\"vq+6l+\":[\"No transcript exists for this conversation yet. Please check back later.\"],\"MPZkyF\":[\"No transcripts are selected for this chat\"],\"AotzsU\":[\"No tutorial (only Privacy statements)\"],\"OdkUBk\":[\"No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"No verification topics are configured for this project.\"],\"2h9aae\":[\"No verification topics available.\"],\"OJx3wK\":[\"Not available\"],\"cH5kXP\":[\"Now\"],\"9+6THi\":[\"Oldest First\"],\"participant.concrete.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.concrete.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"conversation.ongoing\":[\"Ongoing\"],\"J6n7sl\":[\"Ongoing\"],\"uTmEDj\":[\"Ongoing Conversations\"],\"QvvnWK\":[\"Only the \",[\"0\"],\" finished \",[\"1\"],\" will be included in the report right now. \"],\"participant.alert.microphone.access.failure\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"J17dTs\":[\"Oops! It looks like microphone access was denied. No worries, though! We've got a handy troubleshooting guide for you. Feel free to check it out. Once you've resolved the issue, come back and visit this page again to check if your microphone is ready.\"],\"1TNIig\":[\"Open\"],\"NRLF9V\":[\"Open Documentation\"],\"2CyWv2\":[\"Open for Participation?\"],\"participant.button.open.troubleshooting.guide\":[\"Open troubleshooting guide\"],\"7yrRHk\":[\"Open troubleshooting guide\"],\"Hak8r6\":[\"Open your authenticator app and enter the current six-digit code.\"],\"0zpgxV\":[\"Options\"],\"6/dCYd\":[\"Overview\"],\"/fAXQQ\":[\"Overview - Themes & patterns\"],\"6WdDG7\":[\"Page\"],\"Wu++6g\":[\"Page Content\"],\"8F1i42\":[\"Page not found\"],\"6+Py7/\":[\"Page Title\"],\"v8fxDX\":[\"Participant\"],\"Uc9fP1\":[\"Participant Features\"],\"y4n1fB\":[\"Participants will be able to select tags when creating conversations\"],\"8ZsakT\":[\"Password\"],\"w3/J5c\":[\"Password protect portal (request feature)\"],\"lpIMne\":[\"Passwords do not match\"],\"IgrLD/\":[\"Pause\"],\"PTSHeg\":[\"Pause reading\"],\"UbRKMZ\":[\"Pending\"],\"6v5aT9\":[\"Pick the approach that fits your question\"],\"participant.alert.microphone.access\":[\"Please allow microphone access to start the test.\"],\"3flRk2\":[\"Please allow microphone access to start the test.\"],\"SQSc5o\":[\"Please check back later or contact the project owner for more information.\"],\"T8REcf\":[\"Please check your inputs for errors.\"],\"S6iyis\":[\"Please do not close your browser\"],\"n6oAnk\":[\"Please enable participation to enable sharing\"],\"fwrPh4\":[\"Please enter a valid email.\"],\"iMWXJN\":[\"Please keep this screen lit up (black screen = not recording)\"],\"D90h1s\":[\"Please login to continue.\"],\"mUGRqu\":[\"Please provide a concise summary of the following provided in the context.\"],\"ps5D2F\":[\"Please record your response by clicking the \\\"Record\\\" button below. You may also choose to respond in text by clicking the text icon. \\n**Please keep this screen lit up** \\n(black screen = not recording)\"],\"TsuUyf\":[\"Please record your response by clicking the \\\"Start Recording\\\" button below. You may also choose to respond in text by clicking the text icon.\"],\"4TVnP7\":[\"Please select a language for your report\"],\"N63lmJ\":[\"Please select a language for your updated report\"],\"XvD4FK\":[\"Please select at least one source\"],\"hxTGLS\":[\"Please select conversations from the sidebar to proceed\"],\"GXZvZ7\":[\"Please wait \",[\"timeStr\"],\" before requesting another echo.\"],\"Am5V3+\":[\"Please wait \",[\"timeStr\"],\" before requesting another Echo.\"],\"CE1Qet\":[\"Please wait \",[\"timeStr\"],\" before requesting another ECHO.\"],\"Fx1kHS\":[\"Please wait \",[\"timeStr\"],\" before requesting another reply.\"],\"MgJuP2\":[\"Please wait while we generate your report. You will automatically be redirected to the report page.\"],\"library.processing.request\":[\"Please wait while we process your request. You requested to create the library on \",[\"0\"]],\"04DMtb\":[\"Please wait while we process your retranscription request. You will be redirected to the new conversation when ready.\"],\"ei5r44\":[\"Please wait while we update your report. You will automatically be redirected to the report page.\"],\"j5KznP\":[\"Please wait while we verify your email address.\"],\"uRFMMc\":[\"Portal Content\"],\"qVypVJ\":[\"Portal Editor\"],\"g2UNkE\":[\"Powered by\"],\"MPWj35\":[\"Preparing your conversations... This may take a moment.\"],\"/SM3Ws\":[\"Preparing your experience\"],\"ANWB5x\":[\"Print this report\"],\"zwqetg\":[\"Privacy Statements\"],\"qAGp2O\":[\"Proceed\"],\"stk3Hv\":[\"processing\"],\"vrnnn9\":[\"Processing\"],\"kvs/6G\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat.\"],\"q11K6L\":[\"Processing failed for this conversation. This conversation will not be available for analysis and chat. Last Known Status: \",[\"0\"]],\"NQiPr4\":[\"Processing Transcript\"],\"48px15\":[\"Processing your report...\"],\"gzGDMM\":[\"Processing your retranscription request...\"],\"Hie0VV\":[\"Project Created\"],\"xJMpjP\":[\"Project Library | Dembrane\"],\"OyIC0Q\":[\"Project name\"],\"6Z2q2Y\":[\"Project name must be at least 4 characters long\"],\"n7JQEk\":[\"Project not found\"],\"hjaZqm\":[\"Project Overview\"],\"Jbf9pq\":[\"Project Overview | Dembrane\"],\"O1x7Ay\":[\"Project Overview and Edit\"],\"Wsk5pi\":[\"Project Settings\"],\"+0B+ue\":[\"Projects\"],\"Eb7xM7\":[\"Projects | Dembrane\"],\"JQVviE\":[\"Projects Home\"],\"nyEOdh\":[\"Provide an overview of the main topics and recurring themes\"],\"6oqr95\":[\"Provide specific context to improve transcript quality and accuracy. This may include key terms, specific instructions, or other relevant information.\"],\"EEYbdt\":[\"Publish\"],\"u3wRF+\":[\"Published\"],\"E7YTYP\":[\"Pull out the most impactful quotes from this session\"],\"eWLklq\":[\"Quotes\"],\"wZxwNu\":[\"Read aloud\"],\"participant.ready.to.begin\":[\"Ready to Begin?\"],\"ZKOO0I\":[\"Ready to Begin?\"],\"hpnYpo\":[\"Recommended apps\"],\"participant.button.record\":[\"Record\"],\"w80YWM\":[\"Record\"],\"s4Sz7r\":[\"Record another conversation\"],\"participant.modal.pause.title\":[\"Recording Paused\"],\"view.recreate.tooltip\":[\"Recreate View\"],\"view.recreate.modal.title\":[\"Recreate View\"],\"CqnkB0\":[\"Recurring Themes\"],\"9aloPG\":[\"References\"],\"participant.button.refine\":[\"Refine\"],\"lCF0wC\":[\"Refresh\"],\"ZMXpAp\":[\"Refresh audit logs\"],\"844H5I\":[\"Regenerate Library\"],\"bluvj0\":[\"Regenerate Summary\"],\"participant.concrete.regenerating.artefact\":[\"Regenerating the artefact\"],\"oYlYU+\":[\"Regenerating the summary. Please wait...\"],\"wYz80B\":[\"Register | Dembrane\"],\"w3qEvq\":[\"Register as a new user\"],\"7dZnmw\":[\"Relevance\"],\"participant.button.reload.page.text.mode\":[\"Reload Page\"],\"participant.button.reload\":[\"Reload Page\"],\"participant.concrete.artefact.action.button.reload\":[\"Reload Page\"],\"hTDMBB\":[\"Reload Page\"],\"Kl7//J\":[\"Remove Email\"],\"cILfnJ\":[\"Remove file\"],\"CJgPtd\":[\"Remove from this chat\"],\"project.sidebar.chat.rename\":[\"Rename\"],\"2wxgft\":[\"Rename\"],\"XyN13i\":[\"Reply Prompt\"],\"gjpdaf\":[\"Report\"],\"Q3LOVJ\":[\"Report an issue\"],\"DUmD+q\":[\"Report Created - \",[\"0\"]],\"KFQLa2\":[\"Report generation is currently in beta and limited to projects with fewer than 10 hours of recording.\"],\"hIQOLx\":[\"Report Notifications\"],\"lNo4U2\":[\"Report Updated - \",[\"0\"]],\"library.request.access\":[\"Request Access\"],\"uLZGK+\":[\"Request Access\"],\"dglEEO\":[\"Request Password Reset\"],\"u2Hh+Y\":[\"Request Password Reset | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Requesting microphone access to detect available devices...\"],\"MepchF\":[\"Requesting microphone access to detect available devices...\"],\"xeMrqw\":[\"Reset All Options\"],\"KbS2K9\":[\"Reset Password\"],\"UMMxwo\":[\"Reset Password | Dembrane\"],\"L+rMC9\":[\"Reset to default\"],\"s+MGs7\":[\"Resources\"],\"participant.button.stop.resume\":[\"Resume\"],\"v39wLo\":[\"Resume\"],\"sVzC0H\":[\"Retranscribe\"],\"ehyRtB\":[\"Retranscribe conversation\"],\"1JHQpP\":[\"Retranscribe Conversation\"],\"MXwASV\":[\"Retranscription started. New conversation will be available soon.\"],\"6gRgw8\":[\"Retry\"],\"H1Pyjd\":[\"Retry Upload\"],\"9VUzX4\":[\"Review activity for your workspace. Filter by collection or action, and export the current view for further investigation.\"],\"UZVWVb\":[\"Review files before uploading\"],\"3lYF/Z\":[\"Review processing status for every conversation collected in this project.\"],\"participant.concrete.action.button.revise\":[\"Revise\"],\"OG3mVO\":[\"Revision #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Rows per page\"],\"participant.concrete.action.button.save\":[\"Save\"],\"tfDRzk\":[\"Save\"],\"2VA/7X\":[\"Save Error!\"],\"XvjC4F\":[\"Saving...\"],\"nHeO/c\":[\"Scan the QR code or copy the secret into your app.\"],\"oOi11l\":[\"Scroll to bottom\"],\"A1taO8\":[\"Search\"],\"OWm+8o\":[\"Search conversations\"],\"blFttG\":[\"Search projects\"],\"I0hU01\":[\"Search Projects\"],\"RVZJWQ\":[\"Search projects...\"],\"lnWve4\":[\"Search tags\"],\"pECIKL\":[\"Search templates...\"],\"uSvNyU\":[\"Searched through the most relevant sources\"],\"Wj2qJm\":[\"Searching through the most relevant sources\"],\"Y1y+VB\":[\"Secret copied\"],\"Eyh9/O\":[\"See conversation status details\"],\"0sQPzI\":[\"See you soon\"],\"1ZTiaz\":[\"Segments\"],\"H/diq7\":[\"Select a microphone\"],\"NK2YNj\":[\"Select Audio Files to Upload\"],\"/3ntVG\":[\"Select conversations and find exact quotes\"],\"LyHz7Q\":[\"Select conversations from sidebar\"],\"n4rh8x\":[\"Select Project\"],\"ekUnNJ\":[\"Select tags\"],\"CG1cTZ\":[\"Select the instructions that will be shown to participants when they start a conversation\"],\"qxzrcD\":[\"Select the type of feedback or engagement you want to encourage.\"],\"QdpRMY\":[\"Select tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Select which topics participants can use for \\\"Make it concrete\\\".\"],\"participant.select.microphone\":[\"Select your microphone:\"],\"vKH1Ye\":[\"Select your microphone:\"],\"gU5H9I\":[\"Selected Files (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Selected microphone:\"],\"JlFcis\":[\"Send\"],\"VTmyvi\":[\"Sentiment\"],\"NprC8U\":[\"Session Name\"],\"DMl1JW\":[\"Setting up your first project\"],\"Tz0i8g\":[\"Settings\"],\"participant.settings.modal.title\":[\"Settings\"],\"PErdpz\":[\"Settings | Dembrane\"],\"Z8lGw6\":[\"Share\"],\"/XNQag\":[\"Share this report\"],\"oX3zgA\":[\"Share your details here\"],\"Dc7GM4\":[\"Share your voice\"],\"swzLuF\":[\"Share your voice by scanning the QR code below.\"],\"+tz9Ky\":[\"Shortest First\"],\"h8lzfw\":[\"Show \",[\"0\"]],\"lZw9AX\":[\"Show all\"],\"w1eody\":[\"Show audio player\"],\"pzaNzD\":[\"Show data\"],\"yrhNQG\":[\"Show duration\"],\"Qc9KX+\":[\"Show IP addresses\"],\"6lGV3K\":[\"Show less\"],\"fMPkxb\":[\"Show more\"],\"3bGwZS\":[\"Show references\"],\"OV2iSn\":[\"Show revision data\"],\"3Sg56r\":[\"Show timeline in report (request feature)\"],\"DLEIpN\":[\"Show timestamps (experimental)\"],\"Tqzrjk\":[\"Showing \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" of \",[\"totalItems\"],\" entries\"],\"dbWo0h\":[\"Sign in with Google\"],\"participant.mic.check.button.skip\":[\"Skip\"],\"6Uau97\":[\"Skip\"],\"lH0eLz\":[\"Skip data privacy slide (Host manages consent)\"],\"b6NHjr\":[\"Skip data privacy slide (Host manages legal base)\"],\"4Q9po3\":[\"Some conversations are still being processed. Auto-select will work optimally once audio processing is complete.\"],\"q+pJ6c\":[\"Some files were already selected and won't be added twice.\"],\"nwtY4N\":[\"Something went wrong\"],\"participant.conversation.error.text.mode\":[\"Something went wrong\"],\"participant.conversation.error\":[\"Something went wrong\"],\"avSWtK\":[\"Something went wrong while exporting audit logs.\"],\"q9A2tm\":[\"Something went wrong while generating the secret.\"],\"JOKTb4\":[\"Something went wrong while uploading the file: \",[\"0\"]],\"KeOwCj\":[\"Something went wrong with the conversation. Please try refreshing the page or contact support if the issue persists\"],\"participant.go.deeper.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>Go deeper button, or contact support if the issue continues.\"],\"fWsBTs\":[\"Something went wrong. Please try again.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"f6Hub0\":[\"Sort\"],\"/AhHDE\":[\"Source \",[\"0\"]],\"u7yVRn\":[\"Sources:\"],\"65A04M\":[\"Spanish\"],\"zuoIYL\":[\"Speaker\"],\"z5/5iO\":[\"Specific Context\"],\"mORM2E\":[\"Specific Details\"],\"Etejcu\":[\"Specific Details - Selected conversations\"],\"participant.button.start.new.conversation.text.mode\":[\"Start New Conversation\"],\"participant.button.start.new.conversation\":[\"Start New Conversation\"],\"c6FrMu\":[\"Start New Conversation\"],\"i88wdJ\":[\"Start over\"],\"pHVkqA\":[\"Start Recording\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stop\"],\"participant.button.stop\":[\"Stop\"],\"kimwwT\":[\"Strategic Planning\"],\"hQRttt\":[\"Submit\"],\"participant.button.submit.text.mode\":[\"Submit\"],\"0Pd4R1\":[\"Submitted via text input\"],\"zzDlyQ\":[\"Success\"],\"bh1eKt\":[\"Suggested:\"],\"F1nkJm\":[\"Summarize\"],\"4ZpfGe\":[\"Summarize key insights from my interviews\"],\"5Y4tAB\":[\"Summarize this interview into a shareable article\"],\"dXoieq\":[\"Summary\"],\"g6o+7L\":[\"Summary generated successfully.\"],\"kiOob5\":[\"Summary not available yet\"],\"OUi+O3\":[\"Summary regenerated successfully.\"],\"Pqa6KW\":[\"Summary will be available once the conversation is transcribed\"],\"6ZHOF8\":[\"Supported formats: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Switch to text input\"],\"D+NlUC\":[\"System\"],\"OYHzN1\":[\"Tags\"],\"nlxlmH\":[\"Take some time to create an outcome that makes your contribution concrete or get an immediate reply from Dembrane to help you deepen the conversation.\"],\"eyu39U\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"participant.refine.make.concrete.description\":[\"Take some time to create an outcome that makes your contribution concrete.\"],\"QCchuT\":[\"Template applied\"],\"iTylMl\":[\"Templates\"],\"xeiujy\":[\"Text\"],\"CPN34F\":[\"Thank you for participating!\"],\"EM1Aiy\":[\"Thank You Page\"],\"u+Whi9\":[\"Thank You Page Content\"],\"5KEkUQ\":[\"Thank you! We'll notify you when the report is ready.\"],\"2yHHa6\":[\"That code didn't work. Try again with a fresh code from your authenticator app.\"],\"TQCE79\":[\"The code didn't work, please try again.\"],\"participant.conversation.error.loading.text.mode\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"participant.conversation.error.loading\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"nO942E\":[\"The conversation could not be loaded. Please try again or contact support.\"],\"Jo19Pu\":[\"The following conversations were automatically added to the context\"],\"Lngj9Y\":[\"The Portal is the website that loads when participants scan the QR code.\"],\"bWqoQ6\":[\"the project library.\"],\"hTCMdd\":[\"The summary is being generated. Please wait for it to be available.\"],\"+AT8nl\":[\"The summary is being regenerated. Please wait for it to be available.\"],\"iV8+33\":[\"The summary is being regenerated. Please wait for the new summary to be available.\"],\"AgC2rn\":[\"The summary is being regenerated. Please wait upto 2 minutes for the new summary to be available.\"],\"PTNxDe\":[\"The transcript for this conversation is being processed. Please check back later.\"],\"FEr96N\":[\"Theme\"],\"T8rsM6\":[\"There was an error cloning your project. Please try again or contact support.\"],\"JDFjCg\":[\"There was an error creating your report. Please try again or contact support.\"],\"e3JUb8\":[\"There was an error generating your report. In the meantime, you can analyze all your data using the library or select specific conversations to chat with.\"],\"7qENSx\":[\"There was an error updating your report. Please try again or contact support.\"],\"V7zEnY\":[\"There was an error verifying your email. Please try again.\"],\"gtlVJt\":[\"These are some helpful preset templates to get you started.\"],\"sd848K\":[\"These are your default view templates. Once you create your library these will be your first two views.\"],\"8xYB4s\":[\"These default view templates will be generated when you create your first library.\"],\"Ed99mE\":[\"Thinking...\"],\"conversation.linked_conversations.description\":[\"This conversation has the following copies:\"],\"conversation.linking_conversations.description\":[\"This conversation is a copy of\"],\"dt1MDy\":[\"This conversation is still being processed. It will be available for analysis and chat shortly.\"],\"5ZpZXq\":[\"This conversation is still being processed. It will be available for analysis and chat shortly. \"],\"SzU1mG\":[\"This email is already in the list.\"],\"JtPxD5\":[\"This email is already subscribed to notifications.\"],\"participant.modal.refine.info.available.in\":[\"This feature will be available in \",[\"remainingTime\"],\" seconds.\"],\"QR7hjh\":[\"This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes.\"],\"library.description\":[\"This is your project library. Create views to analyse your entire project at once.\"],\"gqYJin\":[\"This is your project library. Currently, \",[\"0\"],\" conversations are waiting to be processed.\"],\"sNnJJH\":[\"This is your project library. Currently,\",[\"0\"],\" conversations are waiting to be processed.\"],\"tJL2Lh\":[\"This language will be used for the Participant's Portal and transcription.\"],\"BAUPL8\":[\"This language will be used for the Participant's Portal and transcription. To change the language of this application, please use the language picker through the settings in the header.\"],\"zyA8Hj\":[\"This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead.\"],\"Gbd5HD\":[\"This language will be used for the Participant's Portal.\"],\"9ww6ML\":[\"This page is shown after the participant has completed the conversation.\"],\"1gmHmj\":[\"This page is shown to participants when they start a conversation after they successfully complete the tutorial.\"],\"bEbdFh\":[\"This project library was generated on\"],\"No7/sO\":[\"This project library was generated on \",[\"0\"],\".\"],\"nYeaxs\":[\"This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage.\"],\"Yig29e\":[\"This report is not yet available. \"],\"GQTpnY\":[\"This report was opened by \",[\"0\"],\" people\"],\"okY/ix\":[\"This summary is AI-generated and brief, for thorough analysis, use the Chat or Library.\"],\"hwyBn8\":[\"This title is shown to participants when they start a conversation\"],\"Dj5ai3\":[\"This will clear your current input. Are you sure?\"],\"NrRH+W\":[\"This will create a copy of the current project. Only settings and tags are copied. Reports, chats and conversations are not included in the clone. You will be redirected to the new project after cloning.\"],\"hsNXnX\":[\"This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged.\"],\"participant.concrete.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.concrete.loading.artefact.description\":[\"This will just take a moment\"],\"n4l4/n\":[\"This will replace personally identifiable information with .\"],\"Ww6cQ8\":[\"Time Created\"],\"8TMaZI\":[\"Timestamp\"],\"rm2Cxd\":[\"Tip\"],\"MHrjPM\":[\"Title\"],\"5h7Z+m\":[\"To assign a new tag, please create it first in the project overview.\"],\"o3rowT\":[\"To generate a report, please start by adding conversations in your project\"],\"sFMBP5\":[\"Topics\"],\"ONchxy\":[\"total\"],\"fp5rKh\":[\"Transcribing...\"],\"DDziIo\":[\"Transcript\"],\"hfpzKV\":[\"Transcript copied to clipboard\"],\"AJc6ig\":[\"Transcript not available\"],\"N/50DC\":[\"Transcript Settings\"],\"FRje2T\":[\"Transcription in progress...\"],\"0l9syB\":[\"Transcription in progress…\"],\"H3fItl\":[\"Transform these transcripts into a LinkedIn post that cuts through the noise. Please:\\n\\nExtract the most compelling insights - skip anything that sounds like standard business advice\\nWrite it like a seasoned leader who challenges conventional wisdom, not a motivational poster\\nFind one genuinely unexpected observation that would make even experienced professionals pause\\nMaintain intellectual depth while being refreshingly direct\\nOnly use data points that actually challenge assumptions\\nKeep formatting clean and professional (minimal emojis, thoughtful spacing)\\nStrike a tone that suggests both deep expertise and real-world experience\\n\\nNote: If the content doesn't contain any substantive insights, please let me know we need stronger source material. I'm looking to contribute real value to the conversation, not add to the noise.\"],\"53dSNP\":[\"Transform this content into insights that actually matter. Please:\\n\\nExtract core ideas that challenge standard thinking\\nWrite like someone who understands nuance, not a textbook\\nFocus on the non-obvious implications\\nKeep it sharp and substantive\\nOnly highlight truly meaningful patterns\\nStructure for clarity and impact\\nBalance depth with accessibility\\n\\nNote: If the similarities/differences are too superficial, let me know we need more complex material to analyze.\"],\"uK9JLu\":[\"Transform this discussion into actionable intelligence. Please:\\n\\nCapture the strategic implications, not just talking points\\nStructure it like a thought leader's analysis, not minutes\\nHighlight decision points that challenge standard thinking\\nKeep the signal-to-noise ratio high\\nFocus on insights that drive real change\\nOrganize for clarity and future reference\\nBalance tactical details with strategic vision\\n\\nNote: If the discussion lacks substantial decision points or insights, flag it for deeper exploration next time.\"],\"qJb6G2\":[\"Try Again\"],\"eP1iDc\":[\"Try asking\"],\"goQEqo\":[\"Try moving a bit closer to your microphone for better sound quality.\"],\"EIU345\":[\"Two-factor authentication\"],\"NwChk2\":[\"Two-factor authentication disabled\"],\"qwpE/S\":[\"Two-factor authentication enabled\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Type a message...\"],\"EvmL3X\":[\"Type your response here\"],\"participant.concrete.artefact.error.title\":[\"Unable to Load Artefact\"],\"MksxNf\":[\"Unable to load audit logs.\"],\"8vqTzl\":[\"Unable to load the generated artefact. Please try again.\"],\"nGxDbq\":[\"Unable to process this chunk\"],\"9uI/rE\":[\"Undo\"],\"Ef7StM\":[\"Unknown\"],\"H899Z+\":[\"unread announcement\"],\"0pinHa\":[\"unread announcements\"],\"sCTlv5\":[\"Unsaved changes\"],\"SMaFdc\":[\"Unsubscribe\"],\"jlrVDp\":[\"Untitled Conversation\"],\"EkH9pt\":[\"Update\"],\"3RboBp\":[\"Update Report\"],\"4loE8L\":[\"Update the report to include the latest data\"],\"Jv5s94\":[\"Update your report to include the latest changes in your project. The link to share the report would remain the same.\"],\"kwkhPe\":[\"Upgrade\"],\"UkyAtj\":[\"Upgrade to unlock Auto-select and analyze 10x more conversations in half the time—no more manual selection, just deeper insights instantly.\"],\"ONWvwQ\":[\"Upload\"],\"8XD6tj\":[\"Upload Audio\"],\"kV3A2a\":[\"Upload Complete\"],\"4Fr6DA\":[\"Upload conversations\"],\"pZq3aX\":[\"Upload failed. Please try again.\"],\"HAKBY9\":[\"Upload Files\"],\"Wft2yh\":[\"Upload in progress\"],\"JveaeL\":[\"Upload resources\"],\"3wG7HI\":[\"Uploaded\"],\"k/LaWp\":[\"Uploading Audio Files...\"],\"VdaKZe\":[\"Use experimental features\"],\"rmMdgZ\":[\"Use PII Redaction\"],\"ngdRFH\":[\"Use Shift + Enter to add a new line\"],\"GWpt68\":[\"Verification Topics\"],\"c242dc\":[\"verified\"],\"conversation.filters.verified.text\":[\"Verified\"],\"swn5Tq\":[\"verified artefact\"],\"ob18eo\":[\"Verified Artefacts\"],\"Iv1iWN\":[\"verified artifacts\"],\"4LFZoj\":[\"Verify code\"],\"jpctdh\":[\"View\"],\"+fxiY8\":[\"View conversation details\"],\"H1e6Hv\":[\"View Conversation Status\"],\"SZw9tS\":[\"View Details\"],\"D4e7re\":[\"View your responses\"],\"tzEbkt\":[\"Wait \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Want to add a template to \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Want to add a template to ECHO?\"],\"r6y+jM\":[\"Warning\"],\"pUTmp1\":[\"Warning: You have added \",[\"0\"],\" key terms. Only the first \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" will be used by the transcription engine.\"],\"participant.alert.microphone.access.issue\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"SrJOPD\":[\"We cannot hear you. Please try changing your microphone or get a little closer to the device.\"],\"Ul0g2u\":[\"We couldn’t disable two-factor authentication. Try again with a fresh code.\"],\"sM2pBB\":[\"We couldn’t enable two-factor authentication. Double-check your code and try again.\"],\"Ewk6kb\":[\"We couldn't load the audio. Please try again later.\"],\"xMeAeQ\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder.\"],\"9qYWL7\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact evelien@dembrane.com\"],\"3fS27S\":[\"We have sent you an email with next steps. If you don't see it, check your spam folder. If you still don't see it, please contact jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"We need a bit more context to help you refine effectively. Please continue recording so we can provide better suggestions.\"],\"dni8nq\":[\"We will only send you a message if your host generates a report, we never share your details with anyone. You can opt out at any time.\"],\"participant.test.microphone.description\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"tQtKw5\":[\"We'll test your microphone to ensure the best experience for everyone in the session.\"],\"+eLc52\":[\"We’re picking up some silence. Try speaking up so your voice comes through clearly.\"],\"6jfS51\":[\"Welcome\"],\"9eF5oV\":[\"Welcome back\"],\"i1hzzO\":[\"Welcome to Big Picture Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Details mode.\"],\"fwEAk/\":[\"Welcome to Dembrane Chat! Use the sidebar to select resources and conversations that you want to analyse. Then, you can ask questions about the selected resources and conversations.\"],\"AKBU2w\":[\"Welcome to Dembrane!\"],\"TACmoL\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Deep Dive mode.\"],\"u4aLOz\":[\"Welcome to Overview Mode! I have summaries of all your conversations loaded. Ask me about patterns, themes, and insights across your data. For exact quotes, start a new chat in Specific Context mode.\"],\"Bck6Du\":[\"Welcome to Reports!\"],\"aEpQkt\":[\"Welcome to Your Home! Here you can see all your projects and get access to tutorial resources. Currently, you have no projects. Click \\\"Create\\\" to configure to get started!\"],\"klH6ct\":[\"Welcome!\"],\"Tfxjl5\":[\"What are the main themes across all conversations?\"],\"participant.concrete.selection.title\":[\"What do you want to make concrete?\"],\"fyMvis\":[\"What patterns emerge from the data?\"],\"qGrqH9\":[\"What were the key moments in this conversation?\"],\"FXZcgH\":[\"What would you like to explore?\"],\"KcnIXL\":[\"will be included in your report\"],\"participant.button.finish.yes.text.mode\":[\"Yes\"],\"kWJmRL\":[\"You\"],\"Dl7lP/\":[\"You are already unsubscribed or your link is invalid.\"],\"E71LBI\":[\"You can only upload up to \",[\"MAX_FILES\"],\" files at a time. Only the first \",[\"0\"],\" files will be added.\"],\"tbeb1Y\":[\"You can still use the Ask feature to chat with any conversation\"],\"participant.modal.change.mic.confirmation.text\":[\"You have changed the mic. Doing this will save your audio till this point and restart your recording.\"],\"vCyT5z\":[\"You have some conversations that have not been processed yet. Regenerate the library to process them.\"],\"T/Q7jW\":[\"You have successfully unsubscribed.\"],\"lTDtES\":[\"You may also choose to record another conversation.\"],\"1kxxiH\":[\"You may choose to add a list of proper nouns, names, or other information that may be relevant to the conversation. This will be used to improve the quality of the transcripts.\"],\"yCtSKg\":[\"You must login with the same provider you used to sign up. If you face any issues, please contact support.\"],\"snMcrk\":[\"You seem to be offline, please check your internet connection\"],\"participant.concrete.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to make them concrete.\"],\"participant.concrete.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"Pw2f/0\":[\"Your conversation is currently being transcribed. Please check back in a few moments.\"],\"OFDbfd\":[\"Your Conversations\"],\"aZHXuZ\":[\"Your inputs will be saved automatically.\"],\"PUWgP9\":[\"Your library is empty. Create a library to see your first insights.\"],\"B+9EHO\":[\"Your response has been recorded. You may now close this tab.\"],\"wurHZF\":[\"Your responses\"],\"B8Q/i2\":[\"Your view has been created. Please wait as we process and analyse the data.\"],\"library.views.title\":[\"Your Views\"],\"lZNgiw\":[\"Your Views\"]}")as Messages; \ No newline at end of file diff --git a/echo/frontend/src/locales/nl-NL.po b/echo/frontend/src/locales/nl-NL.po index e2ab667f..0eea767d 100644 --- a/echo/frontend/src/locales/nl-NL.po +++ b/echo/frontend/src/locales/nl-NL.po @@ -109,7 +109,7 @@ msgstr "\"Verfijnen\" is binnenkort beschikbaar" #: src/routes/project/chat/ProjectChatRoute.tsx:559 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 -#: src/components/project/ProjectPortalEditor.tsx:432 +#: src/components/project/ProjectPortalEditor.tsx:433 #: src/components/chat/References.tsx:29 msgid "{0}" msgstr "{0}" @@ -210,7 +210,7 @@ msgstr "Vink aan wat van toepassing is" #~ msgid "Add context to document" #~ msgstr "Voeg context toe aan document" -#: src/components/project/ProjectPortalEditor.tsx:126 +#: src/components/project/ProjectPortalEditor.tsx:127 msgid "Add key terms or proper nouns to improve transcript quality and accuracy." msgstr "Voeg belangrijke woorden of namen toe om de kwaliteit en nauwkeurigheid van het transcript te verbeteren." @@ -241,7 +241,7 @@ msgstr "Toegevoegde e-mails" msgid "Adding Context:" msgstr "Context toevoegen:" -#: src/components/project/ProjectPortalEditor.tsx:543 +#: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Geavanceerd (Tips en best practices)" @@ -249,7 +249,7 @@ msgstr "Geavanceerd (Tips en best practices)" #~ msgid "Advanced (Tips and tricks)" #~ msgstr "Geavanceerd (Tips en trucs)" -#: src/components/project/ProjectPortalEditor.tsx:1053 +#: src/components/project/ProjectPortalEditor.tsx:1055 msgid "Advanced Settings" msgstr "Geavanceerde instellingen" @@ -352,7 +352,7 @@ msgid "participant.concrete.action.button.approve" msgstr "Goedkeuren" #. js-lingui-explicit-id -#: src/components/conversation/VerifiedArtefactsSection.tsx:113 +#: src/components/conversation/VerifiedArtefactsSection.tsx:114 msgid "conversation.verified.approved" msgstr "Goedgekeurd" @@ -421,11 +421,11 @@ msgstr "Artefact succesvol herzien!" msgid "Artefact updated successfully!" msgstr "Artefact succesvol bijgewerkt!" -#: src/components/conversation/VerifiedArtefactsSection.tsx:92 +#: src/components/conversation/VerifiedArtefactsSection.tsx:93 msgid "artefacts" msgstr "Artefacten" -#: src/components/conversation/VerifiedArtefactsSection.tsx:87 +#: src/components/conversation/VerifiedArtefactsSection.tsx:88 msgid "Artefacts" msgstr "Artefacten" @@ -442,11 +442,11 @@ msgstr "Stel vraag" #~ msgid "Ask AI" #~ msgstr "Vraag AI" -#: src/components/project/ProjectPortalEditor.tsx:480 +#: src/components/project/ProjectPortalEditor.tsx:482 msgid "Ask for Name?" msgstr "Vraag om naam?" -#: src/components/project/ProjectPortalEditor.tsx:493 +#: src/components/project/ProjectPortalEditor.tsx:495 msgid "Ask participants to provide their name when they start a conversation" msgstr "Vraag deelnemers om hun naam te geven wanneer ze een gesprek starten" @@ -469,7 +469,7 @@ msgstr "Aspecten" #~ msgid "At least one topic must be selected to enable Dembrane Verify" #~ msgstr "Er moet minstens één onderwerp zijn geselecteerd om Dembrane Verify in te schakelen." -#: src/components/project/ProjectPortalEditor.tsx:877 +#: src/components/project/ProjectPortalEditor.tsx:879 msgid "At least one topic must be selected to enable Make it concrete" msgstr "Selecteer minimaal één onderwerp om Maak het concreet aan te zetten" @@ -533,12 +533,12 @@ msgid "Available" msgstr "Beschikbaar" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:360 +#: src/components/participant/ParticipantOnboardingCards.tsx:385 msgid "participant.button.back.microphone" msgstr "Terug naar microfoon" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:381 +#: src/components/participant/ParticipantOnboardingCards.tsx:406 #: src/components/layout/ParticipantHeader.tsx:67 msgid "participant.button.back" msgstr "Terug" @@ -550,11 +550,11 @@ msgstr "Terug" msgid "Back to Selection" msgstr "Terug naar selectie" -#: src/components/project/ProjectPortalEditor.tsx:539 +#: src/components/project/ProjectPortalEditor.tsx:541 msgid "Basic (Essential tutorial slides)" msgstr "Basis (Alleen essentiële tutorial slides)" -#: src/components/project/ProjectPortalEditor.tsx:446 +#: src/components/project/ProjectPortalEditor.tsx:447 msgid "Basic Settings" msgstr "Basis instellingen" @@ -570,8 +570,8 @@ msgid "Beta" msgstr "Bèta" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:568 -#: src/components/project/ProjectPortalEditor.tsx:768 +#: src/components/project/ProjectPortalEditor.tsx:570 +#: src/components/project/ProjectPortalEditor.tsx:770 msgid "dashboard.dembrane.concrete.beta" msgstr "Bèta" @@ -581,7 +581,7 @@ msgstr "Bèta" #~ msgid "Big Picture - Themes & patterns" #~ msgstr "Big Picture - Thema’s & patronen" -#: src/components/project/ProjectPortalEditor.tsx:686 +#: src/components/project/ProjectPortalEditor.tsx:688 msgid "Brainstorm Ideas" msgstr "Brainstorm ideeën" @@ -626,7 +626,7 @@ msgstr "Kan geen leeg gesprek toevoegen" msgid "Changes will be saved automatically" msgstr "Wijzigingen worden automatisch opgeslagen" -#: src/components/language/LanguagePicker.tsx:71 +#: src/components/language/LanguagePicker.tsx:77 msgid "Changing language during an active chat may lead to unexpected results. It's recommended to start a new chat after changing the language. Are you sure you want to continue?" msgstr "Wijziging van de taal tijdens een actief gesprek kan onverwachte resultaten opleveren. Het wordt aanbevolen om een nieuw gesprek te starten na het wijzigen van de taal. Weet je zeker dat je wilt doorgaan?" @@ -707,7 +707,7 @@ msgstr "Vergelijk" msgid "Complete" msgstr "Voltooid" -#: src/components/project/ProjectPortalEditor.tsx:815 +#: src/components/project/ProjectPortalEditor.tsx:817 msgid "Concrete Topics" msgstr "Concreet maken" @@ -761,7 +761,7 @@ msgid "Context added:" msgstr "Context toegevoegd:" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:368 +#: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 msgid "participant.button.continue" msgstr "Doorgaan" @@ -832,7 +832,7 @@ msgid "participant.refine.cooling.down" msgstr "Even afkoelen. Beschikbaar over {0}" #: src/components/settings/TwoFactorSettingsCard.tsx:431 -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 #: src/components/conversation/CopyConversationTranscript.tsx:47 #: src/components/common/CopyRichTextIconButton.tsx:29 #: src/components/common/CopyIconButton.tsx:17 @@ -844,7 +844,7 @@ msgstr "Gekopieerd" msgid "Copy" msgstr "Kopieer" -#: src/components/project/ProjectQRCode.tsx:121 +#: src/components/project/ProjectQRCode.tsx:125 msgid "Copy link" msgstr "Kopieer link" @@ -920,7 +920,7 @@ msgstr "Maak view aan" msgid "Created on" msgstr "Gemaakt op" -#: src/components/project/ProjectPortalEditor.tsx:715 +#: src/components/project/ProjectPortalEditor.tsx:717 msgid "Custom" msgstr "Aangepast" @@ -943,11 +943,11 @@ msgstr "Aangepaste bestandsnaam" #~ msgid "dashboard.dembrane.verify.topic.select" #~ msgstr "Selecteer welke onderwerpen deelnemers voor verificatie kunnen gebruiken." -#: src/components/project/ProjectPortalEditor.tsx:655 +#: src/components/project/ProjectPortalEditor.tsx:657 msgid "Default" msgstr "Standaard" -#: src/components/project/ProjectPortalEditor.tsx:535 +#: src/components/project/ProjectPortalEditor.tsx:537 msgid "Default - No tutorial (Only privacy statements)" msgstr "Standaard - Geen tutorial (Alleen privacy verklaringen)" @@ -1048,7 +1048,7 @@ msgstr "Wil je op de hoogte blijven?" #~ msgid "Document was deleted" #~ msgstr "Document is verwijderd" -#: src/components/layout/Header.tsx:181 +#: src/components/layout/Header.tsx:182 msgid "Documentation" msgstr "Documentatie" @@ -1093,7 +1093,7 @@ msgstr "Sleep audio bestanden hierheen of klik om bestanden te selecteren" #~ msgid "Drag documents here or select files" #~ msgstr "Sleep documenten hierheen of selecteer bestanden" -#: src/components/project/ProjectPortalEditor.tsx:464 +#: src/components/project/ProjectPortalEditor.tsx:465 msgid "Dutch" msgstr "Nederlands" @@ -1178,24 +1178,24 @@ msgstr "2FA inschakelen" #~ msgid "Enable Dembrane Verify" #~ msgstr "Dembrane Verify inschakelen" -#: src/components/project/ProjectPortalEditor.tsx:592 +#: src/components/project/ProjectPortalEditor.tsx:594 msgid "Enable Go deeper" msgstr "Ga dieper aanzetten" -#: src/components/project/ProjectPortalEditor.tsx:792 +#: src/components/project/ProjectPortalEditor.tsx:794 msgid "Enable Make it concrete" msgstr "Maak het concreet aanzetten" -#: src/components/project/ProjectPortalEditor.tsx:930 +#: src/components/project/ProjectPortalEditor.tsx:932 msgid "Enable Report Notifications" msgstr "Rapportmeldingen inschakelen" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:775 +#: src/components/project/ProjectPortalEditor.tsx:777 msgid "dashboard.dembrane.concrete.description" msgstr "Laat deelnemers AI-ondersteunde feedback krijgen op hun gesprekken met Maak het concreet." -#: src/components/project/ProjectPortalEditor.tsx:914 +#: src/components/project/ProjectPortalEditor.tsx:916 msgid "Enable this feature to allow participants to receive notifications when a report is published or updated. Participants can enter their email to subscribe for updates and stay informed." msgstr "Schakel deze functie in zodat deelnemers meldingen kunnen ontvangen wanneer een rapport wordt gepubliceerd of bijgewerkt. Deelnemers kunnen hun e-mailadres invoeren om zich te abonneren op updates." @@ -1208,7 +1208,7 @@ msgstr "Schakel deze functie in zodat deelnemers meldingen kunnen ontvangen wann #~ msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Get Reply\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." #~ msgstr "Schakel deze functie in zodat deelnemers AI-suggesties kunnen opvragen tijdens het gesprek. Deelnemers kunnen na het vastleggen van hun gedachten op \"ECHO\" klikken voor contextuele feedback, wat diepere reflectie en betrokkenheid stimuleert. Tussen elke aanvraag zit een korte pauze." -#: src/components/project/ProjectPortalEditor.tsx:575 +#: src/components/project/ProjectPortalEditor.tsx:577 msgid "Enable this feature to allow participants to request AI-powered responses during their conversation. Participants can click \"Go deeper\" after recording their thoughts to receive contextual feedback, encouraging deeper reflection and engagement. A cooldown period applies between requests." msgstr "Zet deze functie aan zodat deelnemers AI-antwoorden kunnen vragen tijdens hun gesprek. Na het inspreken van hun gedachten kunnen ze op \"Go deeper\" klikken voor contextuele feedback, zodat ze dieper gaan nadenken en meer betrokken raken. Er zit een wachttijd tussen verzoeken." @@ -1224,11 +1224,11 @@ msgstr "Ingeschakeld" #~ msgid "End of list • All {0} conversations loaded" #~ msgstr "Einde van de lijst • Alle {0} gesprekken geladen" -#: src/components/project/ProjectPortalEditor.tsx:463 +#: src/components/project/ProjectPortalEditor.tsx:464 msgid "English" msgstr "Engels" -#: src/components/project/ProjectPortalEditor.tsx:133 +#: src/components/project/ProjectPortalEditor.tsx:134 msgid "Enter a key term or proper noun" msgstr "Voer een sleutelterm of eigennamen in" @@ -1379,7 +1379,7 @@ msgstr "Fout bij het inschakelen van het automatisch selecteren voor deze chat" msgid "Failed to finish conversation. Please try again." msgstr "Fout bij het voltooien van het gesprek. Probeer het opnieuw." -#: src/components/participant/verify/VerifySelection.tsx:141 +#: src/components/participant/verify/VerifySelection.tsx:142 msgid "Failed to generate {label}. Please try again." msgstr "Fout bij het genereren van {label}. Probeer het opnieuw." @@ -1540,7 +1540,7 @@ msgstr "Voornaam" msgid "Forgot your password?" msgstr "Wachtwoord vergeten?" -#: src/components/project/ProjectPortalEditor.tsx:467 +#: src/components/project/ProjectPortalEditor.tsx:468 msgid "French" msgstr "Frans" @@ -1563,7 +1563,7 @@ msgstr "Samenvatting genereren" msgid "Generating the summary. Please wait..." msgstr "Samenvatting wordt gemaakt. Even wachten..." -#: src/components/project/ProjectPortalEditor.tsx:465 +#: src/components/project/ProjectPortalEditor.tsx:466 msgid "German" msgstr "Duits" @@ -1592,7 +1592,7 @@ msgstr "Ga terug" msgid "participant.concrete.artefact.action.button.go.back" msgstr "Terug" -#: src/components/project/ProjectPortalEditor.tsx:564 +#: src/components/project/ProjectPortalEditor.tsx:566 msgid "Go deeper" msgstr "Ga dieper" @@ -1622,8 +1622,12 @@ msgstr "Bevat geverifieerde artefacten" #~ msgid "Hello, I will be your research assistant today. To get started please upload the documents you want to analyse." #~ msgstr "Hallo, ik ben vandaag je onderzoeksassistent. Om te beginnen upload je de documenten die je wilt analyseren." +#: src/components/layout/Header.tsx:194 +msgid "Help us translate" +msgstr "Help ons te vertalen" + #. placeholder {0}: user.first_name ?? "User" -#: src/components/layout/Header.tsx:159 +#: src/components/layout/Header.tsx:160 msgid "Hi, {0}" msgstr "Hallo, {0}" @@ -1634,7 +1638,7 @@ msgstr "Hallo, {0}" msgid "Hidden" msgstr "Verborgen" -#: src/components/participant/verify/VerifySelection.tsx:113 +#: src/components/participant/verify/VerifySelection.tsx:114 msgid "Hidden gem" msgstr "Verborgen parel" @@ -1778,11 +1782,15 @@ msgstr "Er ging iets mis bij het laden van je tekst. Probeer het nog een keer." msgid "It sounds like more than one person is speaking. Taking turns will help us hear everyone clearly." msgstr "Het lijkt erop dat meer dan één persoon spreekt. Het afwisselen zal ons helpen iedereen duidelijk te horen." +#: src/components/project/ProjectPortalEditor.tsx:469 +msgid "Italian" +msgstr "Italiaans" + #~ msgid "Join" #~ msgstr "Aansluiten" #. placeholder {0}: project?.default_conversation_title ?? "the conversation" -#: src/components/project/ProjectQRCode.tsx:99 +#: src/components/project/ProjectQRCode.tsx:103 msgid "Join {0} on Dembrane" msgstr "Aansluiten {0} op Dembrane" @@ -1797,7 +1805,7 @@ msgstr "Gewoon een momentje" msgid "Keep access secure with a one-time code from your authenticator app. Toggle two-factor authentication for this account." msgstr "Houd de toegang veilig met een eenmalige code uit je authenticator-app. Gebruik deze schakelaar om tweestapsverificatie voor dit account te beheren." -#: src/components/project/ProjectPortalEditor.tsx:456 +#: src/components/project/ProjectPortalEditor.tsx:457 msgid "Language" msgstr "Taal" @@ -1872,7 +1880,7 @@ msgstr "Live audio niveau:" #~ msgid "Live audio level:" #~ msgstr "Live audio level:" -#: src/components/project/ProjectPortalEditor.tsx:1124 +#: src/components/project/ProjectPortalEditor.tsx:1126 msgid "Live Preview" msgstr "Live Voorbeeld" @@ -1902,7 +1910,7 @@ msgstr "Auditlogboeken worden geladen…" msgid "Loading collections..." msgstr "Collecties worden geladen..." -#: src/components/project/ProjectPortalEditor.tsx:831 +#: src/components/project/ProjectPortalEditor.tsx:833 msgid "Loading concrete topics…" msgstr "Concrete onderwerpen aan het laden…" @@ -1927,7 +1935,7 @@ msgstr "bezig met laden..." msgid "Loading..." msgstr "Bezig met laden..." -#: src/components/participant/verify/VerifySelection.tsx:247 +#: src/components/participant/verify/VerifySelection.tsx:248 msgid "Loading…" msgstr "Bezig met laden…" @@ -1943,7 +1951,7 @@ msgstr "Inloggen | Dembrane" msgid "Login as an existing user" msgstr "Inloggen als bestaande gebruiker" -#: src/components/layout/Header.tsx:191 +#: src/components/layout/Header.tsx:201 msgid "Logout" msgstr "Uitloggen" @@ -1952,7 +1960,7 @@ msgid "Longest First" msgstr "Langste eerst" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:762 +#: src/components/project/ProjectPortalEditor.tsx:764 msgid "dashboard.dembrane.concrete.title" msgstr "Maak het concreet" @@ -1986,7 +1994,7 @@ msgstr "Toegang tot de microfoon wordt nog steeds geweigerd. Controleer uw inste #~ msgid "min" #~ msgstr "min" -#: src/components/project/ProjectPortalEditor.tsx:615 +#: src/components/project/ProjectPortalEditor.tsx:617 msgid "Mode" msgstr "Modus" @@ -2056,7 +2064,7 @@ msgid "Newest First" msgstr "Nieuwste eerst" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:396 +#: src/components/participant/ParticipantOnboardingCards.tsx:421 msgid "participant.button.next" msgstr "Volgende" @@ -2066,7 +2074,7 @@ msgid "participant.ready.to.begin.button.text" msgstr "Klaar om te beginnen" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:249 +#: src/components/participant/verify/VerifySelection.tsx:250 msgid "participant.concrete.selection.button.next" msgstr "Volgende" @@ -2107,7 +2115,7 @@ msgstr "Geen chats gevonden. Start een chat met behulp van de \"Vraag\" knop." msgid "No collections found" msgstr "Geen collecties gevonden" -#: src/components/project/ProjectPortalEditor.tsx:835 +#: src/components/project/ProjectPortalEditor.tsx:837 msgid "No concrete topics available." msgstr "Geen concrete onderwerpen beschikbaar." @@ -2211,7 +2219,7 @@ msgstr "Er is nog geen transcript beschikbaar voor dit gesprek. Controleer later msgid "No valid audio files were selected. Please select audio files only (MP3, WAV, OGG, etc)." msgstr "Er zijn geen geldige audiobestanden geselecteerd. Selecteer alleen audiobestanden (MP3, WAV, OGG, etc)." -#: src/components/participant/verify/VerifySelection.tsx:211 +#: src/components/participant/verify/VerifySelection.tsx:212 msgid "No verification topics are configured for this project." msgstr "Er zijn geen verificatie-onderwerpen voor dit project geconfigureerd." @@ -2310,7 +2318,7 @@ msgstr "Overview - Thema’s & patronen" #~ msgid "Page" #~ msgstr "Pagina" -#: src/components/project/ProjectPortalEditor.tsx:990 +#: src/components/project/ProjectPortalEditor.tsx:992 msgid "Page Content" msgstr "Pagina inhoud" @@ -2318,7 +2326,7 @@ msgstr "Pagina inhoud" msgid "Page not found" msgstr "Pagina niet gevonden" -#: src/components/project/ProjectPortalEditor.tsx:967 +#: src/components/project/ProjectPortalEditor.tsx:969 msgid "Page Title" msgstr "Pagina titel" @@ -2327,7 +2335,7 @@ msgstr "Pagina titel" msgid "Participant" msgstr "Deelnemer" -#: src/components/project/ProjectPortalEditor.tsx:558 +#: src/components/project/ProjectPortalEditor.tsx:560 msgid "Participant Features" msgstr "Deelnemer features" @@ -2496,7 +2504,7 @@ msgstr "Controleer uw invoer voor fouten." #~ msgid "Please do not close your browser" #~ msgstr "Sluit uw browser alstublieft niet" -#: src/components/project/ProjectQRCode.tsx:129 +#: src/components/project/ProjectQRCode.tsx:133 msgid "Please enable participation to enable sharing" msgstr "Schakel deelneming in om delen mogelijk te maken" @@ -2580,11 +2588,11 @@ msgstr "Wacht aub terwijl we je rapport bijwerken. Je wordt automatisch doorgest msgid "Please wait while we verify your email address." msgstr "Wacht aub terwijl we uw e-mailadres verifiëren." -#: src/components/project/ProjectPortalEditor.tsx:957 +#: src/components/project/ProjectPortalEditor.tsx:959 msgid "Portal Content" msgstr "Portal inhoud" -#: src/components/project/ProjectPortalEditor.tsx:415 +#: src/components/project/ProjectPortalEditor.tsx:416 #: src/components/layout/ProjectOverviewLayout.tsx:43 msgid "Portal Editor" msgstr "Portaal-editor" @@ -2713,7 +2721,7 @@ msgid "Read aloud" msgstr "Lees hardop voor" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:259 +#: src/components/participant/ParticipantOnboardingCards.tsx:284 msgid "participant.ready.to.begin" msgstr "Klaar om te beginnen" @@ -2768,7 +2776,7 @@ msgstr "Referenties" msgid "participant.button.refine" msgstr "Verfijnen" -#: src/components/project/ProjectPortalEditor.tsx:1132 +#: src/components/project/ProjectPortalEditor.tsx:1134 msgid "Refresh" msgstr "Vernieuwen" @@ -2841,7 +2849,7 @@ msgstr "Naam wijzigen" #~ msgid "Rename" #~ msgstr "Naam wijzigen" -#: src/components/project/ProjectPortalEditor.tsx:730 +#: src/components/project/ProjectPortalEditor.tsx:732 msgid "Reply Prompt" msgstr "Reactie prompt" @@ -2851,7 +2859,7 @@ msgstr "Reactie prompt" msgid "Report" msgstr "Rapport" -#: src/components/layout/Header.tsx:75 +#: src/components/layout/Header.tsx:76 msgid "Report an issue" msgstr "Rapporteer een probleem" @@ -2864,7 +2872,7 @@ msgstr "Rapport aangemaakt - {0}" msgid "Report generation is currently in beta and limited to projects with fewer than 10 hours of recording." msgstr "Rapport generatie is momenteel in beta en beperkt tot projecten met minder dan 10 uur opname." -#: src/components/project/ProjectPortalEditor.tsx:911 +#: src/components/project/ProjectPortalEditor.tsx:913 msgid "Report Notifications" msgstr "Rapportmeldingen" @@ -3044,7 +3052,7 @@ msgstr "Geheim gekopieerd" #~ msgid "See conversation status details" #~ msgstr "Gespreksstatusdetails bekijken" -#: src/components/layout/Header.tsx:105 +#: src/components/layout/Header.tsx:106 msgid "See you soon" msgstr "Tot snel" @@ -3078,20 +3086,20 @@ msgstr "Selecteer Project" msgid "Select tags" msgstr "Selecteer tags" -#: src/components/project/ProjectPortalEditor.tsx:524 +#: src/components/project/ProjectPortalEditor.tsx:526 msgid "Select the instructions that will be shown to participants when they start a conversation" msgstr "Selecteer de instructies die worden getoond aan deelnemers wanneer ze een gesprek starten" -#: src/components/project/ProjectPortalEditor.tsx:620 +#: src/components/project/ProjectPortalEditor.tsx:622 msgid "Select the type of feedback or engagement you want to encourage." msgstr "Selecteer het type feedback of betrokkenheid dat u wilt stimuleren." -#: src/components/project/ProjectPortalEditor.tsx:512 +#: src/components/project/ProjectPortalEditor.tsx:514 msgid "Select tutorial" msgstr "Selecteer tutorial" #. js-lingui-explicit-id -#: src/components/project/ProjectPortalEditor.tsx:824 +#: src/components/project/ProjectPortalEditor.tsx:826 msgid "dashboard.dembrane.concrete.topic.select" msgstr "Kies een concreet onderwerp" @@ -3135,7 +3143,7 @@ msgstr "Installeer je eerste project" #: src/routes/settings/UserSettingsRoute.tsx:39 #: src/components/layout/ParticipantHeader.tsx:93 #: src/components/layout/ParticipantHeader.tsx:94 -#: src/components/layout/Header.tsx:170 +#: src/components/layout/Header.tsx:171 msgid "Settings" msgstr "Instellingen" @@ -3148,7 +3156,7 @@ msgstr "Instellingen" msgid "Settings | Dembrane" msgstr "Instellingen | Dembrane" -#: src/components/project/ProjectQRCode.tsx:104 +#: src/components/project/ProjectQRCode.tsx:108 msgid "Share" msgstr "Delen" @@ -3225,14 +3233,14 @@ msgstr "Toont {displayFrom}–{displayTo} van {totalItems} items" #~ msgstr "Inloggen met Google" #. js-lingui-explicit-id -#: src/components/participant/ParticipantOnboardingCards.tsx:281 +#: src/components/participant/ParticipantOnboardingCards.tsx:306 msgid "participant.mic.check.button.skip" msgstr "Overslaan" #~ msgid "Skip" #~ msgstr "Overslaan" -#: src/components/project/ProjectPortalEditor.tsx:531 +#: src/components/project/ProjectPortalEditor.tsx:533 msgid "Skip data privacy slide (Host manages legal base)" msgstr "Gegevensprivacy slides (Host beheert rechtsgrondslag)" @@ -3301,14 +3309,14 @@ msgstr "Bron {0}" #~ msgid "Sources:" #~ msgstr "Bronnen:" -#: src/components/project/ProjectPortalEditor.tsx:466 +#: src/components/project/ProjectPortalEditor.tsx:467 msgid "Spanish" msgstr "Spaans" #~ msgid "Speaker" #~ msgstr "Spreker" -#: src/components/project/ProjectPortalEditor.tsx:124 +#: src/components/project/ProjectPortalEditor.tsx:125 msgid "Specific Context" msgstr "Specifieke context" @@ -3463,7 +3471,7 @@ msgstr "Dank je wel voor je deelname!" #~ msgid "Thank You Page" #~ msgstr "Bedankt Pagina" -#: src/components/project/ProjectPortalEditor.tsx:1020 +#: src/components/project/ProjectPortalEditor.tsx:1022 msgid "Thank You Page Content" msgstr "Bedankt pagina inhoud" @@ -3591,7 +3599,7 @@ msgstr "Deze e-mail is al in de lijst." msgid "participant.modal.refine.info.available.in" msgstr "Deze functie is beschikbaar over {remainingTime} seconden." -#: src/components/project/ProjectPortalEditor.tsx:1136 +#: src/components/project/ProjectPortalEditor.tsx:1138 msgid "This is a live preview of the participant's portal. You will need to refresh the page to see the latest changes." msgstr "Dit is een live voorbeeld van het portaal van de deelnemer. U moet de pagina vernieuwen om de meest recente wijzigingen te bekijken." @@ -3618,15 +3626,15 @@ msgstr "Dit is uw projectbibliotheek. Creëer weergaven om uw hele project tegel #~ msgid "This language will be used for the Participant's Portal, transcription and analysis. To change the language of this application, please use the language picker in the header user menu instead." #~ msgstr "Deze taal wordt gebruikt voor de Portal van de deelnemer, transcriptie en analyse. Om de taal van deze toepassing te wijzigen, gebruikt u de taalkiezer in het gebruikersmenu in de header." -#: src/components/project/ProjectPortalEditor.tsx:461 +#: src/components/project/ProjectPortalEditor.tsx:462 msgid "This language will be used for the Participant's Portal." msgstr "Deze taal wordt gebruikt voor de Portal van de deelnemer." -#: src/components/project/ProjectPortalEditor.tsx:1030 +#: src/components/project/ProjectPortalEditor.tsx:1032 msgid "This page is shown after the participant has completed the conversation." msgstr "Deze pagina wordt getoond na het voltooien van het gesprek door de deelnemer." -#: src/components/project/ProjectPortalEditor.tsx:1000 +#: src/components/project/ProjectPortalEditor.tsx:1002 msgid "This page is shown to participants when they start a conversation after they successfully complete the tutorial." msgstr "Deze pagina wordt getoond aan deelnemers wanneer ze een gesprek starten na het voltooien van de tutorial." @@ -3636,7 +3644,7 @@ msgstr "Deze pagina wordt getoond aan deelnemers wanneer ze een gesprek starten #~ msgid "This project library was generated on {0}." #~ msgstr "Deze projectbibliotheek is op {0} gemaakt." -#: src/components/project/ProjectPortalEditor.tsx:741 +#: src/components/project/ProjectPortalEditor.tsx:743 msgid "This prompt guides how the AI responds to participants. Customize it to shape the type of feedback or engagement you want to encourage." msgstr "Deze prompt bepaalt hoe de AI reageert op deelnemers. Deze prompt stuurt aan hoe de AI reageert" @@ -3652,7 +3660,7 @@ msgstr "Dit rapport werd geopend door {0} mensen" #~ msgid "This summary is AI-generated and brief, for thorough analysis, use the Chat or Library." #~ msgstr "Deze samenvatting is AI-gegenereerd en kort, voor een uitgebreide analyse, gebruik de Chat of Bibliotheek." -#: src/components/project/ProjectPortalEditor.tsx:978 +#: src/components/project/ProjectPortalEditor.tsx:980 msgid "This title is shown to participants when they start a conversation" msgstr "Deze titel wordt getoond aan deelnemers wanneer ze een gesprek starten" @@ -4133,7 +4141,7 @@ msgid "What are the main themes across all conversations?" msgstr "Wat zijn de belangrijkste thema's in alle gesprekken?" #. js-lingui-explicit-id -#: src/components/participant/verify/VerifySelection.tsx:195 +#: src/components/participant/verify/VerifySelection.tsx:196 msgid "participant.concrete.selection.title" msgstr "Kies een concreet voorbeeld" diff --git a/echo/frontend/src/locales/nl-NL.ts b/echo/frontend/src/locales/nl-NL.ts index 595f977b..e21137c8 100644 --- a/echo/frontend/src/locales/nl-NL.ts +++ b/echo/frontend/src/locales/nl-NL.ts @@ -1 +1 @@ -/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"Je bent niet ingelogd\"],\"You don't have permission to access this.\":[\"Je hebt geen toegang tot deze pagina.\"],\"Resource not found\":[\"Resource niet gevonden\"],\"Server error\":[\"Serverfout\"],\"Something went wrong\":[\"Er is iets fout gegaan\"],\"We're preparing your workspace.\":[\"We bereiden je werkruimte voor.\"],\"Preparing your dashboard\":[\"Dashboard klaarmaken\"],\"Welcome back\":[\"Welkom terug\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"Experimentele functie\"],\"participant.button.go.deeper\":[\"Ga dieper\"],\"participant.button.make.concrete\":[\"Maak het concreet\"],\"library.generate.duration.message\":[\"Het genereren van een bibliotheek kan tot een uur duren\"],\"uDvV8j\":[\" Verzenden\"],\"aMNEbK\":[\" Afmelden voor meldingen\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"Ga dieper\"],\"participant.modal.refine.info.title.concrete\":[\"Maak het concreet\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Verfijnen\\\" is binnenkort beschikbaar\"],\"2NWk7n\":[\"(voor verbeterde audioverwerking)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" klaar\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Gesprekken • Bewerkt \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" geselecteerd\"],\"P1pDS8\":[[\"diffInDays\"],\" dagen geleden\"],\"bT6AxW\":[[\"diffInHours\"],\" uur geleden\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Momenteel is \",\"#\",\" gesprek klaar om te worden geanalyseerd.\"],\"other\":[\"Momenteel zijn \",\"#\",\" gesprekken klaar om te worden geanalyseerd.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minuten en \",[\"seconds\"],\" seconden\"],\"TVD5At\":[[\"readingNow\"],\" leest nu\"],\"U7Iesw\":[[\"seconds\"],\" seconden\"],\"library.conversations.still.processing\":[[\"0\"],\" worden nog verwerkt.\"],\"ZpJ0wx\":[\"*Een moment a.u.b.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wacht \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspecten\"],\"DX/Wkz\":[\"Accountwachtwoord\"],\"L5gswt\":[\"Actie door\"],\"UQXw0W\":[\"Actie op\"],\"7L01XJ\":[\"Acties\"],\"m16xKo\":[\"Toevoegen\"],\"1m+3Z3\":[\"Voeg extra context toe (Optioneel)\"],\"Se1KZw\":[\"Vink aan wat van toepassing is\"],\"1xDwr8\":[\"Voeg belangrijke woorden of namen toe om de kwaliteit en nauwkeurigheid van het transcript te verbeteren.\"],\"ndpRPm\":[\"Voeg nieuwe opnames toe aan dit project. Bestanden die u hier uploadt worden verwerkt en verschijnen in gesprekken.\"],\"Ralayn\":[\"Trefwoord toevoegen\"],\"IKoyMv\":[\"Trefwoorden toevoegen\"],\"NffMsn\":[\"Voeg toe aan dit gesprek\"],\"Na90E+\":[\"Toegevoegde e-mails\"],\"SJCAsQ\":[\"Context toevoegen:\"],\"OaKXud\":[\"Geavanceerd (Tips en best practices)\"],\"TBpbDp\":[\"Geavanceerd (Tips en trucs)\"],\"JiIKww\":[\"Geavanceerde instellingen\"],\"cF7bEt\":[\"Alle acties\"],\"O1367B\":[\"Alle collecties\"],\"Cmt62w\":[\"Alle gesprekken klaar\"],\"u/fl/S\":[\"Alle bestanden zijn succesvol geüpload.\"],\"baQJ1t\":[\"Alle insights\"],\"3goDnD\":[\"Sta deelnemers toe om met behulp van de link nieuwe gesprekken te starten\"],\"bruUug\":[\"Bijna klaar\"],\"H7cfSV\":[\"Al toegevoegd aan dit gesprek\"],\"jIoHDG\":[\"Een e-mail melding wordt naar \",[\"0\"],\" deelnemer\",[\"1\"],\" verstuurd. Wilt u doorgaan?\"],\"G54oFr\":[\"Een e-mail melding wordt naar \",[\"0\"],\" deelnemer\",[\"1\"],\" verstuurd. Wilt u doorgaan?\"],\"8q/YVi\":[\"Er is een fout opgetreden bij het laden van de Portal. Neem contact op met de ondersteuningsteam.\"],\"XyOToQ\":[\"Er is een fout opgetreden.\"],\"QX6zrA\":[\"Analyse\"],\"F4cOH1\":[\"Analyse taal\"],\"1x2m6d\":[\"Analyseer deze elementen met diepte en nuance. Neem de volgende punten in acht:\\n\\nFocus op verrassende verbindingen en contrasten\\nGa verder dan duidelijke oppervlakte-niveau vergelijkingen\\nIdentificeer verborgen patronen die de meeste analyses missen\\nBlijf analytisch exact terwijl je aantrekkelijk bent\\n\\nOpmerking: Als de vergelijkingen te superficieel zijn, laat het me weten dat we meer complex materiaal nodig hebben om te analyseren.\"],\"Dzr23X\":[\"Meldingen\"],\"azfEQ3\":[\"Anonieme deelnemer\"],\"participant.concrete.action.button.approve\":[\"Goedkeuren\"],\"conversation.verified.approved\":[\"Goedgekeurd\"],\"Q5Z2wp\":[\"Weet je zeker dat je dit gesprek wilt verwijderen? Dit kan niet ongedaan worden gemaakt.\"],\"kWiPAC\":[\"Weet je zeker dat je dit project wilt verwijderen?\"],\"YF1Re1\":[\"Weet je zeker dat je dit project wilt verwijderen? Dit kan niet ongedaan worden gemaakt.\"],\"B8ymes\":[\"Weet je zeker dat je deze opname wilt verwijderen?\"],\"G2gLnJ\":[\"Weet je zeker dat je dit trefwoord wilt verwijderen?\"],\"aUsm4A\":[\"Weet je zeker dat je dit trefwoord wilt verwijderen? Dit zal het trefwoord verwijderen uit bestaande gesprekken die het bevatten.\"],\"participant.modal.finish.message.text.mode\":[\"Weet je zeker dat je het wilt afmaken?\"],\"xu5cdS\":[\"Weet je zeker dat je het wilt afmaken?\"],\"sOql0x\":[\"Weet je zeker dat je de bibliotheek wilt genereren? Dit kan een tijdje duren en overschrijft je huidige views en insights.\"],\"K1Omdr\":[\"Weet je zeker dat je de bibliotheek wilt genereren? Dit kan een tijdje duren.\"],\"UXCOMn\":[\"Weet je zeker dat je het samenvatting wilt hergenereren? Je verliest de huidige samenvatting.\"],\"JHgUuT\":[\"Artefact succesvol goedgekeurd!\"],\"IbpaM+\":[\"Artefact succesvol opnieuw geladen!\"],\"Qcm/Tb\":[\"Artefact succesvol herzien!\"],\"uCzCO2\":[\"Artefact succesvol bijgewerkt!\"],\"KYehbE\":[\"Artefacten\"],\"jrcxHy\":[\"Artefacten\"],\"F+vBv0\":[\"Stel vraag\"],\"Rjlwvz\":[\"Vraag om naam?\"],\"5gQcdD\":[\"Vraag deelnemers om hun naam te geven wanneer ze een gesprek starten\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspecten\"],\"kskjVK\":[\"Assistent is aan het typen...\"],\"5PKg7S\":[\"Er moet minstens één onderwerp zijn geselecteerd om Dembrane Verify in te schakelen.\"],\"HrusNW\":[\"Selecteer minimaal één onderwerp om Maak het concreet aan te zetten\"],\"DMBYlw\":[\"Audio verwerking in uitvoering\"],\"D3SDJS\":[\"Audio opname\"],\"mGVg5N\":[\"Audio opnames worden 30 dagen na de opname verwijderd\"],\"IOBCIN\":[\"Audio-tip\"],\"y2W2Hg\":[\"Auditlogboeken\"],\"aL1eBt\":[\"Auditlogboeken geëxporteerd naar CSV\"],\"mS51hl\":[\"Auditlogboeken geëxporteerd naar JSON\"],\"z8CQX2\":[\"Authenticator-code\"],\"/iCiQU\":[\"Automatisch selecteren\"],\"3D5FPO\":[\"Automatisch selecteren uitgeschakeld\"],\"ajAMbT\":[\"Automatisch selecteren ingeschakeld\"],\"jEqKwR\":[\"Automatisch selecteren bronnen om toe te voegen aan het gesprek\"],\"vtUY0q\":[\"Automatisch relevante gesprekken voor analyse zonder handmatige selectie\"],\"csDS2L\":[\"Beschikbaar\"],\"participant.button.back.microphone\":[\"Terug naar microfoon\"],\"participant.button.back\":[\"Terug\"],\"iH8pgl\":[\"Terug\"],\"/9nVLo\":[\"Terug naar selectie\"],\"wVO5q4\":[\"Basis (Alleen essentiële tutorial slides)\"],\"epXTwc\":[\"Basis instellingen\"],\"GML8s7\":[\"Begin!\"],\"YBt9YP\":[\"Bèta\"],\"dashboard.dembrane.concrete.beta\":[\"Bèta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture - Thema’s & patronen\"],\"YgG3yv\":[\"Brainstorm ideeën\"],\"ba5GvN\":[\"Door dit project te verwijderen, verwijder je alle gegevens die eraan gerelateerd zijn. Dit kan niet ongedaan worden gemaakt. Weet je zeker dat je dit project wilt verwijderen?\"],\"dEgA5A\":[\"Annuleren\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Annuleren\"],\"participant.concrete.action.button.cancel\":[\"Annuleren\"],\"participant.concrete.instructions.button.cancel\":[\"Annuleren\"],\"RKD99R\":[\"Kan geen leeg gesprek toevoegen\"],\"JFFJDJ\":[\"Wijzigingen worden automatisch opgeslagen terwijl je de app gebruikt. <0/>Zodra je wijzigingen hebt die nog niet zijn opgeslagen, kun je op elk gedeelte van de pagina klikken om de wijzigingen op te slaan. <1/>Je zult ook een knop zien om de wijzigingen te annuleren.\"],\"u0IJto\":[\"Wijzigingen worden automatisch opgeslagen\"],\"xF/jsW\":[\"Wijziging van de taal tijdens een actief gesprek kan onverwachte resultaten opleveren. Het wordt aanbevolen om een nieuw gesprek te starten na het wijzigen van de taal. Weet je zeker dat je wilt doorgaan?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Controleer microfoontoegang\"],\"+e4Yxz\":[\"Controleer microfoontoegang\"],\"v4fiSg\":[\"Controleer je email\"],\"pWT04I\":[\"Controleren...\"],\"DakUDF\":[\"Kies je favoriete thema voor de interface\"],\"0ngaDi\":[\"Citeert de volgende bronnen\"],\"B2pdef\":[\"Klik op \\\"Upload bestanden\\\" wanneer je klaar bent om de upload te starten.\"],\"BPrdpc\":[\"Project klonen\"],\"9U86tL\":[\"Project klonen\"],\"yz7wBu\":[\"Sluiten\"],\"q+hNag\":[\"Collectie\"],\"Wqc3zS\":[\"Vergelijk\"],\"jlZul5\":[\"Vergelijk en contrast de volgende items die in de context zijn verstrekt. \"],\"bD8I7O\":[\"Voltooid\"],\"6jBoE4\":[\"Concreet maken\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Doorgaan\"],\"yjkELF\":[\"Bevestig nieuw wachtwoord\"],\"p2/GCq\":[\"Bevestig wachtwoord\"],\"puQ8+/\":[\"Publiceren bevestigen\"],\"L0k594\":[\"Bevestig je wachtwoord om een nieuw geheim voor je authenticator-app te genereren.\"],\"JhzMcO\":[\"Verbinding maken met rapportservices...\"],\"wX/BfX\":[\"Verbinding gezond\"],\"WimHuY\":[\"Verbinding ongezond\"],\"DFFB2t\":[\"Neem contact op met sales\"],\"VlCTbs\":[\"Neem contact op met je verkoper om deze functie vandaag te activeren!\"],\"M73whl\":[\"Context\"],\"VHSco4\":[\"Context toegevoegd:\"],\"participant.button.continue\":[\"Doorgaan\"],\"xGVfLh\":[\"Doorgaan\"],\"F1pfAy\":[\"gesprek\"],\"EiHu8M\":[\"Gesprek toegevoegd aan chat\"],\"ggJDqH\":[\"Gesprek audio\"],\"participant.conversation.ended\":[\"Gesprek beëindigd\"],\"BsHMTb\":[\"Gesprek beëindigd\"],\"26Wuwb\":[\"Gesprek wordt verwerkt\"],\"OtdHFE\":[\"Gesprek verwijderd uit chat\"],\"zTKMNm\":[\"Gespreksstatus\"],\"Rdt7Iv\":[\"Gespreksstatusdetails\"],\"a7zH70\":[\"gesprekken\"],\"EnJuK0\":[\"Gesprekken\"],\"TQ8ecW\":[\"Gesprekken van QR Code\"],\"nmB3V3\":[\"Gesprekken van upload\"],\"participant.refine.cooling.down\":[\"Even afkoelen. Beschikbaar over \",[\"0\"]],\"6V3Ea3\":[\"Gekopieerd\"],\"he3ygx\":[\"Kopieer\"],\"y1eoq1\":[\"Kopieer link\"],\"Dj+aS5\":[\"Kopieer link om dit rapport te delen\"],\"vAkFou\":[\"Geheim kopiëren\"],\"v3StFl\":[\"Kopieer samenvatting\"],\"/4gGIX\":[\"Kopieer naar clipboard\"],\"rG2gDo\":[\"Kopieer transcript\"],\"OvEjsP\":[\"Kopieren...\"],\"hYgDIe\":[\"Maak\"],\"CSQPC0\":[\"Maak een account aan\"],\"library.create\":[\"Maak bibliotheek aan\"],\"O671Oh\":[\"Maak bibliotheek aan\"],\"library.create.view.modal.title\":[\"Maak nieuwe view aan\"],\"vY2Gfm\":[\"Maak nieuwe view aan\"],\"bsfMt3\":[\"Maak rapport\"],\"library.create.view\":[\"Maak view aan\"],\"3D0MXY\":[\"Maak view aan\"],\"45O6zJ\":[\"Gemaakt op\"],\"8Tg/JR\":[\"Aangepast\"],\"o1nIYK\":[\"Aangepaste bestandsnaam\"],\"ZQKLI1\":[\"Gevarenzone\"],\"ovBPCi\":[\"Standaard\"],\"ucTqrC\":[\"Standaard - Geen tutorial (Alleen privacy verklaringen)\"],\"project.sidebar.chat.delete\":[\"Chat verwijderen\"],\"cnGeoo\":[\"Verwijder\"],\"2DzmAq\":[\"Verwijder gesprek\"],\"++iDlT\":[\"Verwijder project\"],\"+m7PfT\":[\"Verwijderd succesvol\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane draait op AI. Check de antwoorden extra goed.\"],\"67znul\":[\"Dembrane Reactie\"],\"Nu4oKW\":[\"Beschrijving\"],\"NMz7xK\":[\"Ontwikkel een strategisch framework dat betekenisvolle resultaten oplevert. Voor:\\n\\nIdentificeer de kernobjectieven en hun interafhankelijkheden\\nPlan implementatiepaden met realistische tijdslijnen\\nVoorzien in potentiële obstakels en mitigatiestrategieën\\nDefinieer duidelijke metrieken voor succes buiten vanity-indicatoren\\nHervat de behoefte aan middelen en prioriteiten voor toewijzing\\nStructuur het plan voor zowel onmiddellijke actie als langetermijnvisie\\nInclusief besluitvormingsgate en pivotpunten\\n\\nLet op: Focus op strategieën die duurzame competitieve voordelen creëren, niet alleen incrementele verbeteringen.\"],\"qERl58\":[\"2FA uitschakelen\"],\"yrMawf\":[\"Tweestapsverificatie uitschakelen\"],\"E/QGRL\":[\"Uitgeschakeld\"],\"LnL5p2\":[\"Wil je bijdragen aan dit project?\"],\"JeOjN4\":[\"Wil je op de hoogte blijven?\"],\"TvY/XA\":[\"Documentatie\"],\"mzI/c+\":[\"Downloaden\"],\"5YVf7S\":[\"Download alle transcripten die voor dit project zijn gegenereerd.\"],\"5154Ap\":[\"Download alle transcripten\"],\"8fQs2Z\":[\"Downloaden als\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Audio downloaden\"],\"+bBcKo\":[\"Transcript downloaden\"],\"5XW2u5\":[\"Download transcript opties\"],\"hUO5BY\":[\"Sleep audio bestanden hierheen of klik om bestanden te selecteren\"],\"KIjvtr\":[\"Nederlands\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo wordt aangedreven door AI. Controleer de Antwoorden nogmaals.\"],\"o6tfKZ\":[\"ECHO wordt aangedreven door AI. Controleer de Antwoorden nogmaals.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Gesprek bewerken\"],\"/8fAkm\":[\"Bestandsnaam bewerken\"],\"G2KpGE\":[\"Project bewerken\"],\"DdevVt\":[\"Rapport inhoud bewerken\"],\"0YvCPC\":[\"Bron bewerken\"],\"report.editor.description\":[\"Bewerk de rapport inhoud met de rich text editor hieronder. Je kunt tekst formatteren, links, afbeeldingen en meer toevoegen.\"],\"F6H6Lg\":[\"Bewerkmode\"],\"O3oNi5\":[\"E-mail\"],\"wwiTff\":[\"Email verificatie\"],\"Ih5qq/\":[\"Email verificatie | Dembrane\"],\"iF3AC2\":[\"Email is succesvol geverifieerd. Je wordt doorgestuurd naar de inlogpagina in 5 seconden. Als je niet doorgestuurd wordt, klik dan <0>hier.\"],\"g2N9MJ\":[\"email@werk.com\"],\"N2S1rs\":[\"Leeg\"],\"DCRKbe\":[\"2FA inschakelen\"],\"ycR/52\":[\"Dembrane Echo inschakelen\"],\"mKGCnZ\":[\"Dembrane ECHO inschakelen\"],\"Dh2kHP\":[\"Dembrane Reactie inschakelen\"],\"d9rIJ1\":[\"Dembrane Verify inschakelen\"],\"+ljZfM\":[\"Ga dieper aanzetten\"],\"wGA7d4\":[\"Maak het concreet aanzetten\"],\"G3dSLc\":[\"Rapportmeldingen inschakelen\"],\"dashboard.dembrane.concrete.description\":[\"Laat deelnemers AI-ondersteunde feedback krijgen op hun gesprekken met Maak het concreet.\"],\"Idlt6y\":[\"Schakel deze functie in zodat deelnemers meldingen kunnen ontvangen wanneer een rapport wordt gepubliceerd of bijgewerkt. Deelnemers kunnen hun e-mailadres invoeren om zich te abonneren op updates.\"],\"g2qGhy\":[\"Schakel deze functie in zodat deelnemers AI-suggesties kunnen opvragen tijdens het gesprek. Deelnemers kunnen na het vastleggen van hun gedachten op \\\"ECHO\\\" klikken voor contextuele feedback, wat diepere reflectie en betrokkenheid stimuleert. Tussen elke aanvraag zit een korte pauze.\"],\"pB03mG\":[\"Schakel deze functie in zodat deelnemers AI-suggesties kunnen opvragen tijdens het gesprek. Deelnemers kunnen na het vastleggen van hun gedachten op \\\"ECHO\\\" klikken voor contextuele feedback, wat diepere reflectie en betrokkenheid stimuleert. Tussen elke aanvraag zit een korte pauze.\"],\"dWv3hs\":[\"Schakel deze functie in zodat deelnemers AI-suggesties kunnen opvragen tijdens het gesprek. Deelnemers kunnen na het vastleggen van hun gedachten op \\\"ECHO\\\" klikken voor contextuele feedback, wat diepere reflectie en betrokkenheid stimuleert. Tussen elke aanvraag zit een korte pauze.\"],\"rkE6uN\":[\"Zet deze functie aan zodat deelnemers AI-antwoorden kunnen vragen tijdens hun gesprek. Na het inspreken van hun gedachten kunnen ze op \\\"Go deeper\\\" klikken voor contextuele feedback, zodat ze dieper gaan nadenken en meer betrokken raken. Er zit een wachttijd tussen verzoeken.\"],\"329BBO\":[\"Tweestapsverificatie inschakelen\"],\"RxzN1M\":[\"Ingeschakeld\"],\"IxzwiB\":[\"Einde van de lijst • Alle \",[\"0\"],\" gesprekken geladen\"],\"lYGfRP\":[\"Engels\"],\"GboWYL\":[\"Voer een sleutelterm of eigennamen in\"],\"TSHJTb\":[\"Voer een naam in voor het nieuwe gesprek\"],\"KovX5R\":[\"Voer een naam in voor je nieuwe project\"],\"34YqUw\":[\"Voer een geldige code in om tweestapsverificatie uit te schakelen.\"],\"2FPsPl\":[\"Voer bestandsnaam (zonder extensie) in\"],\"vT+QoP\":[\"Voer een nieuwe naam in voor de chat:\"],\"oIn7d4\":[\"Voer de 6-cijferige code uit je authenticator-app in.\"],\"q1OmsR\":[\"Voer de huidige zescijferige code uit je authenticator-app in.\"],\"nAEwOZ\":[\"Voer uw toegangscode in\"],\"NgaR6B\":[\"Voer je wachtwoord in\"],\"42tLXR\":[\"Voer uw query in\"],\"SlfejT\":[\"Fout\"],\"Ne0Dr1\":[\"Fout bij het klonen van het project\"],\"AEkJ6x\":[\"Fout bij het maken van het rapport\"],\"S2MVUN\":[\"Fout bij laden van meldingen\"],\"xcUDac\":[\"Fout bij laden van inzichten\"],\"edh3aY\":[\"Fout bij laden van project\"],\"3Uoj83\":[\"Fout bij laden van quotes\"],\"z05QRC\":[\"Fout bij het bijwerken van het rapport\"],\"hmk+3M\":[\"Fout bij het uploaden van \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Alles lijkt goed – je kunt doorgaan.\"],\"/PykH1\":[\"Alles lijkt goed – je kunt doorgaan.\"],\"AAC/NE\":[\"Voorbeeld: Dit gesprek gaat over [onderwerp]. Belangrijke termen zijn [term1], [term2]. Let speciaal op [specifieke aspect].\"],\"Rsjgm0\":[\"Experimenteel\"],\"/bsogT\":[\"Ontdek thema's en patronen in al je gesprekken\"],\"sAod0Q\":[[\"conversationCount\"],\" gesprekken aan het verkennen\"],\"GS+Mus\":[\"Exporteer\"],\"7Bj3x9\":[\"Mislukt\"],\"bh2Vob\":[\"Fout bij het toevoegen van het gesprek aan de chat\"],\"ajvYcJ\":[\"Fout bij het toevoegen van het gesprek aan de chat\",[\"0\"]],\"9GMUFh\":[\"Artefact kon niet worden goedgekeurd. Probeer het opnieuw.\"],\"RBpcoc\":[\"Fout bij het kopiëren van de chat. Probeer het opnieuw.\"],\"uvu6eC\":[\"Kopiëren van transcript is mislukt. Probeer het nog een keer.\"],\"BVzTya\":[\"Fout bij het verwijderen van de reactie\"],\"p+a077\":[\"Fout bij het uitschakelen van het automatisch selecteren voor deze chat\"],\"iS9Cfc\":[\"Fout bij het inschakelen van het automatisch selecteren voor deze chat\"],\"Gu9mXj\":[\"Fout bij het voltooien van het gesprek. Probeer het opnieuw.\"],\"vx5bTP\":[\"Fout bij het genereren van \",[\"label\"],\". Probeer het opnieuw.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Samenvatting maken lukt niet. Probeer het later nog een keer.\"],\"DKxr+e\":[\"Fout bij het ophalen van meldingen\"],\"TSt/Iq\":[\"Fout bij het ophalen van de laatste melding\"],\"D4Bwkb\":[\"Fout bij het ophalen van het aantal ongelezen meldingen\"],\"AXRzV1\":[\"Het laden van de audio is mislukt of de audio is niet beschikbaar\"],\"T7KYJY\":[\"Fout bij het markeren van alle meldingen als gelezen\"],\"eGHX/x\":[\"Fout bij het markeren van de melding als gelezen\"],\"SVtMXb\":[\"Fout bij het hergenereren van de samenvatting. Probeer het opnieuw later.\"],\"h49o9M\":[\"Opnieuw laden is mislukt. Probeer het opnieuw.\"],\"kE1PiG\":[\"Fout bij het verwijderen van het gesprek uit de chat\"],\"+piK6h\":[\"Fout bij het verwijderen van het gesprek uit de chat\",[\"0\"]],\"SmP70M\":[\"Fout bij het hertranscriptie van het gesprek. Probeer het opnieuw.\"],\"hhLiKu\":[\"Artefact kon niet worden herzien. Probeer het opnieuw.\"],\"wMEdO3\":[\"Fout bij het stoppen van de opname bij wijziging van het apparaat. Probeer het opnieuw.\"],\"wH6wcG\":[\"Fout bij het verifiëren van de e-mailstatus. Probeer het opnieuw.\"],\"participant.modal.refine.info.title\":[\"Functie binnenkort beschikbaar\"],\"87gcCP\":[\"Bestand \\\"\",[\"0\"],\"\\\" overschrijdt de maximale grootte van \",[\"1\"],\".\"],\"ena+qV\":[\"Bestand \\\"\",[\"0\"],\"\\\" heeft een ongeldig formaat. Alleen audio bestanden zijn toegestaan.\"],\"LkIAge\":[\"Bestand \\\"\",[\"0\"],\"\\\" is geen ondersteund audioformaat. Alleen audio bestanden zijn toegestaan.\"],\"RW2aSn\":[\"Bestand \\\"\",[\"0\"],\"\\\" is te klein (\",[\"1\"],\"). Minimum grootte is \",[\"2\"],\".\"],\"+aBwxq\":[\"Bestandsgrootte: Min \",[\"0\"],\", Max \",[\"1\"],\", maximaal \",[\"MAX_FILES\"],\" bestanden\"],\"o7J4JM\":[\"Filteren\"],\"5g0xbt\":[\"Filter auditlogboeken op actie\"],\"9clinz\":[\"Filter auditlogboeken op collectie\"],\"O39Ph0\":[\"Filter op actie\"],\"DiDNkt\":[\"Filter op collectie\"],\"participant.button.stop.finish\":[\"Afronden\"],\"participant.button.finish.text.mode\":[\"Voltooien\"],\"participant.button.finish\":[\"Voltooien\"],\"JmZ/+d\":[\"Voltooien\"],\"participant.modal.finish.title.text.mode\":[\"Gesprek afmaken\"],\"4dQFvz\":[\"Voltooid\"],\"kODvZJ\":[\"Voornaam\"],\"MKEPCY\":[\"Volgen\"],\"JnPIOr\":[\"Volgen van afspelen\"],\"glx6on\":[\"Wachtwoord vergeten?\"],\"nLC6tu\":[\"Frans\"],\"tSA0hO\":[\"Genereer inzichten uit je gesprekken\"],\"QqIxfi\":[\"Geheim genereren\"],\"tM4cbZ\":[\"Genereer gestructureerde vergaderingenotes op basis van de volgende discussiepunten die in de context zijn verstrekt.\"],\"gitFA/\":[\"Samenvatting genereren\"],\"kzY+nd\":[\"Samenvatting wordt gemaakt. Even wachten...\"],\"DDcvSo\":[\"Duits\"],\"u9yLe/\":[\"Krijg direct een reactie van Dembrane om het gesprek te verdiepen.\"],\"participant.refine.go.deeper.description\":[\"Krijg direct een reactie van Dembrane om het gesprek te verdiepen.\"],\"TAXdgS\":[\"Geef me een lijst van 5-10 onderwerpen die worden besproken.\"],\"CKyk7Q\":[\"Ga terug\"],\"participant.concrete.artefact.action.button.go.back\":[\"Terug\"],\"IL8LH3\":[\"Ga dieper\"],\"participant.refine.go.deeper\":[\"Ga dieper\"],\"iWpEwy\":[\"Ga naar home\"],\"A3oCMz\":[\"Ga naar nieuw gesprek\"],\"5gqNQl\":[\"Rasterweergave\"],\"ZqBGoi\":[\"Bevat geverifieerde artefacten\"],\"ng2Unt\":[\"Hallo, \",[\"0\"]],\"D+zLDD\":[\"Verborgen\"],\"G1UUQY\":[\"Verborgen parel\"],\"LqWHk1\":[\"Verbergen \",[\"0\"],\"\\t\"],\"u5xmYC\":[\"Verbergen alles\"],\"txCbc+\":[\"Verbergen alles\"],\"0lRdEo\":[\"Verbergen gesprekken zonder inhoud\"],\"eHo/Jc\":[\"Gegevens verbergen\"],\"g4tIdF\":[\"Revisiegegevens verbergen\"],\"i0qMbr\":[\"Home\"],\"LSCWlh\":[\"Hoe zou je een collega uitleggen wat je probeert te bereiken met dit project?\\n* Wat is het doel of belangrijkste maatstaf\\n* Hoe ziet succes eruit\"],\"participant.button.i.understand\":[\"Ik begrijp het\"],\"WsoNdK\":[\"Identificeer en analyseer de herhalende thema's in deze inhoud. Gelieve:\\n\"],\"KbXMDK\":[\"Identificeer herhalende thema's, onderwerpen en argumenten die consistent in gesprekken voorkomen. Analyseer hun frequentie, intensiteit en consistentie. Verwachte uitvoer: 3-7 aspecten voor kleine datasets, 5-12 voor middelgrote datasets, 8-15 voor grote datasets. Verwerkingsrichtlijn: Focus op verschillende patronen die in meerdere gesprekken voorkomen.\"],\"participant.concrete.instructions.approve.artefact\":[\"Keur het artefact goed of pas het aan voordat je doorgaat.\"],\"QJUjB0\":[\"Om beter door de quotes te navigeren, maak aanvullende views aan. De quotes worden dan op basis van uw view geclusterd.\"],\"IJUcvx\":[\"In de tussentijd, als je de gesprekken die nog worden verwerkt wilt analyseren, kun je de Chat-functie gebruiken\"],\"aOhF9L\":[\"Link naar portal in rapport opnemen\"],\"Dvf4+M\":[\"Inclusief tijdstempels\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Inzichtenbibliotheek\"],\"ZVY8fB\":[\"Inzicht niet gevonden\"],\"sJa5f4\":[\"inzichten\"],\"3hJypY\":[\"Inzichten\"],\"crUYYp\":[\"Ongeldige code. Vraag een nieuwe aan.\"],\"jLr8VJ\":[\"Ongeldige inloggegevens.\"],\"aZ3JOU\":[\"Ongeldig token. Probeer het opnieuw.\"],\"1xMiTU\":[\"IP-adres\"],\"participant.conversation.error.deleted\":[\"Het gesprek is verwijderd terwijl je opnam. We hebben de opname gestopt om problemen te voorkomen. Je kunt een nieuwe opnemen wanneer je wilt.\"],\"zT7nbS\":[\"Het lijkt erop dat het gesprek werd verwijderd terwijl je opnam. We hebben de opname gestopt om problemen te voorkomen. Je kunt een nieuwe opnemen wanneer je wilt.\"],\"library.not.available.message\":[\"Het lijkt erop dat de bibliotheek niet beschikbaar is voor uw account. Vraag om toegang om deze functionaliteit te ontgrendelen.\"],\"participant.concrete.artefact.error.description\":[\"Er ging iets mis bij het laden van je tekst. Probeer het nog een keer.\"],\"MbKzYA\":[\"Het lijkt erop dat meer dan één persoon spreekt. Het afwisselen zal ons helpen iedereen duidelijk te horen.\"],\"clXffu\":[\"Aansluiten \",[\"0\"],\" op Dembrane\"],\"uocCon\":[\"Gewoon een momentje\"],\"OSBXx5\":[\"Net zojuist\"],\"0ohX1R\":[\"Houd de toegang veilig met een eenmalige code uit je authenticator-app. Gebruik deze schakelaar om tweestapsverificatie voor dit account te beheren.\"],\"vXIe7J\":[\"Taal\"],\"UXBCwc\":[\"Achternaam\"],\"0K/D0Q\":[\"Laatst opgeslagen \",[\"0\"]],\"K7P0jz\":[\"Laatst bijgewerkt\"],\"PIhnIP\":[\"Laat het ons weten!\"],\"qhQjFF\":[\"Laten we controleren of we je kunnen horen\"],\"exYcTF\":[\"Bibliotheek\"],\"library.title\":[\"Bibliotheek\"],\"T50lwc\":[\"Bibliotheek wordt aangemaakt\"],\"yUQgLY\":[\"Bibliotheek wordt momenteel verwerkt\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn Post (Experimenteel)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live audio niveau:\"],\"TkFXaN\":[\"Live audio level:\"],\"n9yU9X\":[\"Live Voorbeeld\"],\"participant.concrete.instructions.loading\":[\"Instructies aan het laden…\"],\"yQE2r9\":[\"Bezig met laden\"],\"yQ9yN3\":[\"Acties worden geladen...\"],\"participant.concrete.loading.artefact\":[\"Tekst aan het laden…\"],\"JOvnq+\":[\"Auditlogboeken worden geladen…\"],\"y+JWgj\":[\"Collecties worden geladen...\"],\"ATTcN8\":[\"Concrete onderwerpen aan het laden…\"],\"FUK4WT\":[\"Microfoons laden...\"],\"H+bnrh\":[\"Transcript aan het laden...\"],\"3DkEi5\":[\"Verificatie-onderwerpen worden geladen…\"],\"+yD+Wu\":[\"bezig met laden...\"],\"Z3FXyt\":[\"Bezig met laden...\"],\"Pwqkdw\":[\"Bezig met laden…\"],\"z0t9bb\":[\"Inloggen\"],\"zfB1KW\":[\"Inloggen | Dembrane\"],\"Wd2LTk\":[\"Inloggen als bestaande gebruiker\"],\"nOhz3x\":[\"Uitloggen\"],\"jWXlkr\":[\"Langste eerst\"],\"dashboard.dembrane.concrete.title\":[\"Maak het concreet\"],\"participant.refine.make.concrete\":[\"Maak het concreet\"],\"JSxZVX\":[\"Alle als gelezen markeren\"],\"+s1J8k\":[\"Als gelezen markeren\"],\"VxyuRJ\":[\"Vergadernotities\"],\"08d+3x\":[\"Berichten van \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Toegang tot de microfoon wordt nog steeds geweigerd. Controleer uw instellingen en probeer het opnieuw.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Modus\"],\"zMx0gF\":[\"Meer templates\"],\"QWdKwH\":[\"Verplaatsen\"],\"CyKTz9\":[\"Verplaats gesprek\"],\"wUTBdx\":[\"Verplaats naar een ander project\"],\"Ksvwy+\":[\"Verplaats naar project\"],\"6YtxFj\":[\"Naam\"],\"e3/ja4\":[\"Naam A-Z\"],\"c5Xt89\":[\"Naam Z-A\"],\"isRobC\":[\"Nieuw\"],\"Wmq4bZ\":[\"Nieuwe Gesprek Naam\"],\"library.new.conversations\":[\"Er zijn nieuwe gesprekken toegevoegd sinds de bibliotheek is gegenereerd. Genereer de bibliotheek opnieuw om ze te verwerken.\"],\"P/+jkp\":[\"Er zijn nieuwe gesprekken toegevoegd sinds de bibliotheek is gegenereerd. Genereer de bibliotheek opnieuw om ze te verwerken.\"],\"7vhWI8\":[\"Nieuw wachtwoord\"],\"+VXUp8\":[\"Nieuw project\"],\"+RfVvh\":[\"Nieuwste eerst\"],\"participant.button.next\":[\"Volgende\"],\"participant.ready.to.begin.button.text\":[\"Klaar om te beginnen\"],\"participant.concrete.selection.button.next\":[\"Volgende\"],\"participant.concrete.instructions.button.next\":[\"Aan de slag\"],\"hXzOVo\":[\"Volgende\"],\"participant.button.finish.no.text.mode\":[\"Nee\"],\"riwuXX\":[\"Geen acties gevonden\"],\"WsI5bo\":[\"Geen meldingen beschikbaar\"],\"Em+3Ls\":[\"Geen auditlogboeken komen overeen met de huidige filters.\"],\"project.sidebar.chat.empty.description\":[\"Geen chats gevonden. Start een chat met behulp van de \\\"Vraag\\\" knop.\"],\"YM6Wft\":[\"Geen chats gevonden. Start een chat met behulp van de \\\"Vraag\\\" knop.\"],\"Qqhl3R\":[\"Geen collecties gevonden\"],\"zMt5AM\":[\"Geen concrete onderwerpen beschikbaar.\"],\"zsslJv\":[\"Geen inhoud\"],\"1pZsdx\":[\"Geen gesprekken beschikbaar om bibliotheek te maken\"],\"library.no.conversations\":[\"Geen gesprekken beschikbaar om bibliotheek te maken\"],\"zM3DDm\":[\"Geen gesprekken beschikbaar om bibliotheek te maken. Voeg enkele gesprekken toe om te beginnen.\"],\"EtMtH/\":[\"Geen gesprekken gevonden.\"],\"BuikQT\":[\"Geen gesprekken gevonden. Start een gesprek met behulp van de deelname-uitnodigingslink uit het <0><1>projectoverzicht.\"],\"meAa31\":[\"Nog geen gesprekken\"],\"VInleh\":[\"Geen inzichten beschikbaar. Genereer inzichten voor dit gesprek door naar <0><1>de projectbibliotheek. te gaan.\"],\"yTx6Up\":[\"Er zijn nog geen sleuteltermen of eigennamen toegevoegd. Voeg ze toe met behulp van de invoer boven aan om de nauwkeurigheid van het transcript te verbeteren.\"],\"jfhDAK\":[\"Noch geen nieuwe feedback gedetecteerd. Ga door met je gesprek en probeer het opnieuw binnenkort.\"],\"T3TyGx\":[\"Geen projecten gevonden \",[\"0\"]],\"y29l+b\":[\"Geen projecten gevonden voor de zoekterm\"],\"ghhtgM\":[\"Geen quotes beschikbaar. Genereer quotes voor dit gesprek door naar\"],\"yalI52\":[\"Geen quotes beschikbaar. Genereer quotes voor dit gesprek door naar <0><1>de projectbibliotheek. te gaan.\"],\"ctlSnm\":[\"Geen rapport gevonden\"],\"EhV94J\":[\"Geen bronnen gevonden.\"],\"Ev2r9A\":[\"Geen resultaten\"],\"WRRjA9\":[\"Geen trefwoorden gevonden\"],\"LcBe0w\":[\"Er zijn nog geen trefwoorden toegevoegd aan dit project. Voeg een trefwoord toe met behulp van de tekstinvoer boven aan om te beginnen.\"],\"bhqKwO\":[\"Geen transcript beschikbaar\"],\"TmTivZ\":[\"Er is geen transcript beschikbaar voor dit gesprek.\"],\"vq+6l+\":[\"Er is nog geen transcript beschikbaar voor dit gesprek. Controleer later opnieuw.\"],\"MPZkyF\":[\"Er zijn geen transcripten geselecteerd voor dit gesprek\"],\"AotzsU\":[\"Geen tutorial (alleen Privacyverklaring)\"],\"OdkUBk\":[\"Er zijn geen geldige audiobestanden geselecteerd. Selecteer alleen audiobestanden (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"Er zijn geen verificatie-onderwerpen voor dit project geconfigureerd.\"],\"2h9aae\":[\"Geen verificatie-onderwerpen beschikbaar.\"],\"OJx3wK\":[\"Niet beschikbaar\"],\"cH5kXP\":[\"Nu\"],\"9+6THi\":[\"Oudste eerst\"],\"participant.concrete.instructions.revise.artefact\":[\"Pas de tekst aan zodat hij echt bij jou past. Je mag alles veranderen.\"],\"participant.concrete.instructions.read.aloud\":[\"Lees de tekst hardop voor en check of het goed voelt.\"],\"conversation.ongoing\":[\"Actief\"],\"J6n7sl\":[\"Actief\"],\"uTmEDj\":[\"Actieve Gesprekken\"],\"QvvnWK\":[\"Alleen de \",[\"0\"],\" voltooide \",[\"1\"],\" worden nu in het rapport opgenomen. \"],\"participant.alert.microphone.access.failure\":[\"Het lijkt erop dat toegang tot de microfoon geweigerd is. Geen zorgen, we hebben een handige probleemoplossingsgids voor je. Voel je vrij om deze te bekijken. Zodra je het probleem hebt opgelost, kom dan terug naar deze pagina om te controleren of je microfoon klaar is voor gebruik.\"],\"J17dTs\":[\"Oeps! Het lijkt erop dat toegang tot de microfoon geweigerd is. Geen zorgen, we hebben een handige probleemoplossingsgids voor je. Voel je vrij om deze te bekijken. Zodra je het probleem hebt opgelost, kom dan terug naar deze pagina om te controleren of je microfoon klaar is voor gebruik.\"],\"1TNIig\":[\"Openen\"],\"NRLF9V\":[\"Open documentatie\"],\"2CyWv2\":[\"Open voor deelname?\"],\"participant.button.open.troubleshooting.guide\":[\"Open de probleemoplossingsgids\"],\"7yrRHk\":[\"Open de probleemoplossingsgids\"],\"Hak8r6\":[\"Open je authenticator-app en voer de huidige zescijferige code in.\"],\"0zpgxV\":[\"Opties\"],\"6/dCYd\":[\"Overzicht\"],\"/fAXQQ\":[\"Overview - Thema’s & patronen\"],\"6WdDG7\":[\"Pagina\"],\"Wu++6g\":[\"Pagina inhoud\"],\"8F1i42\":[\"Pagina niet gevonden\"],\"6+Py7/\":[\"Pagina titel\"],\"v8fxDX\":[\"Deelnemer\"],\"Uc9fP1\":[\"Deelnemer features\"],\"y4n1fB\":[\"Deelnemers kunnen trefwoorden selecteren wanneer ze een gesprek starten\"],\"8ZsakT\":[\"Wachtwoord\"],\"w3/J5c\":[\"Portal met wachtwoord beveiligen (aanvraag functie)\"],\"lpIMne\":[\"Wachtwoorden komen niet overeen\"],\"IgrLD/\":[\"Pauze\"],\"PTSHeg\":[\"Pauzeer het voorlezen\"],\"UbRKMZ\":[\"In afwachting\"],\"6v5aT9\":[\"Kies de aanpak die past bij je vraag\"],\"participant.alert.microphone.access\":[\"Schakel microfoontoegang in om de test te starten.\"],\"3flRk2\":[\"Schakel microfoontoegang in om de test te starten.\"],\"SQSc5o\":[\"Controleer later of contacteer de eigenaar van het project voor meer informatie.\"],\"T8REcf\":[\"Controleer uw invoer voor fouten.\"],\"S6iyis\":[\"Sluit uw browser alstublieft niet\"],\"n6oAnk\":[\"Schakel deelneming in om delen mogelijk te maken\"],\"fwrPh4\":[\"Voer een geldig e-mailadres in.\"],\"iMWXJN\":[\"Houd dit scherm aan (zwart scherm = geen opname)\"],\"D90h1s\":[\"Log in om door te gaan.\"],\"mUGRqu\":[\"Geef een korte samenvatting van het volgende dat in de context is verstrekt.\"],\"ps5D2F\":[\"Neem uw antwoord op door op de knop \\\"Opnemen\\\" hieronder te klikken. U kunt er ook voor kiezen om in tekst te reageren door op het teksticoon te klikken. \\n**Houd dit scherm aan** \\n(zwart scherm = geen opname)\"],\"TsuUyf\":[\"Neem uw antwoord op door op de knop \\\"Opname starten\\\" hieronder te klikken. U kunt er ook voor kiezen om in tekst te reageren door op het teksticoon te klikken.\"],\"4TVnP7\":[\"Kies een taal voor je rapport\"],\"N63lmJ\":[\"Kies een taal voor je bijgewerkte rapport\"],\"XvD4FK\":[\"Kies minstens één bron\"],\"hxTGLS\":[\"Selecteer gesprekken in de sidebar om verder te gaan\"],\"GXZvZ7\":[\"Wacht \",[\"timeStr\"],\" voordat u een ander echo aanvraagt.\"],\"Am5V3+\":[\"Wacht \",[\"timeStr\"],\" voordat u een andere Echo aanvraagt.\"],\"CE1Qet\":[\"Wacht \",[\"timeStr\"],\" voordat u een andere ECHO aanvraagt.\"],\"Fx1kHS\":[\"Wacht \",[\"timeStr\"],\" voordat u een ander antwoord aanvraagt.\"],\"MgJuP2\":[\"Wacht aub terwijl we je rapport genereren. Je wordt automatisch doorgestuurd naar de rapportpagina.\"],\"library.processing.request\":[\"Bibliotheek wordt verwerkt\"],\"04DMtb\":[\"Wacht aub terwijl we uw hertranscriptieaanvraag verwerken. U wordt automatisch doorgestuurd naar het nieuwe gesprek wanneer klaar.\"],\"ei5r44\":[\"Wacht aub terwijl we je rapport bijwerken. Je wordt automatisch doorgestuurd naar de rapportpagina.\"],\"j5KznP\":[\"Wacht aub terwijl we uw e-mailadres verifiëren.\"],\"uRFMMc\":[\"Portal inhoud\"],\"qVypVJ\":[\"Portaal-editor\"],\"g2UNkE\":[\"Gemaakt met ❤️ door\"],\"MPWj35\":[\"Je gesprekken worden klaargezet... Dit kan even duren.\"],\"/SM3Ws\":[\"Uw ervaring voorbereiden\"],\"ANWB5x\":[\"Dit rapport afdrukken\"],\"zwqetg\":[\"Privacy verklaring\"],\"qAGp2O\":[\"Doorgaan\"],\"stk3Hv\":[\"verwerken\"],\"vrnnn9\":[\"Bezig met verwerken\"],\"kvs/6G\":[\"Verwerking van dit gesprek is mislukt. Dit gesprek zal niet beschikbaar zijn voor analyse en chat.\"],\"q11K6L\":[\"Verwerking van dit gesprek is mislukt. Dit gesprek zal niet beschikbaar zijn voor analyse en chat. Laatste bekende status: \",[\"0\"]],\"NQiPr4\":[\"Transcript wordt verwerkt\"],\"48px15\":[\"Rapport wordt verwerkt...\"],\"gzGDMM\":[\"Hertranscriptieaanvraag wordt verwerkt...\"],\"Hie0VV\":[\"Project aangemaakt\"],\"xJMpjP\":[\"Inzichtenbibliotheek | Dembrane\"],\"OyIC0Q\":[\"Projectnaam\"],\"6Z2q2Y\":[\"Projectnaam moet minstens 4 tekens lang zijn\"],\"n7JQEk\":[\"Project niet gevonden\"],\"hjaZqm\":[\"Project Overzicht\"],\"Jbf9pq\":[\"Project Overzicht | Dembrane\"],\"O1x7Ay\":[\"Project Overzicht en Bewerken\"],\"Wsk5pi\":[\"Project Instellingen\"],\"+0B+ue\":[\"Projecten\"],\"Eb7xM7\":[\"Projecten | Dembrane\"],\"JQVviE\":[\"Projecten Home\"],\"nyEOdh\":[\"Geef een overzicht van de belangrijkste onderwerpen en herhalende thema's\"],\"6oqr95\":[\"Geef specifieke context om de kwaliteit en nauwkeurigheid van de transcriptie te verbeteren. Dit kan bestaan uit belangrijke termen, specifieke instructies of andere relevante informatie.\"],\"EEYbdt\":[\"Publiceren\"],\"u3wRF+\":[\"Gepubliceerd\"],\"E7YTYP\":[\"Haal de meest impactvolle quotes uit deze sessie\"],\"eWLklq\":[\"Quotes\"],\"wZxwNu\":[\"Lees hardop voor\"],\"participant.ready.to.begin\":[\"Klaar om te beginnen\"],\"ZKOO0I\":[\"Klaar om te beginnen?\"],\"hpnYpo\":[\"Aanbevolen apps\"],\"participant.button.record\":[\"Opname starten\"],\"w80YWM\":[\"Opname starten\"],\"s4Sz7r\":[\"Neem nog een gesprek op\"],\"participant.modal.pause.title\":[\"Opname gepauzeerd\"],\"view.recreate.tooltip\":[\"Bekijk opnieuw\"],\"view.recreate.modal.title\":[\"Bekijk opnieuw\"],\"CqnkB0\":[\"Terugkerende thema's\"],\"9aloPG\":[\"Referenties\"],\"participant.button.refine\":[\"Verfijnen\"],\"lCF0wC\":[\"Vernieuwen\"],\"ZMXpAp\":[\"Auditlogboeken vernieuwen\"],\"844H5I\":[\"Bibliotheek opnieuw genereren\"],\"bluvj0\":[\"Samenvatting opnieuw genereren\"],\"participant.concrete.regenerating.artefact\":[\"Nieuwe tekst aan het maken…\"],\"oYlYU+\":[\"Samenvatting wordt opnieuw gemaakt. Even wachten...\"],\"wYz80B\":[\"Registreer | Dembrane\"],\"w3qEvq\":[\"Registreer als nieuwe gebruiker\"],\"7dZnmw\":[\"Relevantie\"],\"participant.button.reload.page.text.mode\":[\"Pagina herladen\"],\"participant.button.reload\":[\"Pagina herladen\"],\"participant.concrete.artefact.action.button.reload\":[\"Opnieuw laden\"],\"hTDMBB\":[\"Pagina herladen\"],\"Kl7//J\":[\"E-mail verwijderen\"],\"cILfnJ\":[\"Bestand verwijderen\"],\"CJgPtd\":[\"Verwijder van dit gesprek\"],\"project.sidebar.chat.rename\":[\"Naam wijzigen\"],\"2wxgft\":[\"Naam wijzigen\"],\"XyN13i\":[\"Reactie prompt\"],\"gjpdaf\":[\"Rapport\"],\"Q3LOVJ\":[\"Rapporteer een probleem\"],\"DUmD+q\":[\"Rapport aangemaakt - \",[\"0\"]],\"KFQLa2\":[\"Rapport generatie is momenteel in beta en beperkt tot projecten met minder dan 10 uur opname.\"],\"hIQOLx\":[\"Rapportmeldingen\"],\"lNo4U2\":[\"Rapport bijgewerkt - \",[\"0\"]],\"library.request.access\":[\"Toegang aanvragen\"],\"uLZGK+\":[\"Toegang aanvragen\"],\"dglEEO\":[\"Wachtwoord reset aanvragen\"],\"u2Hh+Y\":[\"Wachtwoord reset aanvragen | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Microfoontoegang aanvragen om beschikbare apparaten te detecteren...\"],\"MepchF\":[\"Microfoontoegang aanvragen om beschikbare apparaten te detecteren...\"],\"xeMrqw\":[\"Alle opties resetten\"],\"KbS2K9\":[\"Wachtwoord resetten\"],\"UMMxwo\":[\"Wachtwoord resetten | Dembrane\"],\"L+rMC9\":[\"Resetten naar standaardinstellingen\"],\"s+MGs7\":[\"Bronnen\"],\"participant.button.stop.resume\":[\"Hervatten\"],\"v39wLo\":[\"Hervatten\"],\"sVzC0H\":[\"Hertranscriptie\"],\"ehyRtB\":[\"Hertranscriptie gesprek\"],\"1JHQpP\":[\"Hertranscriptie gesprek\"],\"MXwASV\":[\"Hertranscriptie gestart. Nieuw gesprek wordt binnenkort beschikbaar.\"],\"6gRgw8\":[\"Opnieuw proberen\"],\"H1Pyjd\":[\"Opnieuw uploaden\"],\"9VUzX4\":[\"Bekijk de activiteiten van je werkruimte. Filter op collectie of actie en exporteer de huidige weergave voor verder onderzoek.\"],\"UZVWVb\":[\"Bestanden bekijken voordat u uploadt\"],\"3lYF/Z\":[\"Bekijk de verwerkingsstatus voor elk gesprek dat in dit project is verzameld.\"],\"participant.concrete.action.button.revise\":[\"Aanpassen\"],\"OG3mVO\":[\"Revisie #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Rijen per pagina\"],\"participant.concrete.action.button.save\":[\"Opslaan\"],\"tfDRzk\":[\"Opslaan\"],\"2VA/7X\":[\"Opslaan fout!\"],\"XvjC4F\":[\"Opslaan...\"],\"nHeO/c\":[\"Scan de QR-code of kopieer het geheim naar je app.\"],\"oOi11l\":[\"Scroll naar beneden\"],\"A1taO8\":[\"Zoeken\"],\"OWm+8o\":[\"Zoek gesprekken\"],\"blFttG\":[\"Zoek projecten\"],\"I0hU01\":[\"Zoek projecten\"],\"RVZJWQ\":[\"Zoek projecten...\"],\"lnWve4\":[\"Zoek tags\"],\"pECIKL\":[\"Zoek templates...\"],\"uSvNyU\":[\"Doorzocht de meest relevante bronnen\"],\"Wj2qJm\":[\"Zoeken door de meest relevante bronnen\"],\"Y1y+VB\":[\"Geheim gekopieerd\"],\"Eyh9/O\":[\"Gespreksstatusdetails bekijken\"],\"0sQPzI\":[\"Tot snel\"],\"1ZTiaz\":[\"Segmenten\"],\"H/diq7\":[\"Selecteer een microfoon\"],\"NK2YNj\":[\"Selecteer audiobestanden om te uploaden\"],\"/3ntVG\":[\"Selecteer gesprekken en vind exacte quotes\"],\"LyHz7Q\":[\"Selecteer gesprekken in de sidebar\"],\"n4rh8x\":[\"Selecteer Project\"],\"ekUnNJ\":[\"Selecteer tags\"],\"CG1cTZ\":[\"Selecteer de instructies die worden getoond aan deelnemers wanneer ze een gesprek starten\"],\"qxzrcD\":[\"Selecteer het type feedback of betrokkenheid dat u wilt stimuleren.\"],\"QdpRMY\":[\"Selecteer tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Kies een concreet onderwerp\"],\"participant.select.microphone\":[\"Selecteer een microfoon\"],\"vKH1Ye\":[\"Selecteer je microfoon:\"],\"gU5H9I\":[\"Geselecteerde bestanden (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Geselecteerde microfoon\"],\"JlFcis\":[\"Verzenden\"],\"VTmyvi\":[\"Gevoel\"],\"NprC8U\":[\"Sessienaam\"],\"DMl1JW\":[\"Installeer je eerste project\"],\"Tz0i8g\":[\"Instellingen\"],\"participant.settings.modal.title\":[\"Instellingen\"],\"PErdpz\":[\"Instellingen | Dembrane\"],\"Z8lGw6\":[\"Delen\"],\"/XNQag\":[\"Dit rapport delen\"],\"oX3zgA\":[\"Deel je gegevens hier\"],\"Dc7GM4\":[\"Deel je stem\"],\"swzLuF\":[\"Deel je stem door het QR-code hieronder te scannen.\"],\"+tz9Ky\":[\"Kortste eerst\"],\"h8lzfw\":[\"Toon \",[\"0\"]],\"lZw9AX\":[\"Toon alles\"],\"w1eody\":[\"Toon audiospeler\"],\"pzaNzD\":[\"Gegevens tonen\"],\"yrhNQG\":[\"Toon duur\"],\"Qc9KX+\":[\"IP-adressen tonen\"],\"6lGV3K\":[\"Minder tonen\"],\"fMPkxb\":[\"Meer tonen\"],\"3bGwZS\":[\"Toon referenties\"],\"OV2iSn\":[\"Revisiegegevens tonen\"],\"3Sg56r\":[\"Toon tijdlijn in rapport (aanvraag functie)\"],\"DLEIpN\":[\"Toon tijdstempels (experimenteel)\"],\"Tqzrjk\":[\"Toont \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" van \",[\"totalItems\"],\" items\"],\"dbWo0h\":[\"Inloggen met Google\"],\"participant.mic.check.button.skip\":[\"Overslaan\"],\"6Uau97\":[\"Overslaan\"],\"lH0eLz\":[\"Skip data privacy slide (Host manages consent)\"],\"b6NHjr\":[\"Gegevensprivacy slides (Host beheert rechtsgrondslag)\"],\"4Q9po3\":[\"Sommige gesprekken worden nog verwerkt. Automatische selectie zal optimaal werken zodra de audioverwerking is voltooid.\"],\"q+pJ6c\":[\"Sommige bestanden werden al geselecteerd en worden niet dubbel toegevoegd.\"],\"nwtY4N\":[\"Er ging iets mis\"],\"participant.conversation.error.text.mode\":[\"Er is iets misgegaan met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"participant.conversation.error\":[\"Er is iets misgegaan met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"avSWtK\":[\"Er is iets misgegaan bij het exporteren van de auditlogboeken.\"],\"q9A2tm\":[\"Er is iets misgegaan bij het genereren van het geheim.\"],\"JOKTb4\":[\"Er ging iets mis tijdens het uploaden van het bestand: \",[\"0\"]],\"KeOwCj\":[\"Er ging iets mis met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"participant.go.deeper.generic.error.message\":[\"Dit gesprek kan nu niet dieper. Probeer het straks nog een keer.\"],\"fWsBTs\":[\"Er is iets misgegaan. Probeer het alstublieft opnieuw.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"We kunnen hier niet dieper op ingaan door onze contentregels.\"],\"f6Hub0\":[\"Sorteer\"],\"/AhHDE\":[\"Bron \",[\"0\"]],\"u7yVRn\":[\"Bronnen:\"],\"65A04M\":[\"Spaans\"],\"zuoIYL\":[\"Spreker\"],\"z5/5iO\":[\"Specifieke context\"],\"mORM2E\":[\"Specifieke details\"],\"Etejcu\":[\"Specifieke details - Geselecteerde gesprekken\"],\"participant.button.start.new.conversation.text.mode\":[\"Nieuw gesprek starten\"],\"participant.button.start.new.conversation\":[\"Nieuw gesprek starten\"],\"c6FrMu\":[\"Nieuw gesprek starten\"],\"i88wdJ\":[\"Opnieuw beginnen\"],\"pHVkqA\":[\"Opname starten\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stop\"],\"participant.button.stop\":[\"Stop\"],\"kimwwT\":[\"Strategische Planning\"],\"hQRttt\":[\"Stuur in\"],\"participant.button.submit.text.mode\":[\"Stuur in\"],\"0Pd4R1\":[\"Ingereed via tekstinput\"],\"zzDlyQ\":[\"Succes\"],\"bh1eKt\":[\"Aanbevelingen:\"],\"F1nkJm\":[\"Samenvatten\"],\"4ZpfGe\":[\"Vat de belangrijkste inzichten uit mijn interviews samen\"],\"5Y4tAB\":[\"Vat dit interview samen in een artikel dat je kunt delen\"],\"dXoieq\":[\"Samenvatting\"],\"g6o+7L\":[\"Samenvatting gemaakt.\"],\"kiOob5\":[\"Samenvatting nog niet beschikbaar\"],\"OUi+O3\":[\"Samenvatting opnieuw gemaakt.\"],\"Pqa6KW\":[\"Samenvatting komt beschikbaar als het gesprek is uitgeschreven.\"],\"6ZHOF8\":[\"Ondersteunde formaten: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Overschakelen naar tekstinvoer\"],\"D+NlUC\":[\"Systeem\"],\"OYHzN1\":[\"Trefwoorden\"],\"nlxlmH\":[\"Neem even de tijd om een resultaat te creëren dat je bijdrage concreet maakt of krijg direct een reactie van Dembrane om het gesprek te verdiepen.\"],\"eyu39U\":[\"Neem even de tijd om een resultaat te creëren dat je bijdrage concreet maakt.\"],\"participant.refine.make.concrete.description\":[\"Neem even de tijd om een resultaat te creëren dat je bijdrage concreet maakt.\"],\"QCchuT\":[\"Template toegepast\"],\"iTylMl\":[\"Sjablonen\"],\"xeiujy\":[\"Tekst\"],\"CPN34F\":[\"Dank je wel voor je deelname!\"],\"EM1Aiy\":[\"Bedankt Pagina\"],\"u+Whi9\":[\"Bedankt pagina inhoud\"],\"5KEkUQ\":[\"Bedankt! We zullen u waarschuwen wanneer het rapport klaar is.\"],\"2yHHa6\":[\"Die code werkte niet. Probeer het opnieuw met een verse code uit je authenticator-app.\"],\"TQCE79\":[\"Code werkt niet, probeer het nog een keer.\"],\"participant.conversation.error.loading.text.mode\":[\"Er is iets misgegaan met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"participant.conversation.error.loading\":[\"Er is iets misgegaan met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"nO942E\":[\"Het gesprek kon niet worden geladen. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning.\"],\"Jo19Pu\":[\"De volgende gesprekken werden automatisch toegevoegd aan de context\"],\"Lngj9Y\":[\"De Portal is de website die wordt geladen wanneer deelnemers het QR-code scannen.\"],\"bWqoQ6\":[\"de projectbibliotheek.\"],\"hTCMdd\":[\"Samenvatting wordt gemaakt. Even wachten tot die klaar is.\"],\"+AT8nl\":[\"Samenvatting wordt opnieuw gemaakt. Even wachten tot die klaar is.\"],\"iV8+33\":[\"De samenvatting wordt hergeneratie. Wacht tot de nieuwe samenvatting beschikbaar is.\"],\"AgC2rn\":[\"De samenvatting wordt hergeneratie. Wacht tot 2 minuten voor de nieuwe samenvatting beschikbaar is.\"],\"PTNxDe\":[\"Het transcript voor dit gesprek wordt verwerkt. Controleer later opnieuw.\"],\"FEr96N\":[\"Thema\"],\"T8rsM6\":[\"Er is een fout opgetreden bij het klonen van uw project. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning.\"],\"JDFjCg\":[\"Er is een fout opgetreden bij het maken van uw rapport. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning.\"],\"e3JUb8\":[\"Er is een fout opgetreden bij het genereren van uw rapport. In de tijd, kunt u alle uw gegevens analyseren met de bibliotheek of selecteer specifieke gesprekken om te praten.\"],\"7qENSx\":[\"Er is een fout opgetreden bij het bijwerken van uw rapport. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning.\"],\"V7zEnY\":[\"Er is een fout opgetreden bij het verifiëren van uw e-mail. Probeer het alstublieft opnieuw.\"],\"gtlVJt\":[\"Dit zijn enkele nuttige voorbeeld sjablonen om u te helpen.\"],\"sd848K\":[\"Dit zijn uw standaard weergave sjablonen. Zodra u uw bibliotheek hebt gemaakt, zullen deze uw eerste twee weergaven zijn.\"],\"8xYB4s\":[\"Deze standaardweergaven worden automatisch aangemaakt wanneer je je eerste bibliotheek maakt.\"],\"Ed99mE\":[\"Denken...\"],\"conversation.linked_conversations.description\":[\"Dit gesprek heeft de volgende kopieën:\"],\"conversation.linking_conversations.description\":[\"Dit gesprek is een kopie van\"],\"dt1MDy\":[\"Dit gesprek wordt nog verwerkt. Het zal beschikbaar zijn voor analyse en chat binnenkort.\"],\"5ZpZXq\":[\"Dit gesprek wordt nog verwerkt. Het zal beschikbaar zijn voor analyse en chat binnenkort. \"],\"SzU1mG\":[\"Deze e-mail is al in de lijst.\"],\"JtPxD5\":[\"Deze e-mail is al geabonneerd op meldingen.\"],\"participant.modal.refine.info.available.in\":[\"Deze functie is beschikbaar over \",[\"remainingTime\"],\" seconden.\"],\"QR7hjh\":[\"Dit is een live voorbeeld van het portaal van de deelnemer. U moet de pagina vernieuwen om de meest recente wijzigingen te bekijken.\"],\"library.description\":[\"Dit is uw projectbibliotheek. Creëer weergaven om uw hele project tegelijk te analyseren.\"],\"gqYJin\":[\"Dit is uw projectbibliotheek. Momenteel zijn \",[\"0\"],\" gesprekken in behandeling om te worden verwerkt.\"],\"sNnJJH\":[\"Dit is uw projectbibliotheek. Momenteel zijn \",[\"0\"],\" gesprekken in behandeling om te worden verwerkt.\"],\"tJL2Lh\":[\"Deze taal wordt gebruikt voor de Portal van de deelnemer en transcriptie.\"],\"BAUPL8\":[\"Deze taal wordt gebruikt voor de Portal van de deelnemer en transcriptie. Om de taal van deze toepassing te wijzigen, gebruikt u de taalkiezer in de instellingen in de header.\"],\"zyA8Hj\":[\"Deze taal wordt gebruikt voor de Portal van de deelnemer, transcriptie en analyse. Om de taal van deze toepassing te wijzigen, gebruikt u de taalkiezer in het gebruikersmenu in de header.\"],\"Gbd5HD\":[\"Deze taal wordt gebruikt voor de Portal van de deelnemer.\"],\"9ww6ML\":[\"Deze pagina wordt getoond na het voltooien van het gesprek door de deelnemer.\"],\"1gmHmj\":[\"Deze pagina wordt getoond aan deelnemers wanneer ze een gesprek starten na het voltooien van de tutorial.\"],\"bEbdFh\":[\"Deze projectbibliotheek is op\"],\"No7/sO\":[\"Deze projectbibliotheek is op \",[\"0\"],\" gemaakt.\"],\"nYeaxs\":[\"Deze prompt bepaalt hoe de AI reageert op deelnemers. Deze prompt stuurt aan hoe de AI reageert\"],\"Yig29e\":[\"Dit rapport is nog niet beschikbaar. \"],\"GQTpnY\":[\"Dit rapport werd geopend door \",[\"0\"],\" mensen\"],\"okY/ix\":[\"Deze samenvatting is AI-gegenereerd en kort, voor een uitgebreide analyse, gebruik de Chat of Bibliotheek.\"],\"hwyBn8\":[\"Deze titel wordt getoond aan deelnemers wanneer ze een gesprek starten\"],\"Dj5ai3\":[\"Dit zal uw huidige invoer wissen. Weet u het zeker?\"],\"NrRH+W\":[\"Dit zal een kopie van het huidige project maken. Alleen instellingen en trefwoorden worden gekopieerd. Rapporten, chats en gesprekken worden niet opgenomen in de kopie. U wordt doorgestuurd naar het nieuwe project na het klonen.\"],\"hsNXnX\":[\"Dit zal een nieuw gesprek maken met dezelfde audio maar een nieuwe transcriptie. Het originele gesprek blijft ongewijzigd.\"],\"participant.concrete.regenerating.artefact.description\":[\"We zijn je tekst aan het vernieuwen. Dit duurt meestal maar een paar seconden.\"],\"participant.concrete.loading.artefact.description\":[\"We zijn je tekst aan het ophalen. Even geduld.\"],\"n4l4/n\":[\"Dit zal persoonlijk herkenbare informatie vervangen door .\"],\"Ww6cQ8\":[\"Tijd gemaakt\"],\"8TMaZI\":[\"Tijdstempel\"],\"rm2Cxd\":[\"Tip\"],\"MHrjPM\":[\"Titel\"],\"5h7Z+m\":[\"Om een nieuw trefwoord toe te wijzen, maak het eerst in het projectoverzicht.\"],\"o3rowT\":[\"Om een rapport te genereren, voeg eerst gesprekken toe aan uw project\"],\"sFMBP5\":[\"Onderwerpen\"],\"ONchxy\":[\"totaal\"],\"fp5rKh\":[\"Transcriptie wordt uitgevoerd...\"],\"DDziIo\":[\"Transcriptie\"],\"hfpzKV\":[\"Transcript gekopieerd naar klembord\"],\"AJc6ig\":[\"Transcript niet beschikbaar\"],\"N/50DC\":[\"Transcriptie Instellingen\"],\"FRje2T\":[\"Transcriptie wordt uitgevoerd...\"],\"0l9syB\":[\"Transcriptie wordt uitgevoerd…\"],\"H3fItl\":[\"Transformeer deze transcripties in een LinkedIn-post die door de stof gaat. Neem de volgende punten in acht:\\nNeem de belangrijkste inzichten uit de transcripties\\nSchrijf het als een ervaren leider die conventionele kennis vervant, niet een motiveringsposter\\nZoek een echt verrassende observatie die zelfs ervaren professionals zou moeten laten stilstaan\\nBlijf intellectueel diep terwijl je direct bent\\nGebruik alleen feiten die echt verrassingen zijn\\nHou de tekst netjes en professioneel (minimaal emojis, gedachte voor ruimte)\\nStel een ton op die suggereert dat je zowel diep expertise als real-world ervaring hebt\\n\\nOpmerking: Als de inhoud geen substantiële inzichten bevat, laat het me weten dat we sterkere bronnen nodig hebben.\"],\"53dSNP\":[\"Transformeer deze inhoud in inzichten die ertoe doen. Neem de volgende punten in acht:\\nNeem de belangrijkste inzichten uit de inhoud\\nSchrijf het als iemand die nuance begrijpt, niet een boek\\nFocus op de niet-evidente implicaties\\nHou het scherp en substantieel\\nHighlight de echt belangrijke patronen\\nStructuur voor duidelijkheid en impact\\nBalans diepte met toegankelijkheid\\n\\nOpmerking: Als de inhoud geen substantiële inzichten bevat, laat het me weten dat we sterkere bronnen nodig hebben.\"],\"uK9JLu\":[\"Transformeer deze discussie in handige intelligente informatie. Neem de volgende punten in acht:\\nNeem de strategische implicaties, niet alleen de sprekerpunten\\nStructuur het als een analyse van een denkerleider, niet minuten\\nHighlight besluitpunten die conventionele kennis vervant\\nHoud de signaal-ruisverhouding hoog\\nFocus op inzichten die echt verandering teweeg brengen\\nOrganiseer voor duidelijkheid en toekomstige referentie\\nBalans tactische details met strategische visie\\n\\nOpmerking: Als de discussie geen substantiële besluitpunten of inzichten bevat, flag het voor een diepere exploratie de volgende keer.\"],\"qJb6G2\":[\"Opnieuw proberen\"],\"eP1iDc\":[\"Vraag bijvoorbeeld\"],\"goQEqo\":[\"Probeer een beetje dichter bij je microfoon te komen voor betere geluidskwaliteit.\"],\"EIU345\":[\"Tweestapsverificatie\"],\"NwChk2\":[\"Tweestapsverificatie uitgezet\"],\"qwpE/S\":[\"Tweestapsverificatie aangezet\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Typ een bericht...\"],\"EvmL3X\":[\"Typ hier uw reactie\"],\"participant.concrete.artefact.error.title\":[\"Er ging iets mis met dit artefact\"],\"MksxNf\":[\"Kan auditlogboeken niet laden.\"],\"8vqTzl\":[\"Het gegenereerde artefact kan niet worden geladen. Probeer het opnieuw.\"],\"nGxDbq\":[\"Kan dit fragment niet verwerken\"],\"9uI/rE\":[\"Ongedaan maken\"],\"Ef7StM\":[\"Onbekend\"],\"H899Z+\":[\"ongelezen melding\"],\"0pinHa\":[\"ongelezen meldingen\"],\"sCTlv5\":[\"Niet-opgeslagen wijzigingen\"],\"SMaFdc\":[\"Afmelden\"],\"jlrVDp\":[\"Gesprek zonder titel\"],\"EkH9pt\":[\"Bijwerken\"],\"3RboBp\":[\"Bijwerken rapport\"],\"4loE8L\":[\"Bijwerken rapport om de meest recente gegevens te bevatten\"],\"Jv5s94\":[\"Bijwerken rapport om de meest recente wijzigingen in uw project te bevatten. De link om het rapport te delen zou hetzelfde blijven.\"],\"kwkhPe\":[\"Upgraden\"],\"UkyAtj\":[\"Upgrade om automatisch selecteren te ontgrendelen en analyseer 10x meer gesprekken in de helft van de tijd - geen handmatige selectie meer, gewoon diepere inzichten direct.\"],\"ONWvwQ\":[\"Uploaden\"],\"8XD6tj\":[\"Audio uploaden\"],\"kV3A2a\":[\"Upload voltooid\"],\"4Fr6DA\":[\"Gesprekken uploaden\"],\"pZq3aX\":[\"Upload mislukt. Probeer het opnieuw.\"],\"HAKBY9\":[\"Bestanden uploaden\"],\"Wft2yh\":[\"Upload bezig\"],\"JveaeL\":[\"Bronnen uploaden\"],\"3wG7HI\":[\"Uploaded\"],\"k/LaWp\":[\"Audio bestanden uploaden...\"],\"VdaKZe\":[\"Experimentele functies gebruiken\"],\"rmMdgZ\":[\"PII redaction gebruiken\"],\"ngdRFH\":[\"Gebruik Shift + Enter om een nieuwe regel toe te voegen\"],\"GWpt68\":[\"Verificatie-onderwerpen\"],\"c242dc\":[\"geverifieerd\"],\"conversation.filters.verified.text\":[\"Geverifieerd\"],\"swn5Tq\":[\"geverifieerd artefact\"],\"ob18eo\":[\"Geverifieerde artefacten\"],\"Iv1iWN\":[\"geverifieerde artefacten\"],\"4LFZoj\":[\"Code verifiëren\"],\"jpctdh\":[\"Weergave\"],\"+fxiY8\":[\"Bekijk gesprekdetails\"],\"H1e6Hv\":[\"Bekijk gespreksstatus\"],\"SZw9tS\":[\"Bekijk details\"],\"D4e7re\":[\"Bekijk je reacties\"],\"tzEbkt\":[\"Wacht \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Wil je een template toevoegen aan \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Wil je een template toevoegen aan ECHO?\"],\"r6y+jM\":[\"Waarschuwing\"],\"pUTmp1\":[\"Waarschuwing: je hebt \",[\"0\"],\" sleutelwoorden toegevoegd. Alleen de eerste \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" worden door de transcriptie-engine gebruikt.\"],\"participant.alert.microphone.access.issue\":[\"We kunnen je niet horen. Probeer je microfoon te wisselen of een beetje dichter bij het apparaat te komen.\"],\"SrJOPD\":[\"We kunnen je niet horen. Probeer je microfoon te wisselen of een beetje dichter bij het apparaat te komen.\"],\"Ul0g2u\":[\"We konden tweestapsverificatie niet uitschakelen. Probeer het opnieuw met een nieuwe code.\"],\"sM2pBB\":[\"We konden tweestapsverificatie niet inschakelen. Controleer je code en probeer het opnieuw.\"],\"Ewk6kb\":[\"We konden het audio niet laden. Probeer het later opnieuw.\"],\"xMeAeQ\":[\"We hebben u een e-mail gestuurd met de volgende stappen. Als u het niet ziet, checkt u uw spammap.\"],\"9qYWL7\":[\"We hebben u een e-mail gestuurd met de volgende stappen. Als u het niet ziet, checkt u uw spammap. Als u het nog steeds niet ziet, neem dan contact op met evelien@dembrane.com\"],\"3fS27S\":[\"We hebben u een e-mail gestuurd met de volgende stappen. Als u het niet ziet, checkt u uw spammap. Als u het nog steeds niet ziet, neem dan contact op met jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"We hebben iets meer context nodig om je effectief te helpen verfijnen. Ga alsjeblieft door met opnemen, zodat we betere suggesties kunnen geven.\"],\"dni8nq\":[\"We sturen u alleen een bericht als uw gastgever een rapport genereert, we delen uw gegevens niet met iemand. U kunt op elk moment afmelden.\"],\"participant.test.microphone.description\":[\"We testen je microfoon om de beste ervaring voor iedereen in de sessie te garanderen.\"],\"tQtKw5\":[\"We testen je microfoon om de beste ervaring voor iedereen in de sessie te garanderen.\"],\"+eLc52\":[\"We horen wat stilte. Probeer harder te spreken zodat je stem duidelijk blijft.\"],\"6jfS51\":[\"Welkom\"],\"9eF5oV\":[\"Welkom terug\"],\"i1hzzO\":[\"Welkom in Big Picture Mode! Ik heb samenvattingen van al je gesprekken klaarstaan. Vraag me naar patronen, thema’s en inzichten in je data. Voor exacte quotes start je een nieuwe chat in Specific Details mode.\"],\"fwEAk/\":[\"Welkom bij Dembrane Chat! Gebruik de zijbalk om bronnen en gesprekken te selecteren die je wilt analyseren. Daarna kun je vragen stellen over de geselecteerde inhoud.\"],\"AKBU2w\":[\"Welkom bij Dembrane!\"],\"TACmoL\":[\"Welkom in Overview Mode! Ik heb samenvattingen van al je gesprekken klaarstaan. Vraag me naar patronen, thema’s en inzichten in je data. Voor exacte quotes start je een nieuwe chat in Deep Dive Mode.\"],\"u4aLOz\":[\"Welkom in Overview Mode! Ik heb samenvattingen van al je gesprekken klaarstaan. Vraag me naar patronen, thema’s en inzichten in je data. Voor exacte quotes start je een nieuwe chat in Specific Context mode.\"],\"Bck6Du\":[\"Welkom bij Rapporten!\"],\"aEpQkt\":[\"Welkom op je Home! Hier kun je al je projecten bekijken en toegang krijgen tot tutorialbronnen. Momenteel heb je nog geen projecten. Klik op \\\"Maak\\\" om te beginnen!\"],\"klH6ct\":[\"Welkom!\"],\"Tfxjl5\":[\"Wat zijn de belangrijkste thema's in alle gesprekken?\"],\"participant.concrete.selection.title\":[\"Kies een concreet voorbeeld\"],\"fyMvis\":[\"Welke patronen zie je in de data?\"],\"qGrqH9\":[\"Wat waren de belangrijkste momenten in dit gesprek?\"],\"FXZcgH\":[\"Wat wil je verkennen?\"],\"KcnIXL\":[\"wordt in uw rapport opgenomen\"],\"participant.button.finish.yes.text.mode\":[\"Ja\"],\"kWJmRL\":[\"Jij\"],\"Dl7lP/\":[\"U bent al afgemeld of uw link is ongeldig.\"],\"E71LBI\":[\"U kunt maximaal \",[\"MAX_FILES\"],\" bestanden tegelijk uploaden. Alleen de eerste \",[\"0\"],\" bestanden worden toegevoegd.\"],\"tbeb1Y\":[\"Je kunt de vraagfunctie nog steeds gebruiken om met elk gesprek te chatten\"],\"participant.modal.change.mic.confirmation.text\":[\"Je hebt je microfoon gewisseld. Klik op \\\"Doorgaan\\\" om verder te gaan met de sessie.\"],\"vCyT5z\":[\"Je hebt enkele gesprekken die nog niet zijn verwerkt. Regenerate de bibliotheek om ze te verwerken.\"],\"T/Q7jW\":[\"U hebt succesvol afgemeld.\"],\"lTDtES\":[\"Je kunt er ook voor kiezen om een ander gesprek op te nemen.\"],\"1kxxiH\":[\"Je kunt er voor kiezen om een lijst met zelfstandige naamwoorden, namen of andere informatie toe te voegen die relevant kan zijn voor het gesprek. Dit wordt gebruikt om de kwaliteit van de transcripties te verbeteren.\"],\"yCtSKg\":[\"Je moet inloggen met dezelfde provider die u gebruikte om u aan te melden. Als u problemen ondervindt, neem dan contact op met de ondersteuning.\"],\"snMcrk\":[\"Je lijkt offline te zijn, controleer je internetverbinding\"],\"participant.concrete.instructions.receive.artefact\":[\"Je krijgt zo een concreet voorbeeld (artefact) om mee te werken\"],\"participant.concrete.instructions.approval.helps\":[\"Als je dit goedkeurt, helpt dat om het proces te verbeteren\"],\"Pw2f/0\":[\"Uw gesprek wordt momenteel getranscribeerd. Controleer later opnieuw.\"],\"OFDbfd\":[\"Je gesprekken\"],\"aZHXuZ\":[\"Uw invoer wordt automatisch opgeslagen.\"],\"PUWgP9\":[\"Je bibliotheek is leeg. Maak een bibliotheek om je eerste inzichten te bekijken.\"],\"B+9EHO\":[\"Je antwoord is opgeslagen. Je kunt dit tabblad sluiten.\"],\"wurHZF\":[\"Je reacties\"],\"B8Q/i2\":[\"Je weergave is gemaakt. Wacht aub terwijl we de data verwerken en analyseren.\"],\"library.views.title\":[\"Je weergaven\"],\"lZNgiw\":[\"Je weergaven\"],\"890UpZ\":[\"*Bij Dembrane staat privacy op een!*\"],\"lbvVjA\":[\"*Oh, we hebben geen cookievermelding want we gebruiken geen cookies! We eten ze op.*\"],\"BHbwjT\":[\"*We zorgen dat niks terug te leiden is naar jou als persoon, ook al zeg je per ongeluk je naam, verwijderen wij deze voordat we alles analyseren. Door deze tool te gebruiken, ga je akkoord met onze privacy voorwaarden. Wil je meer weten? Lees dan onze [privacy verklaring]\"],\"9h9TAE\":[\"Voeg context toe aan document\"],\"2FU6NS\":[\"Context toegevoegd\"],\"3wfZhO\":[\"AI Assistent\"],\"2xZOz+\":[\"Alle documenten zijn geüpload en zijn nu klaar. Welke onderzoeksvraag wil je stellen? Optioneel kunt u nu voor elk document een individuele analysechat openen.\"],\"hQYkfg\":[\"Analyseer!\"],\"/B0ynG\":[\"Ben je er klaar voor? Druk dan op \\\"Klaar om te beginnen\\\".\"],\"SWNYyh\":[\"Weet je zeker dat je dit document wilt verwijderen?\"],\"BONLYh\":[\"Weet je zeker dat je wilt stoppen met opnemen?\"],\"8V3/wO\":[\"Stel een algemene onderzoeksvraag\"],\"BwyPXx\":[\"Stel een vraag...\"],\"xWEvuo\":[\"Vraag AI\"],\"uY/eGW\":[\"Stel Vraag\"],\"yRcEcN\":[\"Voeg zoveel documenten toe als je wilt analyseren\"],\"2wg92j\":[\"Gesprekken\"],\"hWszgU\":[\"De bron is verwijderd\"],\"kAJX3r\":[\"Maak een nieuwe sessie aan\"],\"jPQSEz\":[\"Maak een nieuwe werkruimte aan\"],\"GSV2Xq\":[\"Schakel deze functie in zodat deelnemers geverifieerde objecten uit hun inzendingen kunnen maken en goedkeuren. Dat helpt belangrijke ideeën, zorgen of samenvattingen te concretiseren. Na het gesprek kun je filteren op gesprekken met geverifieerde objecten en ze in het overzicht bekijken.\"],\"7qaVXm\":[\"Experimenteel\"],\"FclDDn\":[\"Dembrane Verify\"],\"Y/Fou9\":[\"Selecteer welke onderwerpen deelnemers voor verificatie kunnen gebruiken.\"],\"+vDIXN\":[\"Verwijder document\"],\"hVxMi/\":[\"Document AI Assistent\"],\"RcO3t0\":[\"Document wordt verwerkt\"],\"BXpCcS\":[\"Document is verwijderd\"],\"E/muDO\":[\"Documenten\"],\"6NKYah\":[\"Sleep documenten hierheen of selecteer bestanden\"],\"Mb+tI8\":[\"Eerst vragen we een aantal korte vragen, en dan kan je beginnen met opnemen.\"],\"Ra6776\":[\"Algemene Onderzoeksvraag\"],\"wUQkGp\":[\"Geweldig! Uw documenten worden nu geüpload. Terwijl de documenten worden verwerkt, kunt u mij vertellen waar deze analyse over gaat?\"],\"rsGuuK\":[\"Hallo, ik ben vandaag je onderzoeksassistent. Om te beginnen upload je de documenten die je wilt analyseren.\"],\"6iYuCb\":[\"Hi, Fijn dat je meedoet!\"],\"NoNwIX\":[\"Inactief\"],\"R5z6Q2\":[\"Voer algemene context in\"],\"Lv2yUP\":[\"Deelnemingslink\"],\"0wdd7X\":[\"Aansluiten\"],\"qwmGiT\":[\"Neem contact op met sales\"],\"ZWDkP4\":[\"Momenteel zijn \",[\"finishedConversationsCount\"],\" gesprekken klaar om geanalyseerd te worden. \",[\"unfinishedConversationsCount\"],\" worden nog verwerkt.\"],\"/NTvqV\":[\"Bibliotheek niet beschikbaar\"],\"p18xrj\":[\"Bibliotheek opnieuw genereren\"],\"xFtWcS\":[\"Nog geen documenten geüpload\"],\"meWF5F\":[\"Geen bronnen gevonden. Voeg bronnen toe met behulp van de knop boven aan.\"],\"hqsqEx\":[\"Open Document Chat ✨\"],\"FimKdO\":[\"Originele bestandsnaam\"],\"hOtk0x\":[\"Echo\"],\"JsSzzl\":[\"ECHO\"],\"SUkFIX\":[\"Pauze\"],\"ilKuQo\":[\"Hervatten\"],\"SqNXSx\":[\"Nee\"],\"yfZBOp\":[\"Ja\"],\"cic45J\":[\"We kunnen deze aanvraag niet verwerken vanwege de inhoudsbeleid van de LLM-provider.\"],\"CvZqsN\":[\"Er ging iets mis. Probeer het alstublieft opnieuw door op de knop <0>ECHO te drukken, of neem contact op met de ondersteuning als het probleem blijft bestaan.\"],\"P+lUAg\":[\"Er is iets misgegaan. Probeer het alstublieft opnieuw.\"],\"hh87/E\":[\"\\\"Dieper ingaan\\\" is binnenkort beschikbaar\"],\"RMxlMe\":[\"\\\"Maak het concreet\\\" is binnenkort beschikbaar\"],\"7UJhVX\":[\"Weet je zeker dat je het wilt stoppen?\"],\"RDsML8\":[\"Gesprek stoppen\"],\"IaLTNH\":[\"Goedkeuren\"],\"+f3bIA\":[\"Annuleren\"],\"qgx4CA\":[\"Herzien\"],\"E+5M6v\":[\"Opslaan\"],\"Q82shL\":[\"Ga terug\"],\"yOp5Yb\":[\"Pagina opnieuw laden\"],\"tw+Fbo\":[\"Het lijkt erop dat we dit artefact niet konden laden. Dit is waarschijnlijk tijdelijk. Probeer het opnieuw te laden of ga terug om een ander onderwerp te kiezen.\"],\"oTCD07\":[\"Artefact kan niet worden geladen\"],\"QHbX3T\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"ECX5E0\":[\"Jouw goedkeuring laat zien wat je echt denkt!\"],\"M5oorh\":[\"Als je tevreden bent met de \",[\"objectLabel\"],\", klik dan op 'Goedkeuren' om te laten zien dat je je gehoord voelt.\"],\"RZXkY+\":[\"Annuleren\"],\"86aTqL\":[\"Volgende\"],\"pdifRH\":[\"Bezig met laden\"],\"Ep029+\":[\"Lees de \",[\"objectLabel\"],\" hardop voor en vertel wat je eventueel wilt aanpassen.\"],\"fKeatI\":[\"Je ontvangt zo meteen de \",[\"objectLabel\"],\" om te verifiëren.\"],\"8b+uSr\":[\"Heb je het besproken? Klik op 'Herzien' om de \",[\"objectLabel\"],\" aan te passen aan jullie gesprek.\"],\"iodqGS\":[\"Artefact wordt geladen\"],\"NpZmZm\":[\"Dit duurt maar heel even.\"],\"wklhqE\":[\"Artefact wordt opnieuw gegenereerd\"],\"LYTXJp\":[\"Dit duurt maar een paar seconden.\"],\"CjjC6j\":[\"Volgende\"],\"q885Ym\":[\"Wat wil je concreet maken?\"],\"vvsDp4\":[\"Deelneming\"],\"HWayuJ\":[\"Voer een bericht in\"],\"AWBvkb\":[\"Einde van de lijst • Alle \",[\"0\"],\" gesprekken geladen\"],\"EBcbaZ\":[\"Klaar om te beginnen\"],\"N7NnE/\":[\"Selecteer Sessie\"],\"CQ8O75\":[\"Selecteer je groep\"],\"pOFZmr\":[\"Bedankt! Klik ondertussen op individuele documenten om context toe te voegen aan elk bestand dat ik zal meenemen voor verdere analyse.\"],\"JbSD2g\":[\"Met deze tool kan je gesprekken of verhalen opnemen om je stem te laten horen.\"],\"a/SLN6\":[\"Naam afschrift\"],\"v+tyku\":[\"Typ hier een vraag...\"],\"Fy+uYk\":[\"Typ hier de context...\"],\"4+jlrW\":[\"Upload documenten\"],\"J50beM\":[\"Wat voor soort vraag wil je stellen voor dit document?\"],\"pmt7u4\":[\"Werkruimtes\"],\"ixbz1a\":[\"Je kan dit in je eentje gebruiken om je eigen verhaal te delen, of je kan een gesprek opnemen tussen meerdere mensen, wat vaak leuk en inzichtelijk kan zijn!\"]}")as Messages; \ No newline at end of file +/*eslint-disable*/import type{Messages}from"@lingui/core";export const messages=JSON.parse("{\"You are not authenticated\":[\"Je bent niet ingelogd\"],\"You don't have permission to access this.\":[\"Je hebt geen toegang tot deze pagina.\"],\"Resource not found\":[\"Resource niet gevonden\"],\"Server error\":[\"Serverfout\"],\"Something went wrong\":[\"Er is iets fout gegaan\"],\"We're preparing your workspace.\":[\"We bereiden je werkruimte voor.\"],\"Preparing your dashboard\":[\"Dashboard klaarmaken\"],\"Welcome back\":[\"Welkom terug\"],\"library.regenerate\":[\"Regenerate Library\"],\"library.conversations.processing.status\":[\"Currently \",[\"finishedConversationsCount\"],\" conversations are ready to be analyzed. \",[\"unfinishedConversationsCount\"],\" still processing.\"],\"participant.echo.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"library.contact.sales\":[\"Contact sales\"],\"library.not.available\":[\"It looks like the library is not available for your account. Please contact sales to unlock this feature.\"],\"conversation.accordion.skeleton.title\":[\"Conversations\"],\"project.sidebar.chat.end.description\":[\"End of list • All \",[\"totalChats\"],\" chats loaded\"],\"participant.modal.stop.message\":[\"Are you sure you want to finish the conversation?\"],\"participant.button.echo\":[\"ECHO\"],\"participant.button.is.recording.echo\":[\"ECHO\"],\"participant.modal.stop.title\":[\"Finish Conversation\"],\"participant.button.stop.no\":[\"No\"],\"participant.button.pause\":[\"Pause\"],\"participant.button.resume\":[\"Resume\"],\"conversation.linking_conversations.deleted\":[\"The source conversation was deleted\"],\"participant.button.stop.yes\":[\"Yes\"],\"participant.modal.refine.info.title.echo\":[\"\\\"Go deeper\\\" available soon\"],\"participant.modal.refine.info.title.verify\":[\"\\\"Make it concrete\\\" available soon\"],\"participant.verify.action.button.approve\":[\"Approve\"],\"participant.verify.artefact.title\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"participant.verify.instructions.button.cancel\":[\"Cancel\"],\"participant.verify.action.button.cancel\":[\"Cancel\"],\"dashboard.dembrane.verify.title\":[\"Dembrane Verify\"],\"dashboard.dembrane.verify.description\":[\"Enable this feature to allow participants to create and approve \\\"verified objects\\\" from their submissions. This helps crystallize key ideas, concerns, or summaries. After the conversation, you can filter for discussions with verified objects and review them in the overview.\"],\"dashboard.dembrane.verify.experimental\":[\"Experimental\"],\"participant.verify.artefact.action.button.go.back\":[\"Go back\"],\"participant.verify.instructions.approve.artefact\":[\"If you are happy with the \",[\"objectLabel\"],\" click \\\"Approve\\\" to show you feel heard.\"],\"participant.verify.artefact.error.description\":[\"It looks like we couldn't load this artefact. This might be a temporary issue. You can try reloading or go back to select a different topic.\"],\"participant.verify.instructions.loading\":[\"Loading\"],\"participant.verify.loading.artefact\":[\"Loading artefact\"],\"participant.verify.selection.button.next\":[\"Next\"],\"participant.verify.instructions.button.next\":[\"Next\"],\"participant.verify.instructions.revise.artefact\":[\"Once you have discussed, hit \\\"revise\\\" to see the \",[\"objectLabel\"],\" change to reflect your discussion.\"],\"participant.verify.instructions.read.aloud\":[\"Once you receive the \",[\"objectLabel\"],\", read it aloud and share out loud what you want to change, if anything.\"],\"participant.verify.regenerating.artefact\":[\"Regenerating the artefact\"],\"participant.verify.artefact.action.button.reload\":[\"Reload Page\"],\"participant.verify.action.button.revise\":[\"Revise\"],\"participant.verify.action.button.save\":[\"Save\"],\"dashboard.dembrane.verify.topic.select\":[\"Select which topics participants can use for verification.\"],\"participant.echo.generic.error.message\":[\"Something went wrong. Please try again by pressing the <0>ECHO button, or contact support if the issue continues.\"],\"participant.echo.content.policy.violation.error.message\":[\"Sorry, we cannot process this request due to an LLM provider's content policy.\"],\"participant.verify.regenerating.artefact.description\":[\"This will just take a few moments\"],\"participant.verify.loading.artefact.description\":[\"This will just take a moment\"],\"participant.verify.artefact.error.title\":[\"Unable to Load Artefact\"],\"participant.verify.selection.title\":[\"What do you want to verify?\"],\"participant.verify.instructions.receive.artefact\":[\"You'll soon get \",[\"objectLabel\"],\" to verify.\"],\"participant.verify.instructions.approval.helps\":[\"Your approval helps us understand what you really think!\"],\"dashboard.dembrane.concrete.experimental\":[\"Experimentele functie\"],\"participant.button.go.deeper\":[\"Ga dieper\"],\"participant.button.make.concrete\":[\"Maak het concreet\"],\"library.generate.duration.message\":[\"Het genereren van een bibliotheek kan tot een uur duren\"],\"uDvV8j\":[\" Verzenden\"],\"aMNEbK\":[\" Afmelden voor meldingen\"],\"JhOwWd\":[\"-5s\"],\"participant.modal.refine.info.title.go.deeper\":[\"Ga dieper\"],\"participant.modal.refine.info.title.concrete\":[\"Maak het concreet\"],\"participant.modal.refine.info.title.generic\":[\"\\\"Verfijnen\\\" is binnenkort beschikbaar\"],\"2NWk7n\":[\"(voor verbeterde audioverwerking)\"],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" klaar\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Gesprekken • Bewerkt \",[\"1\"]],\"BXWuuj\":[[\"conversationCount\"],\" geselecteerd\"],\"P1pDS8\":[[\"diffInDays\"],\" dagen geleden\"],\"bT6AxW\":[[\"diffInHours\"],\" uur geleden\"],\"library.conversations.to.be.analyzed\":[[\"finishedConversationsCount\",\"plural\",{\"one\":[\"Momenteel is \",\"#\",\" gesprek klaar om te worden geanalyseerd.\"],\"other\":[\"Momenteel zijn \",\"#\",\" gesprekken klaar om te worden geanalyseerd.\"]}]],\"fyE7Au\":[[\"minutes\"],\" minuten en \",[\"seconds\"],\" seconden\"],\"TVD5At\":[[\"readingNow\"],\" leest nu\"],\"U7Iesw\":[[\"seconds\"],\" seconden\"],\"library.conversations.still.processing\":[[\"0\"],\" worden nog verwerkt.\"],\"ZpJ0wx\":[\"*Een moment a.u.b.*\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wacht \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspecten\"],\"DX/Wkz\":[\"Accountwachtwoord\"],\"L5gswt\":[\"Actie door\"],\"UQXw0W\":[\"Actie op\"],\"7L01XJ\":[\"Acties\"],\"m16xKo\":[\"Toevoegen\"],\"1m+3Z3\":[\"Voeg extra context toe (Optioneel)\"],\"Se1KZw\":[\"Vink aan wat van toepassing is\"],\"1xDwr8\":[\"Voeg belangrijke woorden of namen toe om de kwaliteit en nauwkeurigheid van het transcript te verbeteren.\"],\"ndpRPm\":[\"Voeg nieuwe opnames toe aan dit project. Bestanden die u hier uploadt worden verwerkt en verschijnen in gesprekken.\"],\"Ralayn\":[\"Trefwoord toevoegen\"],\"IKoyMv\":[\"Trefwoorden toevoegen\"],\"NffMsn\":[\"Voeg toe aan dit gesprek\"],\"Na90E+\":[\"Toegevoegde e-mails\"],\"SJCAsQ\":[\"Context toevoegen:\"],\"OaKXud\":[\"Geavanceerd (Tips en best practices)\"],\"TBpbDp\":[\"Geavanceerd (Tips en trucs)\"],\"JiIKww\":[\"Geavanceerde instellingen\"],\"cF7bEt\":[\"Alle acties\"],\"O1367B\":[\"Alle collecties\"],\"Cmt62w\":[\"Alle gesprekken klaar\"],\"u/fl/S\":[\"Alle bestanden zijn succesvol geüpload.\"],\"baQJ1t\":[\"Alle insights\"],\"3goDnD\":[\"Sta deelnemers toe om met behulp van de link nieuwe gesprekken te starten\"],\"bruUug\":[\"Bijna klaar\"],\"H7cfSV\":[\"Al toegevoegd aan dit gesprek\"],\"jIoHDG\":[\"Een e-mail melding wordt naar \",[\"0\"],\" deelnemer\",[\"1\"],\" verstuurd. Wilt u doorgaan?\"],\"G54oFr\":[\"Een e-mail melding wordt naar \",[\"0\"],\" deelnemer\",[\"1\"],\" verstuurd. Wilt u doorgaan?\"],\"8q/YVi\":[\"Er is een fout opgetreden bij het laden van de Portal. Neem contact op met de ondersteuningsteam.\"],\"XyOToQ\":[\"Er is een fout opgetreden.\"],\"QX6zrA\":[\"Analyse\"],\"F4cOH1\":[\"Analyse taal\"],\"1x2m6d\":[\"Analyseer deze elementen met diepte en nuance. Neem de volgende punten in acht:\\n\\nFocus op verrassende verbindingen en contrasten\\nGa verder dan duidelijke oppervlakte-niveau vergelijkingen\\nIdentificeer verborgen patronen die de meeste analyses missen\\nBlijf analytisch exact terwijl je aantrekkelijk bent\\n\\nOpmerking: Als de vergelijkingen te superficieel zijn, laat het me weten dat we meer complex materiaal nodig hebben om te analyseren.\"],\"Dzr23X\":[\"Meldingen\"],\"azfEQ3\":[\"Anonieme deelnemer\"],\"participant.concrete.action.button.approve\":[\"Goedkeuren\"],\"conversation.verified.approved\":[\"Goedgekeurd\"],\"Q5Z2wp\":[\"Weet je zeker dat je dit gesprek wilt verwijderen? Dit kan niet ongedaan worden gemaakt.\"],\"kWiPAC\":[\"Weet je zeker dat je dit project wilt verwijderen?\"],\"YF1Re1\":[\"Weet je zeker dat je dit project wilt verwijderen? Dit kan niet ongedaan worden gemaakt.\"],\"B8ymes\":[\"Weet je zeker dat je deze opname wilt verwijderen?\"],\"G2gLnJ\":[\"Weet je zeker dat je dit trefwoord wilt verwijderen?\"],\"aUsm4A\":[\"Weet je zeker dat je dit trefwoord wilt verwijderen? Dit zal het trefwoord verwijderen uit bestaande gesprekken die het bevatten.\"],\"participant.modal.finish.message.text.mode\":[\"Weet je zeker dat je het wilt afmaken?\"],\"xu5cdS\":[\"Weet je zeker dat je het wilt afmaken?\"],\"sOql0x\":[\"Weet je zeker dat je de bibliotheek wilt genereren? Dit kan een tijdje duren en overschrijft je huidige views en insights.\"],\"K1Omdr\":[\"Weet je zeker dat je de bibliotheek wilt genereren? Dit kan een tijdje duren.\"],\"UXCOMn\":[\"Weet je zeker dat je het samenvatting wilt hergenereren? Je verliest de huidige samenvatting.\"],\"JHgUuT\":[\"Artefact succesvol goedgekeurd!\"],\"IbpaM+\":[\"Artefact succesvol opnieuw geladen!\"],\"Qcm/Tb\":[\"Artefact succesvol herzien!\"],\"uCzCO2\":[\"Artefact succesvol bijgewerkt!\"],\"KYehbE\":[\"Artefacten\"],\"jrcxHy\":[\"Artefacten\"],\"F+vBv0\":[\"Stel vraag\"],\"Rjlwvz\":[\"Vraag om naam?\"],\"5gQcdD\":[\"Vraag deelnemers om hun naam te geven wanneer ze een gesprek starten\"],\"84NoFa\":[\"Aspect\"],\"HkigHK\":[\"Aspecten\"],\"kskjVK\":[\"Assistent is aan het typen...\"],\"5PKg7S\":[\"Er moet minstens één onderwerp zijn geselecteerd om Dembrane Verify in te schakelen.\"],\"HrusNW\":[\"Selecteer minimaal één onderwerp om Maak het concreet aan te zetten\"],\"DMBYlw\":[\"Audio verwerking in uitvoering\"],\"D3SDJS\":[\"Audio opname\"],\"mGVg5N\":[\"Audio opnames worden 30 dagen na de opname verwijderd\"],\"IOBCIN\":[\"Audio-tip\"],\"y2W2Hg\":[\"Auditlogboeken\"],\"aL1eBt\":[\"Auditlogboeken geëxporteerd naar CSV\"],\"mS51hl\":[\"Auditlogboeken geëxporteerd naar JSON\"],\"z8CQX2\":[\"Authenticator-code\"],\"/iCiQU\":[\"Automatisch selecteren\"],\"3D5FPO\":[\"Automatisch selecteren uitgeschakeld\"],\"ajAMbT\":[\"Automatisch selecteren ingeschakeld\"],\"jEqKwR\":[\"Automatisch selecteren bronnen om toe te voegen aan het gesprek\"],\"vtUY0q\":[\"Automatisch relevante gesprekken voor analyse zonder handmatige selectie\"],\"csDS2L\":[\"Beschikbaar\"],\"participant.button.back.microphone\":[\"Terug naar microfoon\"],\"participant.button.back\":[\"Terug\"],\"iH8pgl\":[\"Terug\"],\"/9nVLo\":[\"Terug naar selectie\"],\"wVO5q4\":[\"Basis (Alleen essentiële tutorial slides)\"],\"epXTwc\":[\"Basis instellingen\"],\"GML8s7\":[\"Begin!\"],\"YBt9YP\":[\"Bèta\"],\"dashboard.dembrane.concrete.beta\":[\"Bèta\"],\"0fX/GG\":[\"Big Picture\"],\"vZERag\":[\"Big Picture - Thema’s & patronen\"],\"YgG3yv\":[\"Brainstorm ideeën\"],\"ba5GvN\":[\"Door dit project te verwijderen, verwijder je alle gegevens die eraan gerelateerd zijn. Dit kan niet ongedaan worden gemaakt. Weet je zeker dat je dit project wilt verwijderen?\"],\"dEgA5A\":[\"Annuleren\"],\"participant.mic.settings.modal.second.confirm.cancel\":[\"Annuleren\"],\"participant.concrete.action.button.cancel\":[\"Annuleren\"],\"participant.concrete.instructions.button.cancel\":[\"Annuleren\"],\"RKD99R\":[\"Kan geen leeg gesprek toevoegen\"],\"JFFJDJ\":[\"Wijzigingen worden automatisch opgeslagen terwijl je de app gebruikt. <0/>Zodra je wijzigingen hebt die nog niet zijn opgeslagen, kun je op elk gedeelte van de pagina klikken om de wijzigingen op te slaan. <1/>Je zult ook een knop zien om de wijzigingen te annuleren.\"],\"u0IJto\":[\"Wijzigingen worden automatisch opgeslagen\"],\"xF/jsW\":[\"Wijziging van de taal tijdens een actief gesprek kan onverwachte resultaten opleveren. Het wordt aanbevolen om een nieuw gesprek te starten na het wijzigen van de taal. Weet je zeker dat je wilt doorgaan?\"],\"AHZflp\":[\"Chat\"],\"TGJVgd\":[\"Chat | Dembrane\"],\"chat.accordion.skeleton.title\":[\"Chats\"],\"project.sidebar.chat.title\":[\"Chats\"],\"8Q+lLG\":[\"Chats\"],\"participant.button.check.microphone.access\":[\"Controleer microfoontoegang\"],\"+e4Yxz\":[\"Controleer microfoontoegang\"],\"v4fiSg\":[\"Controleer je email\"],\"pWT04I\":[\"Controleren...\"],\"DakUDF\":[\"Kies je favoriete thema voor de interface\"],\"0ngaDi\":[\"Citeert de volgende bronnen\"],\"B2pdef\":[\"Klik op \\\"Upload bestanden\\\" wanneer je klaar bent om de upload te starten.\"],\"BPrdpc\":[\"Project klonen\"],\"9U86tL\":[\"Project klonen\"],\"yz7wBu\":[\"Sluiten\"],\"q+hNag\":[\"Collectie\"],\"Wqc3zS\":[\"Vergelijk\"],\"jlZul5\":[\"Vergelijk en contrast de volgende items die in de context zijn verstrekt. \"],\"bD8I7O\":[\"Voltooid\"],\"6jBoE4\":[\"Concreet maken\"],\"participant.mic.settings.modal.second.confirm.button\":[\"Doorgaan\"],\"yjkELF\":[\"Bevestig nieuw wachtwoord\"],\"p2/GCq\":[\"Bevestig wachtwoord\"],\"puQ8+/\":[\"Publiceren bevestigen\"],\"L0k594\":[\"Bevestig je wachtwoord om een nieuw geheim voor je authenticator-app te genereren.\"],\"JhzMcO\":[\"Verbinding maken met rapportservices...\"],\"wX/BfX\":[\"Verbinding gezond\"],\"WimHuY\":[\"Verbinding ongezond\"],\"DFFB2t\":[\"Neem contact op met sales\"],\"VlCTbs\":[\"Neem contact op met je verkoper om deze functie vandaag te activeren!\"],\"M73whl\":[\"Context\"],\"VHSco4\":[\"Context toegevoegd:\"],\"participant.button.continue\":[\"Doorgaan\"],\"xGVfLh\":[\"Doorgaan\"],\"F1pfAy\":[\"gesprek\"],\"EiHu8M\":[\"Gesprek toegevoegd aan chat\"],\"ggJDqH\":[\"Gesprek audio\"],\"participant.conversation.ended\":[\"Gesprek beëindigd\"],\"BsHMTb\":[\"Gesprek beëindigd\"],\"26Wuwb\":[\"Gesprek wordt verwerkt\"],\"OtdHFE\":[\"Gesprek verwijderd uit chat\"],\"zTKMNm\":[\"Gespreksstatus\"],\"Rdt7Iv\":[\"Gespreksstatusdetails\"],\"a7zH70\":[\"gesprekken\"],\"EnJuK0\":[\"Gesprekken\"],\"TQ8ecW\":[\"Gesprekken van QR Code\"],\"nmB3V3\":[\"Gesprekken van upload\"],\"participant.refine.cooling.down\":[\"Even afkoelen. Beschikbaar over \",[\"0\"]],\"6V3Ea3\":[\"Gekopieerd\"],\"he3ygx\":[\"Kopieer\"],\"y1eoq1\":[\"Kopieer link\"],\"Dj+aS5\":[\"Kopieer link om dit rapport te delen\"],\"vAkFou\":[\"Geheim kopiëren\"],\"v3StFl\":[\"Kopieer samenvatting\"],\"/4gGIX\":[\"Kopieer naar clipboard\"],\"rG2gDo\":[\"Kopieer transcript\"],\"OvEjsP\":[\"Kopieren...\"],\"hYgDIe\":[\"Maak\"],\"CSQPC0\":[\"Maak een account aan\"],\"library.create\":[\"Maak bibliotheek aan\"],\"O671Oh\":[\"Maak bibliotheek aan\"],\"library.create.view.modal.title\":[\"Maak nieuwe view aan\"],\"vY2Gfm\":[\"Maak nieuwe view aan\"],\"bsfMt3\":[\"Maak rapport\"],\"library.create.view\":[\"Maak view aan\"],\"3D0MXY\":[\"Maak view aan\"],\"45O6zJ\":[\"Gemaakt op\"],\"8Tg/JR\":[\"Aangepast\"],\"o1nIYK\":[\"Aangepaste bestandsnaam\"],\"ZQKLI1\":[\"Gevarenzone\"],\"ovBPCi\":[\"Standaard\"],\"ucTqrC\":[\"Standaard - Geen tutorial (Alleen privacy verklaringen)\"],\"project.sidebar.chat.delete\":[\"Chat verwijderen\"],\"cnGeoo\":[\"Verwijder\"],\"2DzmAq\":[\"Verwijder gesprek\"],\"++iDlT\":[\"Verwijder project\"],\"+m7PfT\":[\"Verwijderd succesvol\"],\"p9tvm2\":[\"Dembrane Echo\"],\"90wFaY\":[\"Dembrane ECHO\"],\"Y7Si8i\":[\"Dembrane draait op AI. Check de antwoorden extra goed.\"],\"67znul\":[\"Dembrane Reactie\"],\"Nu4oKW\":[\"Beschrijving\"],\"NMz7xK\":[\"Ontwikkel een strategisch framework dat betekenisvolle resultaten oplevert. Voor:\\n\\nIdentificeer de kernobjectieven en hun interafhankelijkheden\\nPlan implementatiepaden met realistische tijdslijnen\\nVoorzien in potentiële obstakels en mitigatiestrategieën\\nDefinieer duidelijke metrieken voor succes buiten vanity-indicatoren\\nHervat de behoefte aan middelen en prioriteiten voor toewijzing\\nStructuur het plan voor zowel onmiddellijke actie als langetermijnvisie\\nInclusief besluitvormingsgate en pivotpunten\\n\\nLet op: Focus op strategieën die duurzame competitieve voordelen creëren, niet alleen incrementele verbeteringen.\"],\"qERl58\":[\"2FA uitschakelen\"],\"yrMawf\":[\"Tweestapsverificatie uitschakelen\"],\"E/QGRL\":[\"Uitgeschakeld\"],\"LnL5p2\":[\"Wil je bijdragen aan dit project?\"],\"JeOjN4\":[\"Wil je op de hoogte blijven?\"],\"TvY/XA\":[\"Documentatie\"],\"mzI/c+\":[\"Downloaden\"],\"5YVf7S\":[\"Download alle transcripten die voor dit project zijn gegenereerd.\"],\"5154Ap\":[\"Download alle transcripten\"],\"8fQs2Z\":[\"Downloaden als\"],\"hX9DE4\":[\"Download audio\"],\"hTiEnc\":[\"Audio downloaden\"],\"+bBcKo\":[\"Transcript downloaden\"],\"5XW2u5\":[\"Download transcript opties\"],\"hUO5BY\":[\"Sleep audio bestanden hierheen of klik om bestanden te selecteren\"],\"KIjvtr\":[\"Nederlands\"],\"HA9VXi\":[\"ECHO\"],\"rH6cQt\":[\"Echo wordt aangedreven door AI. Controleer de Antwoorden nogmaals.\"],\"o6tfKZ\":[\"ECHO wordt aangedreven door AI. Controleer de Antwoorden nogmaals.\"],\"/IJH/2\":[\"ECHO!\"],\"9WkyHF\":[\"Gesprek bewerken\"],\"/8fAkm\":[\"Bestandsnaam bewerken\"],\"G2KpGE\":[\"Project bewerken\"],\"DdevVt\":[\"Rapport inhoud bewerken\"],\"0YvCPC\":[\"Bron bewerken\"],\"report.editor.description\":[\"Bewerk de rapport inhoud met de rich text editor hieronder. Je kunt tekst formatteren, links, afbeeldingen en meer toevoegen.\"],\"F6H6Lg\":[\"Bewerkmode\"],\"O3oNi5\":[\"E-mail\"],\"wwiTff\":[\"Email verificatie\"],\"Ih5qq/\":[\"Email verificatie | Dembrane\"],\"iF3AC2\":[\"Email is succesvol geverifieerd. Je wordt doorgestuurd naar de inlogpagina in 5 seconden. Als je niet doorgestuurd wordt, klik dan <0>hier.\"],\"g2N9MJ\":[\"email@werk.com\"],\"N2S1rs\":[\"Leeg\"],\"DCRKbe\":[\"2FA inschakelen\"],\"ycR/52\":[\"Dembrane Echo inschakelen\"],\"mKGCnZ\":[\"Dembrane ECHO inschakelen\"],\"Dh2kHP\":[\"Dembrane Reactie inschakelen\"],\"d9rIJ1\":[\"Dembrane Verify inschakelen\"],\"+ljZfM\":[\"Ga dieper aanzetten\"],\"wGA7d4\":[\"Maak het concreet aanzetten\"],\"G3dSLc\":[\"Rapportmeldingen inschakelen\"],\"dashboard.dembrane.concrete.description\":[\"Laat deelnemers AI-ondersteunde feedback krijgen op hun gesprekken met Maak het concreet.\"],\"Idlt6y\":[\"Schakel deze functie in zodat deelnemers meldingen kunnen ontvangen wanneer een rapport wordt gepubliceerd of bijgewerkt. Deelnemers kunnen hun e-mailadres invoeren om zich te abonneren op updates.\"],\"g2qGhy\":[\"Schakel deze functie in zodat deelnemers AI-suggesties kunnen opvragen tijdens het gesprek. Deelnemers kunnen na het vastleggen van hun gedachten op \\\"ECHO\\\" klikken voor contextuele feedback, wat diepere reflectie en betrokkenheid stimuleert. Tussen elke aanvraag zit een korte pauze.\"],\"pB03mG\":[\"Schakel deze functie in zodat deelnemers AI-suggesties kunnen opvragen tijdens het gesprek. Deelnemers kunnen na het vastleggen van hun gedachten op \\\"ECHO\\\" klikken voor contextuele feedback, wat diepere reflectie en betrokkenheid stimuleert. Tussen elke aanvraag zit een korte pauze.\"],\"dWv3hs\":[\"Schakel deze functie in zodat deelnemers AI-suggesties kunnen opvragen tijdens het gesprek. Deelnemers kunnen na het vastleggen van hun gedachten op \\\"ECHO\\\" klikken voor contextuele feedback, wat diepere reflectie en betrokkenheid stimuleert. Tussen elke aanvraag zit een korte pauze.\"],\"rkE6uN\":[\"Zet deze functie aan zodat deelnemers AI-antwoorden kunnen vragen tijdens hun gesprek. Na het inspreken van hun gedachten kunnen ze op \\\"Go deeper\\\" klikken voor contextuele feedback, zodat ze dieper gaan nadenken en meer betrokken raken. Er zit een wachttijd tussen verzoeken.\"],\"329BBO\":[\"Tweestapsverificatie inschakelen\"],\"RxzN1M\":[\"Ingeschakeld\"],\"IxzwiB\":[\"Einde van de lijst • Alle \",[\"0\"],\" gesprekken geladen\"],\"lYGfRP\":[\"Engels\"],\"GboWYL\":[\"Voer een sleutelterm of eigennamen in\"],\"TSHJTb\":[\"Voer een naam in voor het nieuwe gesprek\"],\"KovX5R\":[\"Voer een naam in voor je nieuwe project\"],\"34YqUw\":[\"Voer een geldige code in om tweestapsverificatie uit te schakelen.\"],\"2FPsPl\":[\"Voer bestandsnaam (zonder extensie) in\"],\"vT+QoP\":[\"Voer een nieuwe naam in voor de chat:\"],\"oIn7d4\":[\"Voer de 6-cijferige code uit je authenticator-app in.\"],\"q1OmsR\":[\"Voer de huidige zescijferige code uit je authenticator-app in.\"],\"nAEwOZ\":[\"Voer uw toegangscode in\"],\"NgaR6B\":[\"Voer je wachtwoord in\"],\"42tLXR\":[\"Voer uw query in\"],\"SlfejT\":[\"Fout\"],\"Ne0Dr1\":[\"Fout bij het klonen van het project\"],\"AEkJ6x\":[\"Fout bij het maken van het rapport\"],\"S2MVUN\":[\"Fout bij laden van meldingen\"],\"xcUDac\":[\"Fout bij laden van inzichten\"],\"edh3aY\":[\"Fout bij laden van project\"],\"3Uoj83\":[\"Fout bij laden van quotes\"],\"z05QRC\":[\"Fout bij het bijwerken van het rapport\"],\"hmk+3M\":[\"Fout bij het uploaden van \\\"\",[\"0\"],\"\\\": \",[\"1\"]],\"participant.alert.microphone.access.success\":[\"Alles lijkt goed – je kunt doorgaan.\"],\"/PykH1\":[\"Alles lijkt goed – je kunt doorgaan.\"],\"AAC/NE\":[\"Voorbeeld: Dit gesprek gaat over [onderwerp]. Belangrijke termen zijn [term1], [term2]. Let speciaal op [specifieke aspect].\"],\"Rsjgm0\":[\"Experimenteel\"],\"/bsogT\":[\"Ontdek thema's en patronen in al je gesprekken\"],\"sAod0Q\":[[\"conversationCount\"],\" gesprekken aan het verkennen\"],\"GS+Mus\":[\"Exporteer\"],\"7Bj3x9\":[\"Mislukt\"],\"bh2Vob\":[\"Fout bij het toevoegen van het gesprek aan de chat\"],\"ajvYcJ\":[\"Fout bij het toevoegen van het gesprek aan de chat\",[\"0\"]],\"9GMUFh\":[\"Artefact kon niet worden goedgekeurd. Probeer het opnieuw.\"],\"RBpcoc\":[\"Fout bij het kopiëren van de chat. Probeer het opnieuw.\"],\"uvu6eC\":[\"Kopiëren van transcript is mislukt. Probeer het nog een keer.\"],\"BVzTya\":[\"Fout bij het verwijderen van de reactie\"],\"p+a077\":[\"Fout bij het uitschakelen van het automatisch selecteren voor deze chat\"],\"iS9Cfc\":[\"Fout bij het inschakelen van het automatisch selecteren voor deze chat\"],\"Gu9mXj\":[\"Fout bij het voltooien van het gesprek. Probeer het opnieuw.\"],\"vx5bTP\":[\"Fout bij het genereren van \",[\"label\"],\". Probeer het opnieuw.\"],\"7S+M+W\":[\"Failed to generate Hidden gems. Please try again.\"],\"Fa1ewI\":[\"Samenvatting maken lukt niet. Probeer het later nog een keer.\"],\"DKxr+e\":[\"Fout bij het ophalen van meldingen\"],\"TSt/Iq\":[\"Fout bij het ophalen van de laatste melding\"],\"D4Bwkb\":[\"Fout bij het ophalen van het aantal ongelezen meldingen\"],\"AXRzV1\":[\"Het laden van de audio is mislukt of de audio is niet beschikbaar\"],\"T7KYJY\":[\"Fout bij het markeren van alle meldingen als gelezen\"],\"eGHX/x\":[\"Fout bij het markeren van de melding als gelezen\"],\"SVtMXb\":[\"Fout bij het hergenereren van de samenvatting. Probeer het opnieuw later.\"],\"h49o9M\":[\"Opnieuw laden is mislukt. Probeer het opnieuw.\"],\"kE1PiG\":[\"Fout bij het verwijderen van het gesprek uit de chat\"],\"+piK6h\":[\"Fout bij het verwijderen van het gesprek uit de chat\",[\"0\"]],\"SmP70M\":[\"Fout bij het hertranscriptie van het gesprek. Probeer het opnieuw.\"],\"hhLiKu\":[\"Artefact kon niet worden herzien. Probeer het opnieuw.\"],\"wMEdO3\":[\"Fout bij het stoppen van de opname bij wijziging van het apparaat. Probeer het opnieuw.\"],\"wH6wcG\":[\"Fout bij het verifiëren van de e-mailstatus. Probeer het opnieuw.\"],\"participant.modal.refine.info.title\":[\"Functie binnenkort beschikbaar\"],\"87gcCP\":[\"Bestand \\\"\",[\"0\"],\"\\\" overschrijdt de maximale grootte van \",[\"1\"],\".\"],\"ena+qV\":[\"Bestand \\\"\",[\"0\"],\"\\\" heeft een ongeldig formaat. Alleen audio bestanden zijn toegestaan.\"],\"LkIAge\":[\"Bestand \\\"\",[\"0\"],\"\\\" is geen ondersteund audioformaat. Alleen audio bestanden zijn toegestaan.\"],\"RW2aSn\":[\"Bestand \\\"\",[\"0\"],\"\\\" is te klein (\",[\"1\"],\"). Minimum grootte is \",[\"2\"],\".\"],\"+aBwxq\":[\"Bestandsgrootte: Min \",[\"0\"],\", Max \",[\"1\"],\", maximaal \",[\"MAX_FILES\"],\" bestanden\"],\"o7J4JM\":[\"Filteren\"],\"5g0xbt\":[\"Filter auditlogboeken op actie\"],\"9clinz\":[\"Filter auditlogboeken op collectie\"],\"O39Ph0\":[\"Filter op actie\"],\"DiDNkt\":[\"Filter op collectie\"],\"participant.button.stop.finish\":[\"Afronden\"],\"participant.button.finish.text.mode\":[\"Voltooien\"],\"participant.button.finish\":[\"Voltooien\"],\"JmZ/+d\":[\"Voltooien\"],\"participant.modal.finish.title.text.mode\":[\"Gesprek afmaken\"],\"4dQFvz\":[\"Voltooid\"],\"kODvZJ\":[\"Voornaam\"],\"MKEPCY\":[\"Volgen\"],\"JnPIOr\":[\"Volgen van afspelen\"],\"glx6on\":[\"Wachtwoord vergeten?\"],\"nLC6tu\":[\"Frans\"],\"tSA0hO\":[\"Genereer inzichten uit je gesprekken\"],\"QqIxfi\":[\"Geheim genereren\"],\"tM4cbZ\":[\"Genereer gestructureerde vergaderingenotes op basis van de volgende discussiepunten die in de context zijn verstrekt.\"],\"gitFA/\":[\"Samenvatting genereren\"],\"kzY+nd\":[\"Samenvatting wordt gemaakt. Even wachten...\"],\"DDcvSo\":[\"Duits\"],\"u9yLe/\":[\"Krijg direct een reactie van Dembrane om het gesprek te verdiepen.\"],\"participant.refine.go.deeper.description\":[\"Krijg direct een reactie van Dembrane om het gesprek te verdiepen.\"],\"TAXdgS\":[\"Geef me een lijst van 5-10 onderwerpen die worden besproken.\"],\"CKyk7Q\":[\"Ga terug\"],\"participant.concrete.artefact.action.button.go.back\":[\"Terug\"],\"IL8LH3\":[\"Ga dieper\"],\"participant.refine.go.deeper\":[\"Ga dieper\"],\"iWpEwy\":[\"Ga naar home\"],\"A3oCMz\":[\"Ga naar nieuw gesprek\"],\"5gqNQl\":[\"Rasterweergave\"],\"ZqBGoi\":[\"Bevat geverifieerde artefacten\"],\"Yae+po\":[\"Help ons te vertalen\"],\"ng2Unt\":[\"Hallo, \",[\"0\"]],\"D+zLDD\":[\"Verborgen\"],\"G1UUQY\":[\"Verborgen parel\"],\"LqWHk1\":[\"Verbergen \",[\"0\"],\"\\t\"],\"u5xmYC\":[\"Verbergen alles\"],\"txCbc+\":[\"Verbergen alles\"],\"0lRdEo\":[\"Verbergen gesprekken zonder inhoud\"],\"eHo/Jc\":[\"Gegevens verbergen\"],\"g4tIdF\":[\"Revisiegegevens verbergen\"],\"i0qMbr\":[\"Home\"],\"LSCWlh\":[\"Hoe zou je een collega uitleggen wat je probeert te bereiken met dit project?\\n* Wat is het doel of belangrijkste maatstaf\\n* Hoe ziet succes eruit\"],\"participant.button.i.understand\":[\"Ik begrijp het\"],\"WsoNdK\":[\"Identificeer en analyseer de herhalende thema's in deze inhoud. Gelieve:\\n\"],\"KbXMDK\":[\"Identificeer herhalende thema's, onderwerpen en argumenten die consistent in gesprekken voorkomen. Analyseer hun frequentie, intensiteit en consistentie. Verwachte uitvoer: 3-7 aspecten voor kleine datasets, 5-12 voor middelgrote datasets, 8-15 voor grote datasets. Verwerkingsrichtlijn: Focus op verschillende patronen die in meerdere gesprekken voorkomen.\"],\"participant.concrete.instructions.approve.artefact\":[\"Keur het artefact goed of pas het aan voordat je doorgaat.\"],\"QJUjB0\":[\"Om beter door de quotes te navigeren, maak aanvullende views aan. De quotes worden dan op basis van uw view geclusterd.\"],\"IJUcvx\":[\"In de tussentijd, als je de gesprekken die nog worden verwerkt wilt analyseren, kun je de Chat-functie gebruiken\"],\"aOhF9L\":[\"Link naar portal in rapport opnemen\"],\"Dvf4+M\":[\"Inclusief tijdstempels\"],\"CE+M2e\":[\"Info\"],\"sMa/sP\":[\"Inzichtenbibliotheek\"],\"ZVY8fB\":[\"Inzicht niet gevonden\"],\"sJa5f4\":[\"inzichten\"],\"3hJypY\":[\"Inzichten\"],\"crUYYp\":[\"Ongeldige code. Vraag een nieuwe aan.\"],\"jLr8VJ\":[\"Ongeldige inloggegevens.\"],\"aZ3JOU\":[\"Ongeldig token. Probeer het opnieuw.\"],\"1xMiTU\":[\"IP-adres\"],\"participant.conversation.error.deleted\":[\"Het gesprek is verwijderd terwijl je opnam. We hebben de opname gestopt om problemen te voorkomen. Je kunt een nieuwe opnemen wanneer je wilt.\"],\"zT7nbS\":[\"Het lijkt erop dat het gesprek werd verwijderd terwijl je opnam. We hebben de opname gestopt om problemen te voorkomen. Je kunt een nieuwe opnemen wanneer je wilt.\"],\"library.not.available.message\":[\"Het lijkt erop dat de bibliotheek niet beschikbaar is voor uw account. Vraag om toegang om deze functionaliteit te ontgrendelen.\"],\"participant.concrete.artefact.error.description\":[\"Er ging iets mis bij het laden van je tekst. Probeer het nog een keer.\"],\"MbKzYA\":[\"Het lijkt erop dat meer dan één persoon spreekt. Het afwisselen zal ons helpen iedereen duidelijk te horen.\"],\"Lj7sBL\":[\"Italiaans\"],\"clXffu\":[\"Aansluiten \",[\"0\"],\" op Dembrane\"],\"uocCon\":[\"Gewoon een momentje\"],\"OSBXx5\":[\"Net zojuist\"],\"0ohX1R\":[\"Houd de toegang veilig met een eenmalige code uit je authenticator-app. Gebruik deze schakelaar om tweestapsverificatie voor dit account te beheren.\"],\"vXIe7J\":[\"Taal\"],\"UXBCwc\":[\"Achternaam\"],\"0K/D0Q\":[\"Laatst opgeslagen \",[\"0\"]],\"K7P0jz\":[\"Laatst bijgewerkt\"],\"PIhnIP\":[\"Laat het ons weten!\"],\"qhQjFF\":[\"Laten we controleren of we je kunnen horen\"],\"exYcTF\":[\"Bibliotheek\"],\"library.title\":[\"Bibliotheek\"],\"T50lwc\":[\"Bibliotheek wordt aangemaakt\"],\"yUQgLY\":[\"Bibliotheek wordt momenteel verwerkt\"],\"yzF66j\":[\"Link\"],\"3gvJj+\":[\"LinkedIn Post (Experimenteel)\"],\"dF6vP6\":[\"Live\"],\"participant.live.audio.level\":[\"Live audio niveau:\"],\"TkFXaN\":[\"Live audio level:\"],\"n9yU9X\":[\"Live Voorbeeld\"],\"participant.concrete.instructions.loading\":[\"Instructies aan het laden…\"],\"yQE2r9\":[\"Bezig met laden\"],\"yQ9yN3\":[\"Acties worden geladen...\"],\"participant.concrete.loading.artefact\":[\"Tekst aan het laden…\"],\"JOvnq+\":[\"Auditlogboeken worden geladen…\"],\"y+JWgj\":[\"Collecties worden geladen...\"],\"ATTcN8\":[\"Concrete onderwerpen aan het laden…\"],\"FUK4WT\":[\"Microfoons laden...\"],\"H+bnrh\":[\"Transcript aan het laden...\"],\"3DkEi5\":[\"Verificatie-onderwerpen worden geladen…\"],\"+yD+Wu\":[\"bezig met laden...\"],\"Z3FXyt\":[\"Bezig met laden...\"],\"Pwqkdw\":[\"Bezig met laden…\"],\"z0t9bb\":[\"Inloggen\"],\"zfB1KW\":[\"Inloggen | Dembrane\"],\"Wd2LTk\":[\"Inloggen als bestaande gebruiker\"],\"nOhz3x\":[\"Uitloggen\"],\"jWXlkr\":[\"Langste eerst\"],\"dashboard.dembrane.concrete.title\":[\"Maak het concreet\"],\"participant.refine.make.concrete\":[\"Maak het concreet\"],\"JSxZVX\":[\"Alle als gelezen markeren\"],\"+s1J8k\":[\"Als gelezen markeren\"],\"VxyuRJ\":[\"Vergadernotities\"],\"08d+3x\":[\"Berichten van \",[\"0\"],\" - \",[\"1\"],\"%\"],\"B+1PXy\":[\"Toegang tot de microfoon wordt nog steeds geweigerd. Controleer uw instellingen en probeer het opnieuw.\"],\"lWkKSO\":[\"min\"],\"zz/Wd/\":[\"Modus\"],\"zMx0gF\":[\"Meer templates\"],\"QWdKwH\":[\"Verplaatsen\"],\"CyKTz9\":[\"Verplaats gesprek\"],\"wUTBdx\":[\"Verplaats naar een ander project\"],\"Ksvwy+\":[\"Verplaats naar project\"],\"6YtxFj\":[\"Naam\"],\"e3/ja4\":[\"Naam A-Z\"],\"c5Xt89\":[\"Naam Z-A\"],\"isRobC\":[\"Nieuw\"],\"Wmq4bZ\":[\"Nieuwe Gesprek Naam\"],\"library.new.conversations\":[\"Er zijn nieuwe gesprekken toegevoegd sinds de bibliotheek is gegenereerd. Genereer de bibliotheek opnieuw om ze te verwerken.\"],\"P/+jkp\":[\"Er zijn nieuwe gesprekken toegevoegd sinds de bibliotheek is gegenereerd. Genereer de bibliotheek opnieuw om ze te verwerken.\"],\"7vhWI8\":[\"Nieuw wachtwoord\"],\"+VXUp8\":[\"Nieuw project\"],\"+RfVvh\":[\"Nieuwste eerst\"],\"participant.button.next\":[\"Volgende\"],\"participant.ready.to.begin.button.text\":[\"Klaar om te beginnen\"],\"participant.concrete.selection.button.next\":[\"Volgende\"],\"participant.concrete.instructions.button.next\":[\"Aan de slag\"],\"hXzOVo\":[\"Volgende\"],\"participant.button.finish.no.text.mode\":[\"Nee\"],\"riwuXX\":[\"Geen acties gevonden\"],\"WsI5bo\":[\"Geen meldingen beschikbaar\"],\"Em+3Ls\":[\"Geen auditlogboeken komen overeen met de huidige filters.\"],\"project.sidebar.chat.empty.description\":[\"Geen chats gevonden. Start een chat met behulp van de \\\"Vraag\\\" knop.\"],\"YM6Wft\":[\"Geen chats gevonden. Start een chat met behulp van de \\\"Vraag\\\" knop.\"],\"Qqhl3R\":[\"Geen collecties gevonden\"],\"zMt5AM\":[\"Geen concrete onderwerpen beschikbaar.\"],\"zsslJv\":[\"Geen inhoud\"],\"1pZsdx\":[\"Geen gesprekken beschikbaar om bibliotheek te maken\"],\"library.no.conversations\":[\"Geen gesprekken beschikbaar om bibliotheek te maken\"],\"zM3DDm\":[\"Geen gesprekken beschikbaar om bibliotheek te maken. Voeg enkele gesprekken toe om te beginnen.\"],\"EtMtH/\":[\"Geen gesprekken gevonden.\"],\"BuikQT\":[\"Geen gesprekken gevonden. Start een gesprek met behulp van de deelname-uitnodigingslink uit het <0><1>projectoverzicht.\"],\"meAa31\":[\"Nog geen gesprekken\"],\"VInleh\":[\"Geen inzichten beschikbaar. Genereer inzichten voor dit gesprek door naar <0><1>de projectbibliotheek. te gaan.\"],\"yTx6Up\":[\"Er zijn nog geen sleuteltermen of eigennamen toegevoegd. Voeg ze toe met behulp van de invoer boven aan om de nauwkeurigheid van het transcript te verbeteren.\"],\"jfhDAK\":[\"Noch geen nieuwe feedback gedetecteerd. Ga door met je gesprek en probeer het opnieuw binnenkort.\"],\"T3TyGx\":[\"Geen projecten gevonden \",[\"0\"]],\"y29l+b\":[\"Geen projecten gevonden voor de zoekterm\"],\"ghhtgM\":[\"Geen quotes beschikbaar. Genereer quotes voor dit gesprek door naar\"],\"yalI52\":[\"Geen quotes beschikbaar. Genereer quotes voor dit gesprek door naar <0><1>de projectbibliotheek. te gaan.\"],\"ctlSnm\":[\"Geen rapport gevonden\"],\"EhV94J\":[\"Geen bronnen gevonden.\"],\"Ev2r9A\":[\"Geen resultaten\"],\"WRRjA9\":[\"Geen trefwoorden gevonden\"],\"LcBe0w\":[\"Er zijn nog geen trefwoorden toegevoegd aan dit project. Voeg een trefwoord toe met behulp van de tekstinvoer boven aan om te beginnen.\"],\"bhqKwO\":[\"Geen transcript beschikbaar\"],\"TmTivZ\":[\"Er is geen transcript beschikbaar voor dit gesprek.\"],\"vq+6l+\":[\"Er is nog geen transcript beschikbaar voor dit gesprek. Controleer later opnieuw.\"],\"MPZkyF\":[\"Er zijn geen transcripten geselecteerd voor dit gesprek\"],\"AotzsU\":[\"Geen tutorial (alleen Privacyverklaring)\"],\"OdkUBk\":[\"Er zijn geen geldige audiobestanden geselecteerd. Selecteer alleen audiobestanden (MP3, WAV, OGG, etc).\"],\"tNWcWM\":[\"Er zijn geen verificatie-onderwerpen voor dit project geconfigureerd.\"],\"2h9aae\":[\"Geen verificatie-onderwerpen beschikbaar.\"],\"OJx3wK\":[\"Niet beschikbaar\"],\"cH5kXP\":[\"Nu\"],\"9+6THi\":[\"Oudste eerst\"],\"participant.concrete.instructions.revise.artefact\":[\"Pas de tekst aan zodat hij echt bij jou past. Je mag alles veranderen.\"],\"participant.concrete.instructions.read.aloud\":[\"Lees de tekst hardop voor en check of het goed voelt.\"],\"conversation.ongoing\":[\"Actief\"],\"J6n7sl\":[\"Actief\"],\"uTmEDj\":[\"Actieve Gesprekken\"],\"QvvnWK\":[\"Alleen de \",[\"0\"],\" voltooide \",[\"1\"],\" worden nu in het rapport opgenomen. \"],\"participant.alert.microphone.access.failure\":[\"Het lijkt erop dat toegang tot de microfoon geweigerd is. Geen zorgen, we hebben een handige probleemoplossingsgids voor je. Voel je vrij om deze te bekijken. Zodra je het probleem hebt opgelost, kom dan terug naar deze pagina om te controleren of je microfoon klaar is voor gebruik.\"],\"J17dTs\":[\"Oeps! Het lijkt erop dat toegang tot de microfoon geweigerd is. Geen zorgen, we hebben een handige probleemoplossingsgids voor je. Voel je vrij om deze te bekijken. Zodra je het probleem hebt opgelost, kom dan terug naar deze pagina om te controleren of je microfoon klaar is voor gebruik.\"],\"1TNIig\":[\"Openen\"],\"NRLF9V\":[\"Open documentatie\"],\"2CyWv2\":[\"Open voor deelname?\"],\"participant.button.open.troubleshooting.guide\":[\"Open de probleemoplossingsgids\"],\"7yrRHk\":[\"Open de probleemoplossingsgids\"],\"Hak8r6\":[\"Open je authenticator-app en voer de huidige zescijferige code in.\"],\"0zpgxV\":[\"Opties\"],\"6/dCYd\":[\"Overzicht\"],\"/fAXQQ\":[\"Overview - Thema’s & patronen\"],\"6WdDG7\":[\"Pagina\"],\"Wu++6g\":[\"Pagina inhoud\"],\"8F1i42\":[\"Pagina niet gevonden\"],\"6+Py7/\":[\"Pagina titel\"],\"v8fxDX\":[\"Deelnemer\"],\"Uc9fP1\":[\"Deelnemer features\"],\"y4n1fB\":[\"Deelnemers kunnen trefwoorden selecteren wanneer ze een gesprek starten\"],\"8ZsakT\":[\"Wachtwoord\"],\"w3/J5c\":[\"Portal met wachtwoord beveiligen (aanvraag functie)\"],\"lpIMne\":[\"Wachtwoorden komen niet overeen\"],\"IgrLD/\":[\"Pauze\"],\"PTSHeg\":[\"Pauzeer het voorlezen\"],\"UbRKMZ\":[\"In afwachting\"],\"6v5aT9\":[\"Kies de aanpak die past bij je vraag\"],\"participant.alert.microphone.access\":[\"Schakel microfoontoegang in om de test te starten.\"],\"3flRk2\":[\"Schakel microfoontoegang in om de test te starten.\"],\"SQSc5o\":[\"Controleer later of contacteer de eigenaar van het project voor meer informatie.\"],\"T8REcf\":[\"Controleer uw invoer voor fouten.\"],\"S6iyis\":[\"Sluit uw browser alstublieft niet\"],\"n6oAnk\":[\"Schakel deelneming in om delen mogelijk te maken\"],\"fwrPh4\":[\"Voer een geldig e-mailadres in.\"],\"iMWXJN\":[\"Houd dit scherm aan (zwart scherm = geen opname)\"],\"D90h1s\":[\"Log in om door te gaan.\"],\"mUGRqu\":[\"Geef een korte samenvatting van het volgende dat in de context is verstrekt.\"],\"ps5D2F\":[\"Neem uw antwoord op door op de knop \\\"Opnemen\\\" hieronder te klikken. U kunt er ook voor kiezen om in tekst te reageren door op het teksticoon te klikken. \\n**Houd dit scherm aan** \\n(zwart scherm = geen opname)\"],\"TsuUyf\":[\"Neem uw antwoord op door op de knop \\\"Opname starten\\\" hieronder te klikken. U kunt er ook voor kiezen om in tekst te reageren door op het teksticoon te klikken.\"],\"4TVnP7\":[\"Kies een taal voor je rapport\"],\"N63lmJ\":[\"Kies een taal voor je bijgewerkte rapport\"],\"XvD4FK\":[\"Kies minstens één bron\"],\"hxTGLS\":[\"Selecteer gesprekken in de sidebar om verder te gaan\"],\"GXZvZ7\":[\"Wacht \",[\"timeStr\"],\" voordat u een ander echo aanvraagt.\"],\"Am5V3+\":[\"Wacht \",[\"timeStr\"],\" voordat u een andere Echo aanvraagt.\"],\"CE1Qet\":[\"Wacht \",[\"timeStr\"],\" voordat u een andere ECHO aanvraagt.\"],\"Fx1kHS\":[\"Wacht \",[\"timeStr\"],\" voordat u een ander antwoord aanvraagt.\"],\"MgJuP2\":[\"Wacht aub terwijl we je rapport genereren. Je wordt automatisch doorgestuurd naar de rapportpagina.\"],\"library.processing.request\":[\"Bibliotheek wordt verwerkt\"],\"04DMtb\":[\"Wacht aub terwijl we uw hertranscriptieaanvraag verwerken. U wordt automatisch doorgestuurd naar het nieuwe gesprek wanneer klaar.\"],\"ei5r44\":[\"Wacht aub terwijl we je rapport bijwerken. Je wordt automatisch doorgestuurd naar de rapportpagina.\"],\"j5KznP\":[\"Wacht aub terwijl we uw e-mailadres verifiëren.\"],\"uRFMMc\":[\"Portal inhoud\"],\"qVypVJ\":[\"Portaal-editor\"],\"g2UNkE\":[\"Gemaakt met ❤️ door\"],\"MPWj35\":[\"Je gesprekken worden klaargezet... Dit kan even duren.\"],\"/SM3Ws\":[\"Uw ervaring voorbereiden\"],\"ANWB5x\":[\"Dit rapport afdrukken\"],\"zwqetg\":[\"Privacy verklaring\"],\"qAGp2O\":[\"Doorgaan\"],\"stk3Hv\":[\"verwerken\"],\"vrnnn9\":[\"Bezig met verwerken\"],\"kvs/6G\":[\"Verwerking van dit gesprek is mislukt. Dit gesprek zal niet beschikbaar zijn voor analyse en chat.\"],\"q11K6L\":[\"Verwerking van dit gesprek is mislukt. Dit gesprek zal niet beschikbaar zijn voor analyse en chat. Laatste bekende status: \",[\"0\"]],\"NQiPr4\":[\"Transcript wordt verwerkt\"],\"48px15\":[\"Rapport wordt verwerkt...\"],\"gzGDMM\":[\"Hertranscriptieaanvraag wordt verwerkt...\"],\"Hie0VV\":[\"Project aangemaakt\"],\"xJMpjP\":[\"Inzichtenbibliotheek | Dembrane\"],\"OyIC0Q\":[\"Projectnaam\"],\"6Z2q2Y\":[\"Projectnaam moet minstens 4 tekens lang zijn\"],\"n7JQEk\":[\"Project niet gevonden\"],\"hjaZqm\":[\"Project Overzicht\"],\"Jbf9pq\":[\"Project Overzicht | Dembrane\"],\"O1x7Ay\":[\"Project Overzicht en Bewerken\"],\"Wsk5pi\":[\"Project Instellingen\"],\"+0B+ue\":[\"Projecten\"],\"Eb7xM7\":[\"Projecten | Dembrane\"],\"JQVviE\":[\"Projecten Home\"],\"nyEOdh\":[\"Geef een overzicht van de belangrijkste onderwerpen en herhalende thema's\"],\"6oqr95\":[\"Geef specifieke context om de kwaliteit en nauwkeurigheid van de transcriptie te verbeteren. Dit kan bestaan uit belangrijke termen, specifieke instructies of andere relevante informatie.\"],\"EEYbdt\":[\"Publiceren\"],\"u3wRF+\":[\"Gepubliceerd\"],\"E7YTYP\":[\"Haal de meest impactvolle quotes uit deze sessie\"],\"eWLklq\":[\"Quotes\"],\"wZxwNu\":[\"Lees hardop voor\"],\"participant.ready.to.begin\":[\"Klaar om te beginnen\"],\"ZKOO0I\":[\"Klaar om te beginnen?\"],\"hpnYpo\":[\"Aanbevolen apps\"],\"participant.button.record\":[\"Opname starten\"],\"w80YWM\":[\"Opname starten\"],\"s4Sz7r\":[\"Neem nog een gesprek op\"],\"participant.modal.pause.title\":[\"Opname gepauzeerd\"],\"view.recreate.tooltip\":[\"Bekijk opnieuw\"],\"view.recreate.modal.title\":[\"Bekijk opnieuw\"],\"CqnkB0\":[\"Terugkerende thema's\"],\"9aloPG\":[\"Referenties\"],\"participant.button.refine\":[\"Verfijnen\"],\"lCF0wC\":[\"Vernieuwen\"],\"ZMXpAp\":[\"Auditlogboeken vernieuwen\"],\"844H5I\":[\"Bibliotheek opnieuw genereren\"],\"bluvj0\":[\"Samenvatting opnieuw genereren\"],\"participant.concrete.regenerating.artefact\":[\"Nieuwe tekst aan het maken…\"],\"oYlYU+\":[\"Samenvatting wordt opnieuw gemaakt. Even wachten...\"],\"wYz80B\":[\"Registreer | Dembrane\"],\"w3qEvq\":[\"Registreer als nieuwe gebruiker\"],\"7dZnmw\":[\"Relevantie\"],\"participant.button.reload.page.text.mode\":[\"Pagina herladen\"],\"participant.button.reload\":[\"Pagina herladen\"],\"participant.concrete.artefact.action.button.reload\":[\"Opnieuw laden\"],\"hTDMBB\":[\"Pagina herladen\"],\"Kl7//J\":[\"E-mail verwijderen\"],\"cILfnJ\":[\"Bestand verwijderen\"],\"CJgPtd\":[\"Verwijder van dit gesprek\"],\"project.sidebar.chat.rename\":[\"Naam wijzigen\"],\"2wxgft\":[\"Naam wijzigen\"],\"XyN13i\":[\"Reactie prompt\"],\"gjpdaf\":[\"Rapport\"],\"Q3LOVJ\":[\"Rapporteer een probleem\"],\"DUmD+q\":[\"Rapport aangemaakt - \",[\"0\"]],\"KFQLa2\":[\"Rapport generatie is momenteel in beta en beperkt tot projecten met minder dan 10 uur opname.\"],\"hIQOLx\":[\"Rapportmeldingen\"],\"lNo4U2\":[\"Rapport bijgewerkt - \",[\"0\"]],\"library.request.access\":[\"Toegang aanvragen\"],\"uLZGK+\":[\"Toegang aanvragen\"],\"dglEEO\":[\"Wachtwoord reset aanvragen\"],\"u2Hh+Y\":[\"Wachtwoord reset aanvragen | Dembrane\"],\"participant.alert.microphone.access.loading\":[\"Microfoontoegang aanvragen om beschikbare apparaten te detecteren...\"],\"MepchF\":[\"Microfoontoegang aanvragen om beschikbare apparaten te detecteren...\"],\"xeMrqw\":[\"Alle opties resetten\"],\"KbS2K9\":[\"Wachtwoord resetten\"],\"UMMxwo\":[\"Wachtwoord resetten | Dembrane\"],\"L+rMC9\":[\"Resetten naar standaardinstellingen\"],\"s+MGs7\":[\"Bronnen\"],\"participant.button.stop.resume\":[\"Hervatten\"],\"v39wLo\":[\"Hervatten\"],\"sVzC0H\":[\"Hertranscriptie\"],\"ehyRtB\":[\"Hertranscriptie gesprek\"],\"1JHQpP\":[\"Hertranscriptie gesprek\"],\"MXwASV\":[\"Hertranscriptie gestart. Nieuw gesprek wordt binnenkort beschikbaar.\"],\"6gRgw8\":[\"Opnieuw proberen\"],\"H1Pyjd\":[\"Opnieuw uploaden\"],\"9VUzX4\":[\"Bekijk de activiteiten van je werkruimte. Filter op collectie of actie en exporteer de huidige weergave voor verder onderzoek.\"],\"UZVWVb\":[\"Bestanden bekijken voordat u uploadt\"],\"3lYF/Z\":[\"Bekijk de verwerkingsstatus voor elk gesprek dat in dit project is verzameld.\"],\"participant.concrete.action.button.revise\":[\"Aanpassen\"],\"OG3mVO\":[\"Revisie #\",[\"revisionNumber\"]],\"xxCtZv\":[\"Rijen per pagina\"],\"participant.concrete.action.button.save\":[\"Opslaan\"],\"tfDRzk\":[\"Opslaan\"],\"2VA/7X\":[\"Opslaan fout!\"],\"XvjC4F\":[\"Opslaan...\"],\"nHeO/c\":[\"Scan de QR-code of kopieer het geheim naar je app.\"],\"oOi11l\":[\"Scroll naar beneden\"],\"A1taO8\":[\"Zoeken\"],\"OWm+8o\":[\"Zoek gesprekken\"],\"blFttG\":[\"Zoek projecten\"],\"I0hU01\":[\"Zoek projecten\"],\"RVZJWQ\":[\"Zoek projecten...\"],\"lnWve4\":[\"Zoek tags\"],\"pECIKL\":[\"Zoek templates...\"],\"uSvNyU\":[\"Doorzocht de meest relevante bronnen\"],\"Wj2qJm\":[\"Zoeken door de meest relevante bronnen\"],\"Y1y+VB\":[\"Geheim gekopieerd\"],\"Eyh9/O\":[\"Gespreksstatusdetails bekijken\"],\"0sQPzI\":[\"Tot snel\"],\"1ZTiaz\":[\"Segmenten\"],\"H/diq7\":[\"Selecteer een microfoon\"],\"NK2YNj\":[\"Selecteer audiobestanden om te uploaden\"],\"/3ntVG\":[\"Selecteer gesprekken en vind exacte quotes\"],\"LyHz7Q\":[\"Selecteer gesprekken in de sidebar\"],\"n4rh8x\":[\"Selecteer Project\"],\"ekUnNJ\":[\"Selecteer tags\"],\"CG1cTZ\":[\"Selecteer de instructies die worden getoond aan deelnemers wanneer ze een gesprek starten\"],\"qxzrcD\":[\"Selecteer het type feedback of betrokkenheid dat u wilt stimuleren.\"],\"QdpRMY\":[\"Selecteer tutorial\"],\"dashboard.dembrane.concrete.topic.select\":[\"Kies een concreet onderwerp\"],\"participant.select.microphone\":[\"Selecteer een microfoon\"],\"vKH1Ye\":[\"Selecteer je microfoon:\"],\"gU5H9I\":[\"Geselecteerde bestanden (\",[\"0\"],\"/\",[\"MAX_FILES\"],\")\"],\"participant.selected.microphone\":[\"Geselecteerde microfoon\"],\"JlFcis\":[\"Verzenden\"],\"VTmyvi\":[\"Gevoel\"],\"NprC8U\":[\"Sessienaam\"],\"DMl1JW\":[\"Installeer je eerste project\"],\"Tz0i8g\":[\"Instellingen\"],\"participant.settings.modal.title\":[\"Instellingen\"],\"PErdpz\":[\"Instellingen | Dembrane\"],\"Z8lGw6\":[\"Delen\"],\"/XNQag\":[\"Dit rapport delen\"],\"oX3zgA\":[\"Deel je gegevens hier\"],\"Dc7GM4\":[\"Deel je stem\"],\"swzLuF\":[\"Deel je stem door het QR-code hieronder te scannen.\"],\"+tz9Ky\":[\"Kortste eerst\"],\"h8lzfw\":[\"Toon \",[\"0\"]],\"lZw9AX\":[\"Toon alles\"],\"w1eody\":[\"Toon audiospeler\"],\"pzaNzD\":[\"Gegevens tonen\"],\"yrhNQG\":[\"Toon duur\"],\"Qc9KX+\":[\"IP-adressen tonen\"],\"6lGV3K\":[\"Minder tonen\"],\"fMPkxb\":[\"Meer tonen\"],\"3bGwZS\":[\"Toon referenties\"],\"OV2iSn\":[\"Revisiegegevens tonen\"],\"3Sg56r\":[\"Toon tijdlijn in rapport (aanvraag functie)\"],\"DLEIpN\":[\"Toon tijdstempels (experimenteel)\"],\"Tqzrjk\":[\"Toont \",[\"displayFrom\"],\"–\",[\"displayTo\"],\" van \",[\"totalItems\"],\" items\"],\"dbWo0h\":[\"Inloggen met Google\"],\"participant.mic.check.button.skip\":[\"Overslaan\"],\"6Uau97\":[\"Overslaan\"],\"lH0eLz\":[\"Skip data privacy slide (Host manages consent)\"],\"b6NHjr\":[\"Gegevensprivacy slides (Host beheert rechtsgrondslag)\"],\"4Q9po3\":[\"Sommige gesprekken worden nog verwerkt. Automatische selectie zal optimaal werken zodra de audioverwerking is voltooid.\"],\"q+pJ6c\":[\"Sommige bestanden werden al geselecteerd en worden niet dubbel toegevoegd.\"],\"nwtY4N\":[\"Er ging iets mis\"],\"participant.conversation.error.text.mode\":[\"Er is iets misgegaan met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"participant.conversation.error\":[\"Er is iets misgegaan met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"avSWtK\":[\"Er is iets misgegaan bij het exporteren van de auditlogboeken.\"],\"q9A2tm\":[\"Er is iets misgegaan bij het genereren van het geheim.\"],\"JOKTb4\":[\"Er ging iets mis tijdens het uploaden van het bestand: \",[\"0\"]],\"KeOwCj\":[\"Er ging iets mis met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"participant.go.deeper.generic.error.message\":[\"Dit gesprek kan nu niet dieper. Probeer het straks nog een keer.\"],\"fWsBTs\":[\"Er is iets misgegaan. Probeer het alstublieft opnieuw.\"],\"participant.go.deeper.content.policy.violation.error.message\":[\"We kunnen hier niet dieper op ingaan door onze contentregels.\"],\"f6Hub0\":[\"Sorteer\"],\"/AhHDE\":[\"Bron \",[\"0\"]],\"u7yVRn\":[\"Bronnen:\"],\"65A04M\":[\"Spaans\"],\"zuoIYL\":[\"Spreker\"],\"z5/5iO\":[\"Specifieke context\"],\"mORM2E\":[\"Specifieke details\"],\"Etejcu\":[\"Specifieke details - Geselecteerde gesprekken\"],\"participant.button.start.new.conversation.text.mode\":[\"Nieuw gesprek starten\"],\"participant.button.start.new.conversation\":[\"Nieuw gesprek starten\"],\"c6FrMu\":[\"Nieuw gesprek starten\"],\"i88wdJ\":[\"Opnieuw beginnen\"],\"pHVkqA\":[\"Opname starten\"],\"uAQUqI\":[\"Status\"],\"ygCKqB\":[\"Stop\"],\"participant.button.stop\":[\"Stop\"],\"kimwwT\":[\"Strategische Planning\"],\"hQRttt\":[\"Stuur in\"],\"participant.button.submit.text.mode\":[\"Stuur in\"],\"0Pd4R1\":[\"Ingereed via tekstinput\"],\"zzDlyQ\":[\"Succes\"],\"bh1eKt\":[\"Aanbevelingen:\"],\"F1nkJm\":[\"Samenvatten\"],\"4ZpfGe\":[\"Vat de belangrijkste inzichten uit mijn interviews samen\"],\"5Y4tAB\":[\"Vat dit interview samen in een artikel dat je kunt delen\"],\"dXoieq\":[\"Samenvatting\"],\"g6o+7L\":[\"Samenvatting gemaakt.\"],\"kiOob5\":[\"Samenvatting nog niet beschikbaar\"],\"OUi+O3\":[\"Samenvatting opnieuw gemaakt.\"],\"Pqa6KW\":[\"Samenvatting komt beschikbaar als het gesprek is uitgeschreven.\"],\"6ZHOF8\":[\"Ondersteunde formaten: MP3, WAV, OGG, WEBM, M4A, MP4, AAC, FLAC, OPUS\"],\"participant.link.switch.text\":[\"Overschakelen naar tekstinvoer\"],\"D+NlUC\":[\"Systeem\"],\"OYHzN1\":[\"Trefwoorden\"],\"nlxlmH\":[\"Neem even de tijd om een resultaat te creëren dat je bijdrage concreet maakt of krijg direct een reactie van Dembrane om het gesprek te verdiepen.\"],\"eyu39U\":[\"Neem even de tijd om een resultaat te creëren dat je bijdrage concreet maakt.\"],\"participant.refine.make.concrete.description\":[\"Neem even de tijd om een resultaat te creëren dat je bijdrage concreet maakt.\"],\"QCchuT\":[\"Template toegepast\"],\"iTylMl\":[\"Sjablonen\"],\"xeiujy\":[\"Tekst\"],\"CPN34F\":[\"Dank je wel voor je deelname!\"],\"EM1Aiy\":[\"Bedankt Pagina\"],\"u+Whi9\":[\"Bedankt pagina inhoud\"],\"5KEkUQ\":[\"Bedankt! We zullen u waarschuwen wanneer het rapport klaar is.\"],\"2yHHa6\":[\"Die code werkte niet. Probeer het opnieuw met een verse code uit je authenticator-app.\"],\"TQCE79\":[\"Code werkt niet, probeer het nog een keer.\"],\"participant.conversation.error.loading.text.mode\":[\"Er is iets misgegaan met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"participant.conversation.error.loading\":[\"Er is iets misgegaan met het gesprek. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning als het probleem blijft bestaan\"],\"nO942E\":[\"Het gesprek kon niet worden geladen. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning.\"],\"Jo19Pu\":[\"De volgende gesprekken werden automatisch toegevoegd aan de context\"],\"Lngj9Y\":[\"De Portal is de website die wordt geladen wanneer deelnemers het QR-code scannen.\"],\"bWqoQ6\":[\"de projectbibliotheek.\"],\"hTCMdd\":[\"Samenvatting wordt gemaakt. Even wachten tot die klaar is.\"],\"+AT8nl\":[\"Samenvatting wordt opnieuw gemaakt. Even wachten tot die klaar is.\"],\"iV8+33\":[\"De samenvatting wordt hergeneratie. Wacht tot de nieuwe samenvatting beschikbaar is.\"],\"AgC2rn\":[\"De samenvatting wordt hergeneratie. Wacht tot 2 minuten voor de nieuwe samenvatting beschikbaar is.\"],\"PTNxDe\":[\"Het transcript voor dit gesprek wordt verwerkt. Controleer later opnieuw.\"],\"FEr96N\":[\"Thema\"],\"T8rsM6\":[\"Er is een fout opgetreden bij het klonen van uw project. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning.\"],\"JDFjCg\":[\"Er is een fout opgetreden bij het maken van uw rapport. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning.\"],\"e3JUb8\":[\"Er is een fout opgetreden bij het genereren van uw rapport. In de tijd, kunt u alle uw gegevens analyseren met de bibliotheek of selecteer specifieke gesprekken om te praten.\"],\"7qENSx\":[\"Er is een fout opgetreden bij het bijwerken van uw rapport. Probeer het alstublieft opnieuw of neem contact op met de ondersteuning.\"],\"V7zEnY\":[\"Er is een fout opgetreden bij het verifiëren van uw e-mail. Probeer het alstublieft opnieuw.\"],\"gtlVJt\":[\"Dit zijn enkele nuttige voorbeeld sjablonen om u te helpen.\"],\"sd848K\":[\"Dit zijn uw standaard weergave sjablonen. Zodra u uw bibliotheek hebt gemaakt, zullen deze uw eerste twee weergaven zijn.\"],\"8xYB4s\":[\"Deze standaardweergaven worden automatisch aangemaakt wanneer je je eerste bibliotheek maakt.\"],\"Ed99mE\":[\"Denken...\"],\"conversation.linked_conversations.description\":[\"Dit gesprek heeft de volgende kopieën:\"],\"conversation.linking_conversations.description\":[\"Dit gesprek is een kopie van\"],\"dt1MDy\":[\"Dit gesprek wordt nog verwerkt. Het zal beschikbaar zijn voor analyse en chat binnenkort.\"],\"5ZpZXq\":[\"Dit gesprek wordt nog verwerkt. Het zal beschikbaar zijn voor analyse en chat binnenkort. \"],\"SzU1mG\":[\"Deze e-mail is al in de lijst.\"],\"JtPxD5\":[\"Deze e-mail is al geabonneerd op meldingen.\"],\"participant.modal.refine.info.available.in\":[\"Deze functie is beschikbaar over \",[\"remainingTime\"],\" seconden.\"],\"QR7hjh\":[\"Dit is een live voorbeeld van het portaal van de deelnemer. U moet de pagina vernieuwen om de meest recente wijzigingen te bekijken.\"],\"library.description\":[\"Dit is uw projectbibliotheek. Creëer weergaven om uw hele project tegelijk te analyseren.\"],\"gqYJin\":[\"Dit is uw projectbibliotheek. Momenteel zijn \",[\"0\"],\" gesprekken in behandeling om te worden verwerkt.\"],\"sNnJJH\":[\"Dit is uw projectbibliotheek. Momenteel zijn \",[\"0\"],\" gesprekken in behandeling om te worden verwerkt.\"],\"tJL2Lh\":[\"Deze taal wordt gebruikt voor de Portal van de deelnemer en transcriptie.\"],\"BAUPL8\":[\"Deze taal wordt gebruikt voor de Portal van de deelnemer en transcriptie. Om de taal van deze toepassing te wijzigen, gebruikt u de taalkiezer in de instellingen in de header.\"],\"zyA8Hj\":[\"Deze taal wordt gebruikt voor de Portal van de deelnemer, transcriptie en analyse. Om de taal van deze toepassing te wijzigen, gebruikt u de taalkiezer in het gebruikersmenu in de header.\"],\"Gbd5HD\":[\"Deze taal wordt gebruikt voor de Portal van de deelnemer.\"],\"9ww6ML\":[\"Deze pagina wordt getoond na het voltooien van het gesprek door de deelnemer.\"],\"1gmHmj\":[\"Deze pagina wordt getoond aan deelnemers wanneer ze een gesprek starten na het voltooien van de tutorial.\"],\"bEbdFh\":[\"Deze projectbibliotheek is op\"],\"No7/sO\":[\"Deze projectbibliotheek is op \",[\"0\"],\" gemaakt.\"],\"nYeaxs\":[\"Deze prompt bepaalt hoe de AI reageert op deelnemers. Deze prompt stuurt aan hoe de AI reageert\"],\"Yig29e\":[\"Dit rapport is nog niet beschikbaar. \"],\"GQTpnY\":[\"Dit rapport werd geopend door \",[\"0\"],\" mensen\"],\"okY/ix\":[\"Deze samenvatting is AI-gegenereerd en kort, voor een uitgebreide analyse, gebruik de Chat of Bibliotheek.\"],\"hwyBn8\":[\"Deze titel wordt getoond aan deelnemers wanneer ze een gesprek starten\"],\"Dj5ai3\":[\"Dit zal uw huidige invoer wissen. Weet u het zeker?\"],\"NrRH+W\":[\"Dit zal een kopie van het huidige project maken. Alleen instellingen en trefwoorden worden gekopieerd. Rapporten, chats en gesprekken worden niet opgenomen in de kopie. U wordt doorgestuurd naar het nieuwe project na het klonen.\"],\"hsNXnX\":[\"Dit zal een nieuw gesprek maken met dezelfde audio maar een nieuwe transcriptie. Het originele gesprek blijft ongewijzigd.\"],\"participant.concrete.regenerating.artefact.description\":[\"We zijn je tekst aan het vernieuwen. Dit duurt meestal maar een paar seconden.\"],\"participant.concrete.loading.artefact.description\":[\"We zijn je tekst aan het ophalen. Even geduld.\"],\"n4l4/n\":[\"Dit zal persoonlijk herkenbare informatie vervangen door .\"],\"Ww6cQ8\":[\"Tijd gemaakt\"],\"8TMaZI\":[\"Tijdstempel\"],\"rm2Cxd\":[\"Tip\"],\"MHrjPM\":[\"Titel\"],\"5h7Z+m\":[\"Om een nieuw trefwoord toe te wijzen, maak het eerst in het projectoverzicht.\"],\"o3rowT\":[\"Om een rapport te genereren, voeg eerst gesprekken toe aan uw project\"],\"sFMBP5\":[\"Onderwerpen\"],\"ONchxy\":[\"totaal\"],\"fp5rKh\":[\"Transcriptie wordt uitgevoerd...\"],\"DDziIo\":[\"Transcriptie\"],\"hfpzKV\":[\"Transcript gekopieerd naar klembord\"],\"AJc6ig\":[\"Transcript niet beschikbaar\"],\"N/50DC\":[\"Transcriptie Instellingen\"],\"FRje2T\":[\"Transcriptie wordt uitgevoerd...\"],\"0l9syB\":[\"Transcriptie wordt uitgevoerd…\"],\"H3fItl\":[\"Transformeer deze transcripties in een LinkedIn-post die door de stof gaat. Neem de volgende punten in acht:\\nNeem de belangrijkste inzichten uit de transcripties\\nSchrijf het als een ervaren leider die conventionele kennis vervant, niet een motiveringsposter\\nZoek een echt verrassende observatie die zelfs ervaren professionals zou moeten laten stilstaan\\nBlijf intellectueel diep terwijl je direct bent\\nGebruik alleen feiten die echt verrassingen zijn\\nHou de tekst netjes en professioneel (minimaal emojis, gedachte voor ruimte)\\nStel een ton op die suggereert dat je zowel diep expertise als real-world ervaring hebt\\n\\nOpmerking: Als de inhoud geen substantiële inzichten bevat, laat het me weten dat we sterkere bronnen nodig hebben.\"],\"53dSNP\":[\"Transformeer deze inhoud in inzichten die ertoe doen. Neem de volgende punten in acht:\\nNeem de belangrijkste inzichten uit de inhoud\\nSchrijf het als iemand die nuance begrijpt, niet een boek\\nFocus op de niet-evidente implicaties\\nHou het scherp en substantieel\\nHighlight de echt belangrijke patronen\\nStructuur voor duidelijkheid en impact\\nBalans diepte met toegankelijkheid\\n\\nOpmerking: Als de inhoud geen substantiële inzichten bevat, laat het me weten dat we sterkere bronnen nodig hebben.\"],\"uK9JLu\":[\"Transformeer deze discussie in handige intelligente informatie. Neem de volgende punten in acht:\\nNeem de strategische implicaties, niet alleen de sprekerpunten\\nStructuur het als een analyse van een denkerleider, niet minuten\\nHighlight besluitpunten die conventionele kennis vervant\\nHoud de signaal-ruisverhouding hoog\\nFocus op inzichten die echt verandering teweeg brengen\\nOrganiseer voor duidelijkheid en toekomstige referentie\\nBalans tactische details met strategische visie\\n\\nOpmerking: Als de discussie geen substantiële besluitpunten of inzichten bevat, flag het voor een diepere exploratie de volgende keer.\"],\"qJb6G2\":[\"Opnieuw proberen\"],\"eP1iDc\":[\"Vraag bijvoorbeeld\"],\"goQEqo\":[\"Probeer een beetje dichter bij je microfoon te komen voor betere geluidskwaliteit.\"],\"EIU345\":[\"Tweestapsverificatie\"],\"NwChk2\":[\"Tweestapsverificatie uitgezet\"],\"qwpE/S\":[\"Tweestapsverificatie aangezet\"],\"+zy2Nq\":[\"Type\"],\"PD9mEt\":[\"Typ een bericht...\"],\"EvmL3X\":[\"Typ hier uw reactie\"],\"participant.concrete.artefact.error.title\":[\"Er ging iets mis met dit artefact\"],\"MksxNf\":[\"Kan auditlogboeken niet laden.\"],\"8vqTzl\":[\"Het gegenereerde artefact kan niet worden geladen. Probeer het opnieuw.\"],\"nGxDbq\":[\"Kan dit fragment niet verwerken\"],\"9uI/rE\":[\"Ongedaan maken\"],\"Ef7StM\":[\"Onbekend\"],\"H899Z+\":[\"ongelezen melding\"],\"0pinHa\":[\"ongelezen meldingen\"],\"sCTlv5\":[\"Niet-opgeslagen wijzigingen\"],\"SMaFdc\":[\"Afmelden\"],\"jlrVDp\":[\"Gesprek zonder titel\"],\"EkH9pt\":[\"Bijwerken\"],\"3RboBp\":[\"Bijwerken rapport\"],\"4loE8L\":[\"Bijwerken rapport om de meest recente gegevens te bevatten\"],\"Jv5s94\":[\"Bijwerken rapport om de meest recente wijzigingen in uw project te bevatten. De link om het rapport te delen zou hetzelfde blijven.\"],\"kwkhPe\":[\"Upgraden\"],\"UkyAtj\":[\"Upgrade om automatisch selecteren te ontgrendelen en analyseer 10x meer gesprekken in de helft van de tijd - geen handmatige selectie meer, gewoon diepere inzichten direct.\"],\"ONWvwQ\":[\"Uploaden\"],\"8XD6tj\":[\"Audio uploaden\"],\"kV3A2a\":[\"Upload voltooid\"],\"4Fr6DA\":[\"Gesprekken uploaden\"],\"pZq3aX\":[\"Upload mislukt. Probeer het opnieuw.\"],\"HAKBY9\":[\"Bestanden uploaden\"],\"Wft2yh\":[\"Upload bezig\"],\"JveaeL\":[\"Bronnen uploaden\"],\"3wG7HI\":[\"Uploaded\"],\"k/LaWp\":[\"Audio bestanden uploaden...\"],\"VdaKZe\":[\"Experimentele functies gebruiken\"],\"rmMdgZ\":[\"PII redaction gebruiken\"],\"ngdRFH\":[\"Gebruik Shift + Enter om een nieuwe regel toe te voegen\"],\"GWpt68\":[\"Verificatie-onderwerpen\"],\"c242dc\":[\"geverifieerd\"],\"conversation.filters.verified.text\":[\"Geverifieerd\"],\"swn5Tq\":[\"geverifieerd artefact\"],\"ob18eo\":[\"Geverifieerde artefacten\"],\"Iv1iWN\":[\"geverifieerde artefacten\"],\"4LFZoj\":[\"Code verifiëren\"],\"jpctdh\":[\"Weergave\"],\"+fxiY8\":[\"Bekijk gesprekdetails\"],\"H1e6Hv\":[\"Bekijk gespreksstatus\"],\"SZw9tS\":[\"Bekijk details\"],\"D4e7re\":[\"Bekijk je reacties\"],\"tzEbkt\":[\"Wacht \",[\"0\"],\":\",[\"1\"]],\"Px9INg\":[\"Wil je een template toevoegen aan \\\"Dembrane\\\"?\"],\"bO5RNo\":[\"Wil je een template toevoegen aan ECHO?\"],\"r6y+jM\":[\"Waarschuwing\"],\"pUTmp1\":[\"Waarschuwing: je hebt \",[\"0\"],\" sleutelwoorden toegevoegd. Alleen de eerste \",[\"ASSEMBLYAI_MAX_HOTWORDS\"],\" worden door de transcriptie-engine gebruikt.\"],\"participant.alert.microphone.access.issue\":[\"We kunnen je niet horen. Probeer je microfoon te wisselen of een beetje dichter bij het apparaat te komen.\"],\"SrJOPD\":[\"We kunnen je niet horen. Probeer je microfoon te wisselen of een beetje dichter bij het apparaat te komen.\"],\"Ul0g2u\":[\"We konden tweestapsverificatie niet uitschakelen. Probeer het opnieuw met een nieuwe code.\"],\"sM2pBB\":[\"We konden tweestapsverificatie niet inschakelen. Controleer je code en probeer het opnieuw.\"],\"Ewk6kb\":[\"We konden het audio niet laden. Probeer het later opnieuw.\"],\"xMeAeQ\":[\"We hebben u een e-mail gestuurd met de volgende stappen. Als u het niet ziet, checkt u uw spammap.\"],\"9qYWL7\":[\"We hebben u een e-mail gestuurd met de volgende stappen. Als u het niet ziet, checkt u uw spammap. Als u het nog steeds niet ziet, neem dan contact op met evelien@dembrane.com\"],\"3fS27S\":[\"We hebben u een e-mail gestuurd met de volgende stappen. Als u het niet ziet, checkt u uw spammap. Als u het nog steeds niet ziet, neem dan contact op met jules@dembrane.com\"],\"participant.modal.refine.info.reason\":[\"We hebben iets meer context nodig om je effectief te helpen verfijnen. Ga alsjeblieft door met opnemen, zodat we betere suggesties kunnen geven.\"],\"dni8nq\":[\"We sturen u alleen een bericht als uw gastgever een rapport genereert, we delen uw gegevens niet met iemand. U kunt op elk moment afmelden.\"],\"participant.test.microphone.description\":[\"We testen je microfoon om de beste ervaring voor iedereen in de sessie te garanderen.\"],\"tQtKw5\":[\"We testen je microfoon om de beste ervaring voor iedereen in de sessie te garanderen.\"],\"+eLc52\":[\"We horen wat stilte. Probeer harder te spreken zodat je stem duidelijk blijft.\"],\"6jfS51\":[\"Welkom\"],\"9eF5oV\":[\"Welkom terug\"],\"i1hzzO\":[\"Welkom in Big Picture Mode! Ik heb samenvattingen van al je gesprekken klaarstaan. Vraag me naar patronen, thema’s en inzichten in je data. Voor exacte quotes start je een nieuwe chat in Specific Details mode.\"],\"fwEAk/\":[\"Welkom bij Dembrane Chat! Gebruik de zijbalk om bronnen en gesprekken te selecteren die je wilt analyseren. Daarna kun je vragen stellen over de geselecteerde inhoud.\"],\"AKBU2w\":[\"Welkom bij Dembrane!\"],\"TACmoL\":[\"Welkom in Overview Mode! Ik heb samenvattingen van al je gesprekken klaarstaan. Vraag me naar patronen, thema’s en inzichten in je data. Voor exacte quotes start je een nieuwe chat in Deep Dive Mode.\"],\"u4aLOz\":[\"Welkom in Overview Mode! Ik heb samenvattingen van al je gesprekken klaarstaan. Vraag me naar patronen, thema’s en inzichten in je data. Voor exacte quotes start je een nieuwe chat in Specific Context mode.\"],\"Bck6Du\":[\"Welkom bij Rapporten!\"],\"aEpQkt\":[\"Welkom op je Home! Hier kun je al je projecten bekijken en toegang krijgen tot tutorialbronnen. Momenteel heb je nog geen projecten. Klik op \\\"Maak\\\" om te beginnen!\"],\"klH6ct\":[\"Welkom!\"],\"Tfxjl5\":[\"Wat zijn de belangrijkste thema's in alle gesprekken?\"],\"participant.concrete.selection.title\":[\"Kies een concreet voorbeeld\"],\"fyMvis\":[\"Welke patronen zie je in de data?\"],\"qGrqH9\":[\"Wat waren de belangrijkste momenten in dit gesprek?\"],\"FXZcgH\":[\"Wat wil je verkennen?\"],\"KcnIXL\":[\"wordt in uw rapport opgenomen\"],\"participant.button.finish.yes.text.mode\":[\"Ja\"],\"kWJmRL\":[\"Jij\"],\"Dl7lP/\":[\"U bent al afgemeld of uw link is ongeldig.\"],\"E71LBI\":[\"U kunt maximaal \",[\"MAX_FILES\"],\" bestanden tegelijk uploaden. Alleen de eerste \",[\"0\"],\" bestanden worden toegevoegd.\"],\"tbeb1Y\":[\"Je kunt de vraagfunctie nog steeds gebruiken om met elk gesprek te chatten\"],\"participant.modal.change.mic.confirmation.text\":[\"Je hebt je microfoon gewisseld. Klik op \\\"Doorgaan\\\" om verder te gaan met de sessie.\"],\"vCyT5z\":[\"Je hebt enkele gesprekken die nog niet zijn verwerkt. Regenerate de bibliotheek om ze te verwerken.\"],\"T/Q7jW\":[\"U hebt succesvol afgemeld.\"],\"lTDtES\":[\"Je kunt er ook voor kiezen om een ander gesprek op te nemen.\"],\"1kxxiH\":[\"Je kunt er voor kiezen om een lijst met zelfstandige naamwoorden, namen of andere informatie toe te voegen die relevant kan zijn voor het gesprek. Dit wordt gebruikt om de kwaliteit van de transcripties te verbeteren.\"],\"yCtSKg\":[\"Je moet inloggen met dezelfde provider die u gebruikte om u aan te melden. Als u problemen ondervindt, neem dan contact op met de ondersteuning.\"],\"snMcrk\":[\"Je lijkt offline te zijn, controleer je internetverbinding\"],\"participant.concrete.instructions.receive.artefact\":[\"Je krijgt zo een concreet voorbeeld (artefact) om mee te werken\"],\"participant.concrete.instructions.approval.helps\":[\"Als je dit goedkeurt, helpt dat om het proces te verbeteren\"],\"Pw2f/0\":[\"Uw gesprek wordt momenteel getranscribeerd. Controleer later opnieuw.\"],\"OFDbfd\":[\"Je gesprekken\"],\"aZHXuZ\":[\"Uw invoer wordt automatisch opgeslagen.\"],\"PUWgP9\":[\"Je bibliotheek is leeg. Maak een bibliotheek om je eerste inzichten te bekijken.\"],\"B+9EHO\":[\"Je antwoord is opgeslagen. Je kunt dit tabblad sluiten.\"],\"wurHZF\":[\"Je reacties\"],\"B8Q/i2\":[\"Je weergave is gemaakt. Wacht aub terwijl we de data verwerken en analyseren.\"],\"library.views.title\":[\"Je weergaven\"],\"lZNgiw\":[\"Je weergaven\"],\"890UpZ\":[\"*Bij Dembrane staat privacy op een!*\"],\"lbvVjA\":[\"*Oh, we hebben geen cookievermelding want we gebruiken geen cookies! We eten ze op.*\"],\"BHbwjT\":[\"*We zorgen dat niks terug te leiden is naar jou als persoon, ook al zeg je per ongeluk je naam, verwijderen wij deze voordat we alles analyseren. Door deze tool te gebruiken, ga je akkoord met onze privacy voorwaarden. Wil je meer weten? Lees dan onze [privacy verklaring]\"],\"9h9TAE\":[\"Voeg context toe aan document\"],\"2FU6NS\":[\"Context toegevoegd\"],\"3wfZhO\":[\"AI Assistent\"],\"2xZOz+\":[\"Alle documenten zijn geüpload en zijn nu klaar. Welke onderzoeksvraag wil je stellen? Optioneel kunt u nu voor elk document een individuele analysechat openen.\"],\"hQYkfg\":[\"Analyseer!\"],\"/B0ynG\":[\"Ben je er klaar voor? Druk dan op \\\"Klaar om te beginnen\\\".\"],\"SWNYyh\":[\"Weet je zeker dat je dit document wilt verwijderen?\"],\"BONLYh\":[\"Weet je zeker dat je wilt stoppen met opnemen?\"],\"8V3/wO\":[\"Stel een algemene onderzoeksvraag\"],\"BwyPXx\":[\"Stel een vraag...\"],\"xWEvuo\":[\"Vraag AI\"],\"uY/eGW\":[\"Stel Vraag\"],\"yRcEcN\":[\"Voeg zoveel documenten toe als je wilt analyseren\"],\"2wg92j\":[\"Gesprekken\"],\"hWszgU\":[\"De bron is verwijderd\"],\"kAJX3r\":[\"Maak een nieuwe sessie aan\"],\"jPQSEz\":[\"Maak een nieuwe werkruimte aan\"],\"GSV2Xq\":[\"Schakel deze functie in zodat deelnemers geverifieerde objecten uit hun inzendingen kunnen maken en goedkeuren. Dat helpt belangrijke ideeën, zorgen of samenvattingen te concretiseren. Na het gesprek kun je filteren op gesprekken met geverifieerde objecten en ze in het overzicht bekijken.\"],\"7qaVXm\":[\"Experimenteel\"],\"FclDDn\":[\"Dembrane Verify\"],\"Y/Fou9\":[\"Selecteer welke onderwerpen deelnemers voor verificatie kunnen gebruiken.\"],\"+vDIXN\":[\"Verwijder document\"],\"hVxMi/\":[\"Document AI Assistent\"],\"RcO3t0\":[\"Document wordt verwerkt\"],\"BXpCcS\":[\"Document is verwijderd\"],\"E/muDO\":[\"Documenten\"],\"6NKYah\":[\"Sleep documenten hierheen of selecteer bestanden\"],\"Mb+tI8\":[\"Eerst vragen we een aantal korte vragen, en dan kan je beginnen met opnemen.\"],\"Ra6776\":[\"Algemene Onderzoeksvraag\"],\"wUQkGp\":[\"Geweldig! Uw documenten worden nu geüpload. Terwijl de documenten worden verwerkt, kunt u mij vertellen waar deze analyse over gaat?\"],\"rsGuuK\":[\"Hallo, ik ben vandaag je onderzoeksassistent. Om te beginnen upload je de documenten die je wilt analyseren.\"],\"6iYuCb\":[\"Hi, Fijn dat je meedoet!\"],\"NoNwIX\":[\"Inactief\"],\"R5z6Q2\":[\"Voer algemene context in\"],\"Lv2yUP\":[\"Deelnemingslink\"],\"0wdd7X\":[\"Aansluiten\"],\"qwmGiT\":[\"Neem contact op met sales\"],\"ZWDkP4\":[\"Momenteel zijn \",[\"finishedConversationsCount\"],\" gesprekken klaar om geanalyseerd te worden. \",[\"unfinishedConversationsCount\"],\" worden nog verwerkt.\"],\"/NTvqV\":[\"Bibliotheek niet beschikbaar\"],\"p18xrj\":[\"Bibliotheek opnieuw genereren\"],\"xFtWcS\":[\"Nog geen documenten geüpload\"],\"meWF5F\":[\"Geen bronnen gevonden. Voeg bronnen toe met behulp van de knop boven aan.\"],\"hqsqEx\":[\"Open Document Chat ✨\"],\"FimKdO\":[\"Originele bestandsnaam\"],\"hOtk0x\":[\"Echo\"],\"JsSzzl\":[\"ECHO\"],\"SUkFIX\":[\"Pauze\"],\"ilKuQo\":[\"Hervatten\"],\"SqNXSx\":[\"Nee\"],\"yfZBOp\":[\"Ja\"],\"cic45J\":[\"We kunnen deze aanvraag niet verwerken vanwege de inhoudsbeleid van de LLM-provider.\"],\"CvZqsN\":[\"Er ging iets mis. Probeer het alstublieft opnieuw door op de knop <0>ECHO te drukken, of neem contact op met de ondersteuning als het probleem blijft bestaan.\"],\"P+lUAg\":[\"Er is iets misgegaan. Probeer het alstublieft opnieuw.\"],\"hh87/E\":[\"\\\"Dieper ingaan\\\" is binnenkort beschikbaar\"],\"RMxlMe\":[\"\\\"Maak het concreet\\\" is binnenkort beschikbaar\"],\"7UJhVX\":[\"Weet je zeker dat je het wilt stoppen?\"],\"RDsML8\":[\"Gesprek stoppen\"],\"IaLTNH\":[\"Goedkeuren\"],\"+f3bIA\":[\"Annuleren\"],\"qgx4CA\":[\"Herzien\"],\"E+5M6v\":[\"Opslaan\"],\"Q82shL\":[\"Ga terug\"],\"yOp5Yb\":[\"Pagina opnieuw laden\"],\"tw+Fbo\":[\"Het lijkt erop dat we dit artefact niet konden laden. Dit is waarschijnlijk tijdelijk. Probeer het opnieuw te laden of ga terug om een ander onderwerp te kiezen.\"],\"oTCD07\":[\"Artefact kan niet worden geladen\"],\"QHbX3T\":[\"Artefact: \",[\"selectedOptionLabel\"]],\"ECX5E0\":[\"Jouw goedkeuring laat zien wat je echt denkt!\"],\"M5oorh\":[\"Als je tevreden bent met de \",[\"objectLabel\"],\", klik dan op 'Goedkeuren' om te laten zien dat je je gehoord voelt.\"],\"RZXkY+\":[\"Annuleren\"],\"86aTqL\":[\"Volgende\"],\"pdifRH\":[\"Bezig met laden\"],\"Ep029+\":[\"Lees de \",[\"objectLabel\"],\" hardop voor en vertel wat je eventueel wilt aanpassen.\"],\"fKeatI\":[\"Je ontvangt zo meteen de \",[\"objectLabel\"],\" om te verifiëren.\"],\"8b+uSr\":[\"Heb je het besproken? Klik op 'Herzien' om de \",[\"objectLabel\"],\" aan te passen aan jullie gesprek.\"],\"iodqGS\":[\"Artefact wordt geladen\"],\"NpZmZm\":[\"Dit duurt maar heel even.\"],\"wklhqE\":[\"Artefact wordt opnieuw gegenereerd\"],\"LYTXJp\":[\"Dit duurt maar een paar seconden.\"],\"CjjC6j\":[\"Volgende\"],\"q885Ym\":[\"Wat wil je concreet maken?\"],\"vvsDp4\":[\"Deelneming\"],\"HWayuJ\":[\"Voer een bericht in\"],\"AWBvkb\":[\"Einde van de lijst • Alle \",[\"0\"],\" gesprekken geladen\"],\"EBcbaZ\":[\"Klaar om te beginnen\"],\"N7NnE/\":[\"Selecteer Sessie\"],\"CQ8O75\":[\"Selecteer je groep\"],\"pOFZmr\":[\"Bedankt! Klik ondertussen op individuele documenten om context toe te voegen aan elk bestand dat ik zal meenemen voor verdere analyse.\"],\"JbSD2g\":[\"Met deze tool kan je gesprekken of verhalen opnemen om je stem te laten horen.\"],\"a/SLN6\":[\"Naam afschrift\"],\"v+tyku\":[\"Typ hier een vraag...\"],\"Fy+uYk\":[\"Typ hier de context...\"],\"4+jlrW\":[\"Upload documenten\"],\"J50beM\":[\"Wat voor soort vraag wil je stellen voor dit document?\"],\"pmt7u4\":[\"Werkruimtes\"],\"ixbz1a\":[\"Je kan dit in je eentje gebruiken om je eigen verhaal te delen, of je kan een gesprek opnemen tussen meerdere mensen, wat vaak leuk en inzichtelijk kan zijn!\"]}")as Messages; \ No newline at end of file