From 0c479a2080b1a6c0d94e2f7c017d2609b0fb1060 Mon Sep 17 00:00:00 2001 From: Usama Date: Sun, 18 Jan 2026 16:58:52 +0000 Subject: [PATCH 1/5] - chat select all feature with feature flags --- .../components/chat/ChatHistoryMessage.tsx | 2 +- .../conversation/ConversationAccordion.tsx | 586 +++++++++++------- .../conversation/ConversationLinks.tsx | 196 +++++- .../SelectAllConfirmationModal.tsx | 576 +++++++++++++++++ .../components/conversation/hooks/index.ts | 143 ++++- echo/frontend/src/config.ts | 3 + echo/frontend/src/lib/api.ts | 53 +- echo/frontend/src/lib/types.d.ts | 28 + .../src/routes/project/chat/NewChatRoute.tsx | 6 +- .../routes/project/chat/ProjectChatRoute.tsx | 38 +- echo/server/dembrane/api/chat.py | 226 ++++++- echo/server/dembrane/service/conversation.py | 84 +++ echo/server/dembrane/settings.py | 11 +- 13 files changed, 1675 insertions(+), 277 deletions(-) create mode 100644 echo/frontend/src/components/conversation/SelectAllConfirmationModal.tsx diff --git a/echo/frontend/src/components/chat/ChatHistoryMessage.tsx b/echo/frontend/src/components/chat/ChatHistoryMessage.tsx index f0dbd821..02776469 100644 --- a/echo/frontend/src/components/chat/ChatHistoryMessage.tsx +++ b/echo/frontend/src/components/chat/ChatHistoryMessage.tsx @@ -172,7 +172,7 @@ export const ChatHistoryMessage = ({ // biome-ignore lint/a11y/useValidAriaRole: role is a component prop for styling, not an ARIA attribute - + Context added: page.conversations) ?? []; - const [parent2] = useAutoAnimate(); + const [filterActionsParent] = useAutoAnimate(); const filterApplied = useMemo( () => @@ -813,6 +817,47 @@ export const ConversationAccordion = ({ ], ); + // Calculate remaining conversations (not yet in context) + const conversationsInContext = useMemo(() => { + const contextConversations = chatContextQuery.data?.conversations ?? []; + return new Set(contextConversations.map((c) => c.conversation_id)); + }, [chatContextQuery.data?.conversations]); + + // Check if we have any filters applied (used for modal text wording) + const hasActiveFilters = + selectedTagIds.length > 0 || + showOnlyVerified || + debouncedConversationSearchValue !== ""; + + // Check if we should show count in button (filters OR existing context) + const shouldShowConversationCount = + hasActiveFilters || conversationsInContext.size > 0; + + const remainingConversations = useMemo(() => { + return allConversations.filter( + (conv) => !conversationsInContext.has(conv.id), + ); + }, [allConversations, conversationsInContext]); + + // Use the new hook to get accurate count independent of pagination + // Only query when the feature is enabled and we're in deep dive mode + const remainingCountQuery = useRemainingConversationsCount( + projectId, + chatId, + { + searchText: debouncedConversationSearchValue || undefined, + tagIds: selectedTagIds.length > 0 ? selectedTagIds : undefined, + verifiedOnly: showOnlyVerified || undefined, + }, + { + enabled: ENABLE_CHAT_SELECT_ALL && inChatMode && chatMode === "deep_dive", + }, + ); + + // Use the accurate count from the query, fallback to paginated count for display + const remainingCount = + remainingCountQuery.data ?? remainingConversations.length; + // biome-ignore lint/correctness/useExhaustiveDependencies: const appliedFiltersCount = useMemo(() => { return selectedTagIds.length + (showOnlyVerified ? 1 : 0); @@ -822,6 +867,66 @@ export const ConversationAccordion = ({ const [sortMenuOpened, setSortMenuOpened] = useState(false); const [tagsMenuOpened, setTagsMenuOpened] = useState(false); + // Select All state + const [selectAllModalOpened, setSelectAllModalOpened] = useState(false); + const [selectAllResult, setSelectAllResult] = + useState(null); + const [selectAllLoading, setSelectAllLoading] = useState(false); + const selectAllMutation = useSelectAllContextMutation(); + + // Handle select all + const handleSelectAllClick = () => { + setSelectAllModalOpened(true); + setSelectAllResult(null); + }; + + const handleSelectAllConfirm = async () => { + if (!chatId || !projectId) { + toast.error(t`Failed to add conversations to context`); + console.error("Missing required parameters for select all"); + return; + } + + setSelectAllLoading(true); + try { + const result = await selectAllMutation.mutateAsync({ + chatId, + projectId, + searchText: debouncedConversationSearchValue || undefined, + tagIds: selectedTagIds.length > 0 ? selectedTagIds : undefined, + verifiedOnly: showOnlyVerified || undefined, + }); + setSelectAllResult(result); + } catch (_error) { + toast.error(t`Failed to add conversations to context`); + setSelectAllModalOpened(false); + } finally { + setSelectAllLoading(false); + } + }; + + const handleSelectAllModalClose = () => { + setSelectAllModalOpened(false); + }; + + const handleModalExitTransitionEnd = () => { + // Clear data after modal has fully closed + setSelectAllResult(null); + setSelectAllLoading(false); + }; + + // Get selected tag names for display (excluding verified outcomes) + const selectedTagNames = useMemo(() => { + const names: string[] = []; + for (const tagId of selectedTagIds) { + const tag = allProjectTags.find((t) => t.id === tagId); + if (tag?.text) { + names.push(tag.text); + } + } + return names; + }, [selectedTagIds, allProjectTags]); + const resetEverything = useCallback(() => { setConversationSearch(""); setSortBy("-created_at"); @@ -908,7 +1013,7 @@ export const ConversationAccordion = ({ - + {/* Only show auto-select in deep dive mode */} {inChatMode && !isOverviewMode && @@ -974,225 +1079,262 @@ export const ConversationAccordion = ({ )} - {showFilterActions && ( - - - - - - - - - - Sort - + + {showFilterActions && ( + + + + + + + - - setSortBy(value as SortOption["value"]) - } - name="sortOptions" - > - - {SORT_OPTIONS.map((option) => ( - - ))} - - + + Sort + + + + setSortBy(value as SortOption["value"]) + } + name="sortOptions" + > + + {SORT_OPTIONS.map((option) => ( + + ))} + + + - - - - - - - - - - - setTagSearch(e.currentTarget.value)} - size="sm" + + + + + + + + + + setTagSearch(e.currentTarget.value)} + size="sm" + rightSection={ + !!tagSearch && ( + setTagSearch("")} size="sm" - withRemoveButton - classNames={{ - root: "!bg-[var(--mantine-primary-color-light)] !font-medium", - }} - onRemove={() => - setSelectedTagIds((prev) => - prev.filter((id) => id !== tagId), - ) - } > - {tag.text} - - ); - })} - - )} - - - - {projectTagsLoading ? ( -
- -
- ) : ( - - - {filteredProjectTags.map((tag) => { - const checked = selectedTagIds.includes(tag.id); + +
+ ) + } + /> + + {selectedTagIds.length > 0 && ( + + {selectedTagIds.map((tagId) => { + const tag = allProjectTags.find( + (t) => t.id === tagId, + ); + if (!tag) return null; return ( - { - const isChecked = e.currentTarget.checked; - setSelectedTagIds((prev) => { - if (isChecked) { - if (prev.includes(tag.id)) return prev; - return [...prev, tag.id]; - } - return prev.filter((id) => id !== tag.id); - }); - }} - styles={{ - labelWrapper: { - width: "100%", - }, + + onRemove={() => + setSelectedTagIds((prev) => + prev.filter((id) => id !== tagId), + ) + } + > + {tag.text} + ); })} - {filteredProjectTags.length === 0 && ( - - No tags found - - )} -
- - )} - -
-
+
+ )} - + - - + + + ) : ( + + + {filteredProjectTags.map((tag) => { + const checked = selectedTagIds.includes(tag.id); + return ( + { + const isChecked = e.currentTarget.checked; + setSelectedTagIds((prev) => { + if (isChecked) { + if (prev.includes(tag.id)) return prev; + return [...prev, tag.id]; + } + return prev.filter((id) => id !== tag.id); + }); + }} + styles={{ + labelWrapper: { + width: "100%", + }, + }} + /> + ); + })} + {filteredProjectTags.length === 0 && ( + + No tags found + + )} + + + )} +
+
+
+ + + + + + + +
+ )} + + + {/* Select All - show in deep dive mode, disable when all relevant conversations are in context */} + {ENABLE_CHAT_SELECT_ALL && + inChatMode && + chatMode === "deep_dive" && + allConversations.length > 0 && ( + 0} + > + + + )} {/* Filter icons that always appear under the search bar */} {/* Temporarily disabled source filters */} {/* {totalConversationsQuery.data?.length !== 0 && ( @@ -1279,6 +1421,32 @@ export const ConversationAccordion = ({ )} */} + + {/* Select All Confirmation Modal */} + {ENABLE_CHAT_SELECT_ALL && ( + + )} ); diff --git a/echo/frontend/src/components/conversation/ConversationLinks.tsx b/echo/frontend/src/components/conversation/ConversationLinks.tsx index a9286333..2e30c9e4 100644 --- a/echo/frontend/src/components/conversation/ConversationLinks.tsx +++ b/echo/frontend/src/components/conversation/ConversationLinks.tsx @@ -1,47 +1,183 @@ -import { Anchor, Group } from "@mantine/core"; +import { t } from "@lingui/core/macro"; +import { Trans } from "@lingui/react/macro"; +import { + Badge, + Box, + Button, + Divider, + Group, + Modal, + ScrollArea, + Stack, + Text, + Tooltip, +} from "@mantine/core"; +import { IconX } from "@tabler/icons-react"; +import { useState } from "react"; import { useParams } from "react-router"; import { I18nLink } from "@/components/common/i18nLink"; +const MAX_VISIBLE_CONVERSATIONS = 3; + +type ConversationListProps = { + conversations: Conversation[]; + projectId: string; + onItemClick?: () => void; +}; + +const ConversationList = ({ + conversations, + projectId, + onItemClick, +}: ConversationListProps) => ( + + {conversations.map((conversation, index) => ( + + + + + {index + 1}. + + + {conversation.participant_name} + + + + + ))} + +); + +type ConversationsModalProps = { + opened: boolean; + onClose: () => void; + conversations: Conversation[]; + projectId: string; + totalCount: number; +}; + +const ConversationsModal = ({ + opened, + onClose, + conversations, + projectId, + totalCount, +}: ConversationsModalProps) => ( + + + All Conversations + + + {totalCount} + + + } + size="md" + centered + > + + + + + + + + + + + +); + export const ConversationLinks = ({ conversations, - color, - hoverUnderlineColor, }: { conversations: Conversation[]; color?: string; hoverUnderlineColor?: string; }) => { const { projectId } = useParams(); + const [modalOpened, setModalOpened] = useState(false); // an error could occur if the conversation is deleted and not filtered in ChatHistoryMessage.tsx + if (!conversations || conversations.length === 0) { + return null; + } + + const totalCount = conversations.length; + const shouldCondense = totalCount > MAX_VISIBLE_CONVERSATIONS; + const visibleConversations = shouldCondense + ? conversations.slice(0, MAX_VISIBLE_CONVERSATIONS) + : conversations; + const hiddenCount = totalCount - MAX_VISIBLE_CONVERSATIONS; + + // Always show conversation names (if 3 or fewer, show all; otherwise show first 3 + badge) return ( - - {conversations?.map((conversation) => ( - - + + {visibleConversations.map((conversation) => ( + <> + + + + {conversation.participant_name} + + + + + ))} + + {shouldCondense && ( + - {conversation.participant_name} - - - )) ?? null} - + setModalOpened(true)} + > + +{hiddenCount} conversations + + + )} + + {shouldCondense && ( + setModalOpened(false)} + conversations={conversations} + projectId={projectId ?? ""} + totalCount={totalCount} + /> + )} + ); }; diff --git a/echo/frontend/src/components/conversation/SelectAllConfirmationModal.tsx b/echo/frontend/src/components/conversation/SelectAllConfirmationModal.tsx new file mode 100644 index 00000000..08baa567 --- /dev/null +++ b/echo/frontend/src/components/conversation/SelectAllConfirmationModal.tsx @@ -0,0 +1,576 @@ +import { t } from "@lingui/core/macro"; +import { Plural, Trans } from "@lingui/react/macro"; +import { + Alert, + Badge, + Box, + Button, + Divider, + Group, + Loader, + Modal, + Pill, + ScrollArea, + Stack, + Tabs, + Text, +} from "@mantine/core"; +import { + IconAlertTriangle, + IconCheck, + IconFileOff, + IconRosetteDiscountCheckFilled, + IconScale, + IconX, +} from "@tabler/icons-react"; + +type SelectAllConfirmationModalProps = { + opened: boolean; + onClose: () => void; + onConfirm: () => void; + onExitTransitionEnd?: () => void; + totalCount: number; + hasFilters: boolean; + isLoading: boolean; + result: { + added: SelectAllConversationResult[]; + skipped: SelectAllConversationResult[]; + contextLimitReached: boolean; + } | null; + existingContextCount: number; + filterNames: string[]; + hasVerifiedOutcomesFilter?: boolean; + searchText?: string; +}; + +// Component to display active filters (search text, tags, verified badge) +const FilterDisplay = ({ + searchText, + filterNames, + hasVerifiedOutcomesFilter, +}: { + searchText?: string; + filterNames: string[]; + hasVerifiedOutcomesFilter: boolean; +}) => { + const hasAnyFilters = + !!searchText || filterNames.length > 0 || hasVerifiedOutcomesFilter; + + if (!hasAnyFilters) return null; + + return ( + + {searchText && ( + + + - + + + Search text: + + + "{searchText}" + + + )} + {filterNames.length > 0 && ( + + + - + + + + + + + {filterNames.map((tagName) => ( + + {tagName} + + ))} + + )} + {hasVerifiedOutcomesFilter && ( + + + - + + } + style={{ width: "fit-content" }} + > + Verified + + + )} + + ); +}; + +const getReasonLabel = (reason: SelectAllConversationResult["reason"]) => { + switch (reason) { + case "already_in_context": + return t`Already in context`; + case "context_limit_reached": + return t`Context limit reached`; + case "empty": + return t`No content`; + case "too_long": + return t`Too long`; + case "error": + return t`Error occurred`; + default: + return t`Unknown reason`; + } +}; + +const getReasonIcon = (reason: SelectAllConversationResult["reason"]) => { + switch (reason) { + case "already_in_context": + return ; + case "context_limit_reached": + return ; + case "empty": + return ; + case "too_long": + return ; + case "error": + return ; + default: + return ; + } +}; + +const getReasonColor = (reason: SelectAllConversationResult["reason"]) => { + switch (reason) { + case "already_in_context": + return "blue"; + case "context_limit_reached": + return "orange"; + case "empty": + return "gray"; + case "too_long": + return "red"; + case "error": + return "red"; + default: + return "gray"; + } +}; + +export const SelectAllConfirmationModal = ({ + opened, + onClose, + onConfirm, + onExitTransitionEnd, + totalCount, + hasFilters, + isLoading, + result, + existingContextCount, + filterNames, + hasVerifiedOutcomesFilter = false, + searchText, +}: SelectAllConfirmationModalProps) => { + // Filter out "already_in_context" from the displayed skipped list since those aren't really failures + const reallySkipped = + result?.skipped.filter((c) => c.reason !== "already_in_context") ?? []; + + const skippedDueToLimit = reallySkipped.filter( + (c) => c.reason === "context_limit_reached", + ); + const skippedDueToOther = reallySkipped.filter( + (c) => c.reason !== "context_limit_reached", + ); + + // Determine default tab - first non-empty tab + const getDefaultTab = () => { + if (result?.added && result.added.length > 0) return "added"; + if (skippedDueToLimit.length > 0) return "limit"; + if (skippedDueToOther.length > 0) return "other"; + return "added"; + }; + + return ( + + {result ? ( + + Select All Results + + ) : ( + + Add Conversations to Context + + )} + + } + size="lg" + centered + classNames={{ + body: "flex flex-col justify-between min-h-[300px]", + header: "border-b", + }} + > + + {/* Initial confirmation view */} + {!result && !isLoading && ( + + + + {/* Show existing context count if any */} + {existingContextCount > 0 && ( + + + You have already added{" "} + + + {" "} + to this chat. + + + )} + + {/* Main message about adding conversations */} + + + {existingContextCount === 0 && + (hasFilters ? ( + + Adding{" "} + + + {" "} + with the following filters: + + ) : ( + + Adding{" "} + + + {" "} + to the chat + + ))} + + {existingContextCount > 0 && + (hasFilters ? ( + + Adding{" "} + + + {" "} + with: + + ) : ( + + Adding{" "} + + + + + ))} + + + {/* Filter display component */} + + + {/* Warning about potential skips */} + + + some might skip due to empty transcript or context limit + + + + + + + + + + + )} + + {/* Loading view */} + {isLoading && ( + + + + + Adding conversations to context... + + + + )} + + {/* Results view */} + {result && !isLoading && ( + <> + {/* Summary badges */} + + + + {result.added.length} added + + + {reallySkipped.length > 0 && ( + + + {reallySkipped.length} not added + + + )} + + + {result.contextLimitReached && ( + + + + + + Context limit was reached. Some conversations could not be + added. + + + + + )} + + {/* Tabs for conversation lists */} + + + {result.added.length > 0 && ( + } + rightSection={ + + {result.added.length} + + } + > + Added + + )} + {skippedDueToOther.length > 0 && ( + } + rightSection={ + + {skippedDueToOther.length} + + } + > + Not Added + + )} + {skippedDueToLimit.length > 0 && ( + } + rightSection={ + + {skippedDueToLimit.length} + + } + > + + Context limit + + + )} + + + {/* Added conversations tab */} + {result.added.length > 0 && ( + + + + {result.added.map((conv) => ( + + + + {conv.participant_name} + + + ))} + + + + )} + + {/* Skipped due to context limit tab */} + {skippedDueToLimit.length > 0 && ( + + + + + These conversations were skipped because the context + limit was reached. + + + + + {skippedDueToLimit.map((conv) => ( + + + {conv.participant_name} + + + {getReasonLabel(conv.reason)} + + + ))} + + + + + )} + + {/* Skipped due to other reasons tab */} + {skippedDueToOther.length > 0 && ( + + + + + These conversations were excluded due to missing + transcripts. + + + + + {skippedDueToOther.map((conv) => ( + + + {conv.participant_name} + + + {getReasonLabel(conv.reason)} + + + ))} + + + + + )} + + {/* Empty state - no conversations processed */} + {result?.added?.length === 0 && reallySkipped.length === 0 && ( + + + No conversations were processed. This may happen if all + conversations are already in context or don't match the + selected filters. + + + )} + + + + + + + )} + + + ); +}; diff --git a/echo/frontend/src/components/conversation/hooks/index.ts b/echo/frontend/src/components/conversation/hooks/index.ts index db259d6b..91c31062 100644 --- a/echo/frontend/src/components/conversation/hooks/index.ts +++ b/echo/frontend/src/components/conversation/hooks/index.ts @@ -18,6 +18,7 @@ import { useQueryClient, } from "@tanstack/react-query"; import { AxiosError } from "axios"; +import { useProjectChatContext } from "@/components/chat/hooks"; import { toast } from "@/components/common/Toaster"; import { addChatContext, @@ -28,6 +29,7 @@ import { getConversationContentLink, getConversationTranscriptString, retranscribeConversation, + selectAllContext, } from "@/lib/api"; import { directus } from "@/lib/directus"; @@ -285,11 +287,10 @@ export const useAddChatContextMutation = () => { conversationId?: string; auto_select_bool?: boolean; }) => - addChatContext( - payload.chatId, - payload.conversationId, - payload.auto_select_bool, - ), + addChatContext(payload.chatId, { + auto_select_bool: payload.auto_select_bool, + conversationId: payload.conversationId, + }), onError: (error, variables, context) => { Sentry.captureException(error); @@ -551,6 +552,42 @@ export const useDeleteChatContextMutation = () => { }); }; +export const useSelectAllContextMutation = () => { + const queryClient = useQueryClient(); + return useMutation({ + mutationFn: (payload: { + chatId: string; + projectId: string; + tagIds?: string[]; + verifiedOnly?: boolean; + searchText?: string; + }) => + selectAllContext(payload.chatId, payload.projectId, { + searchText: payload.searchText, + tagIds: payload.tagIds, + verifiedOnly: payload.verifiedOnly, + }), + onError: (error) => { + Sentry.captureException(error); + }, + onSettled: (_, __, variables) => { + queryClient.invalidateQueries({ + queryKey: ["chats", "context", variables.chatId], + }); + // Also invalidate the remaining conversations count query + queryClient.invalidateQueries({ + queryKey: [ + "projects", + variables.projectId, + "chats", + variables.chatId, + "remaining-conversations-count", + ], + }); + }, + }); +}; + export const useConversationChunkContentUrl = ( conversationId: string, chunkId: string, @@ -1021,6 +1058,102 @@ export const useConversationsCountByProjectId = ( }); }; +export const useRemainingConversationsCount = ( + projectId: string, + chatId: string | undefined, + filters?: { + tagIds?: string[]; + verifiedOnly?: boolean; + searchText?: string; + }, + options?: { + enabled?: boolean; + }, +) => { + const chatContextQuery = useProjectChatContext(chatId ?? ""); + + return useQuery({ + // Wait for chat context to be loaded before running this query + enabled: + !!chatId && + !!projectId && + !chatContextQuery.isLoading && + chatContextQuery.data !== undefined && + options?.enabled !== false, + queryFn: async () => { + // Build filter for conversations matching current filters + const filterQuery: any = { + project_id: { + _eq: projectId, + }, + }; + + // Apply tag filter if provided + if (filters?.tagIds && filters.tagIds.length > 0) { + filterQuery.tags = { + _some: { + project_tag_id: { + id: { _in: filters.tagIds }, + }, + }, + }; + } + + // Apply verified filter if requested + if (filters?.verifiedOnly) { + filterQuery.conversation_artifacts = { + _some: { + approved_at: { + _nnull: true, + }, + }, + }; + } + + // Get count of conversations already in context + const conversationsInContext = chatContextQuery.data?.conversations ?? []; + const conversationIdsInContext = new Set( + conversationsInContext.map((c) => c.conversation_id), + ); + + // If we have conversations in context, exclude them from the filter + if (conversationIdsInContext.size > 0) { + filterQuery.id = { + _nin: Array.from(conversationIdsInContext), + }; + } + + const response = await directus.request( + aggregate("conversation", { + aggregate: { + countDistinct: ["id"], + }, + query: { + filter: filterQuery, + ...(filters?.searchText?.trim() && { + search: filters.searchText.trim(), + }), + }, + }), + ); + + return Number(response[0]?.countDistinct?.id) || 0; + }, + queryKey: [ + "projects", + projectId, + "chats", + chatId, + "remaining-conversations-count", + filters, + // Include the conversation IDs in context in the query key so it refetches when context changes + chatContextQuery.data?.conversations + ?.map((c) => c.conversation_id) + .sort(), + ], + }); +}; + export const useConversationHasTranscript = ( conversationId: string, refetchInterval = 10000, diff --git a/echo/frontend/src/config.ts b/echo/frontend/src/config.ts index 86f2a098..a041678d 100644 --- a/echo/frontend/src/config.ts +++ b/echo/frontend/src/config.ts @@ -43,6 +43,9 @@ export const PLAUSIBLE_API_HOST = export const DEBUG_MODE = import.meta.env.VITE_DEBUG_MODE === "1"; +export const ENABLE_CHAT_SELECT_ALL = + import.meta.env.VITE_ENABLE_CHAT_SELECT_ALL === "1"; + export const ENABLE_CHAT_AUTO_SELECT = false; export const ENABLE_CONVERSATION_HEALTH = true; export const ENABLE_ANNOUNCEMENTS = true; diff --git a/echo/frontend/src/lib/api.ts b/echo/frontend/src/lib/api.ts index c77c5872..af5306ff 100644 --- a/echo/frontend/src/lib/api.ts +++ b/echo/frontend/src/lib/api.ts @@ -938,16 +938,25 @@ export const getProjectChatContext = async (chatId: string) => { export const addChatContext = async ( chatId: string, - conversationId?: string, - auto_select_bool?: boolean, + options?: { + conversationId?: string; + auto_select_bool?: boolean; + select_all?: boolean; + project_id?: string; + tag_ids?: string[]; + verified_only?: boolean; + search_text?: string; + }, ) => { - return api.post( - `/chats/${chatId}/add-context`, - { - auto_select_bool: auto_select_bool, - conversation_id: conversationId, - }, - ); + return api.post(`/chats/${chatId}/add-context`, { + auto_select_bool: options?.auto_select_bool, + conversation_id: options?.conversationId, + project_id: options?.project_id, + search_text: options?.search_text, + select_all: options?.select_all, + tag_ids: options?.tag_ids, + verified_only: options?.verified_only, + }); }; export const deleteChatContext = async ( @@ -971,6 +980,32 @@ export const lockConversations = async (chatId: string) => { ); }; +export const selectAllContext = async ( + chatId: string, + projectId: string, + options?: { + tagIds?: string[]; + verifiedOnly?: boolean; + searchText?: string; + }, +) => { + // Uses addChatContext with select_all=true + const response = await addChatContext(chatId, { + project_id: projectId, + search_text: options?.searchText, + select_all: true, + tag_ids: options?.tagIds, + verified_only: options?.verifiedOnly, + }); + // Map to SelectAllContextResponse for backward compatibility + return { + added: response?.added ?? [], + context_limit_reached: response?.context_limit_reached ?? false, + skipped: response?.skipped ?? [], + total_processed: response?.total_processed ?? 0, + } satisfies SelectAllContextResponse; +}; + export type ChatMode = "overview" | "deep_dive"; export type InitializeChatModeResponse = { diff --git a/echo/frontend/src/lib/types.d.ts b/echo/frontend/src/lib/types.d.ts index 24fa6f02..7499fd59 100644 --- a/echo/frontend/src/lib/types.d.ts +++ b/echo/frontend/src/lib/types.d.ts @@ -193,3 +193,31 @@ type TSuggestion = { type TSuggestionsResponse = { suggestions: TSuggestion[]; }; + +type SelectAllConversationResult = { + conversation_id: string; + participant_name: string; + success: boolean; + reason?: + | "added" + | "already_in_context" + | "context_limit_reached" + | "empty" // No transcript content + | "too_long" // Single conversation exceeds context + | "error"; // Processing error occurred +}; + +type AddContextResponse = { + // Optional fields populated when select_all is used + added?: SelectAllConversationResult[]; + skipped?: SelectAllConversationResult[]; + total_processed?: number; + context_limit_reached?: boolean; +}; + +type SelectAllContextResponse = { + added: SelectAllConversationResult[]; + skipped: SelectAllConversationResult[]; + total_processed: number; + context_limit_reached: boolean; +}; diff --git a/echo/frontend/src/routes/project/chat/NewChatRoute.tsx b/echo/frontend/src/routes/project/chat/NewChatRoute.tsx index 733bdf04..6f29e25d 100644 --- a/echo/frontend/src/routes/project/chat/NewChatRoute.tsx +++ b/echo/frontend/src/routes/project/chat/NewChatRoute.tsx @@ -3,7 +3,10 @@ import { Box, Stack, Text } from "@mantine/core"; import { useState } from "react"; import { useParams } from "react-router"; import { ChatModeSelector } from "@/components/chat/ChatModeSelector"; -import { useInitializeChatModeMutation, usePrefetchSuggestions } from "@/components/chat/hooks"; +import { + useInitializeChatModeMutation, + usePrefetchSuggestions, +} from "@/components/chat/hooks"; import { useCreateChatMutation } from "@/components/project/hooks"; import { useI18nNavigate } from "@/hooks/useI18nNavigate"; import { useLanguage } from "@/hooks/useLanguage"; @@ -83,4 +86,3 @@ export const NewChatRoute = () => { }; export default NewChatRoute; - diff --git a/echo/frontend/src/routes/project/chat/ProjectChatRoute.tsx b/echo/frontend/src/routes/project/chat/ProjectChatRoute.tsx index f3b1d782..550ee69b 100644 --- a/echo/frontend/src/routes/project/chat/ProjectChatRoute.tsx +++ b/echo/frontend/src/routes/project/chat/ProjectChatRoute.tsx @@ -24,12 +24,17 @@ import { import { useQueryClient } from "@tanstack/react-query"; import { useEffect, useMemo, useRef, useState } from "react"; import { useParams } from "react-router"; -import { ChatAccordionItemMenu, ChatModeIndicator } from "@/components/chat/ChatAccordion"; -import { MODE_COLORS } from "@/components/chat/ChatModeSelector"; +import { + ChatAccordionItemMenu, + ChatModeIndicator, +} from "@/components/chat/ChatAccordion"; import { ChatContextProgress } from "@/components/chat/ChatContextProgress"; import { ChatHistoryMessage } from "@/components/chat/ChatHistoryMessage"; import { ChatMessage } from "@/components/chat/ChatMessage"; -import { ChatModeSelector } from "@/components/chat/ChatModeSelector"; +import { + ChatModeSelector, + MODE_COLORS, +} from "@/components/chat/ChatModeSelector"; import { ChatTemplatesMenu } from "@/components/chat/ChatTemplatesMenu"; import { extractMessageMetadata, @@ -302,17 +307,16 @@ export const ProjectChatRoute = () => { const prefetchSuggestions = usePrefetchSuggestions(); // Track conversation count for deep_dive mode to trigger suggestions refetch - const conversationCount = - chatContextQuery.data?.conversations?.length ?? 0; + const conversationCount = chatContextQuery.data?.conversations?.length ?? 0; const prevConversationCountRef = useRef(null); // Fetch suggestions: // - Overview mode: Fetch immediately when mode is selected // - Deep dive mode: Only fetch after conversations are added (not on initial load) - const shouldFetchSuggestions = isModeSelected && ( - !isDeepDiveMode || // overview mode: always fetch - conversationCount > 0 // deep_dive mode: only when conversations exist - ); + const shouldFetchSuggestions = + isModeSelected && + (!isDeepDiveMode || // overview mode: always fetch + conversationCount > 0); // deep_dive mode: only when conversations exist const suggestionsQuery = useChatSuggestions(chatId ?? "", { enabled: shouldFetchSuggestions, @@ -344,7 +348,14 @@ export const ProjectChatRoute = () => { suggestionsQuery.refetch(); } } - }, [conversationCount, isDeepDiveMode, chatId, language, queryClient, suggestionsQuery]); + }, [ + conversationCount, + isDeepDiveMode, + chatId, + language, + queryClient, + suggestionsQuery, + ]); const { isInitializing, @@ -613,7 +624,10 @@ export const ProjectChatRoute = () => { ))} @@ -1447,6 +1496,19 @@ export const ConversationAccordion = ({ } /> )} + + {/* Add Tag Filter Modal */} + {ENABLE_CHAT_SELECT_ALL && ( + + )} ); From 45d68ad703bed9deef8730f27763d1314759685e Mon Sep 17 00:00:00 2001 From: Usama Date: Mon, 19 Jan 2026 10:42:12 +0000 Subject: [PATCH 4/5] - spacing and dots replacement for filters in modal --- .../conversation/SelectAllConfirmationModal.tsx | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/echo/frontend/src/components/conversation/SelectAllConfirmationModal.tsx b/echo/frontend/src/components/conversation/SelectAllConfirmationModal.tsx index 596bf8d2..49b3eb12 100644 --- a/echo/frontend/src/components/conversation/SelectAllConfirmationModal.tsx +++ b/echo/frontend/src/components/conversation/SelectAllConfirmationModal.tsx @@ -59,11 +59,11 @@ const FilterDisplay = ({ if (!hasAnyFilters) return null; return ( - + {searchText && ( - - + • Search text: @@ -76,7 +76,7 @@ const FilterDisplay = ({ {filterNames.length > 0 && ( - - + • @@ -99,7 +99,7 @@ const FilterDisplay = ({ {hasVerifiedOutcomesFilter && ( - - + • Date: Mon, 19 Jan 2026 12:30:24 +0000 Subject: [PATCH 5/5] translations --- echo/frontend/src/locales/de-DE.po | 370 ++++++++++++++++++++++------ echo/frontend/src/locales/de-DE.ts | 2 +- echo/frontend/src/locales/en-US.po | 371 ++++++++++++++++++++++------ echo/frontend/src/locales/en-US.ts | 2 +- echo/frontend/src/locales/es-ES.po | 370 ++++++++++++++++++++++------ echo/frontend/src/locales/es-ES.ts | 2 +- echo/frontend/src/locales/fr-FR.po | 370 ++++++++++++++++++++++------ echo/frontend/src/locales/fr-FR.ts | 2 +- echo/frontend/src/locales/it-IT.po | 373 +++++++++++++++++++++++------ echo/frontend/src/locales/it-IT.ts | 2 +- echo/frontend/src/locales/nl-NL.po | 370 ++++++++++++++++++++++------ echo/frontend/src/locales/nl-NL.ts | 2 +- 12 files changed, 1789 insertions(+), 447 deletions(-) diff --git a/echo/frontend/src/locales/de-DE.po b/echo/frontend/src/locales/de-DE.po index 55f9a53a..6dfd0a0d 100644 --- a/echo/frontend/src/locales/de-DE.po +++ b/echo/frontend/src/locales/de-DE.po @@ -103,10 +103,21 @@ msgstr "\"Verfeinern\" bald verfügbar" #~ msgid "(for enhanced audio processing)" #~ msgstr "(für verbesserte Audioverarbeitung)" +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:415 +msgid "{0, plural, one {# tag} other {# tags}}" +msgstr "{0, plural, one {# Tag} other {# Tags}}" + +#. js-lingui-explicit-id +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:82 +msgid "select.all.modal.tags" +msgstr "{0, plural, one {Tag:} other {Tags:}}" + #. placeholder {0}: isAssistantTyping ? "Assistant is typing..." : "Thinking..." #. placeholder {0}: selectedOption.transitionMessage #. placeholder {0}: selectedOption.transitionDescription -#: src/routes/project/chat/ProjectChatRoute.tsx:559 +#: src/routes/project/chat/ProjectChatRoute.tsx:570 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 #: src/components/project/ProjectPortalEditor.tsx:433 @@ -117,6 +128,12 @@ msgstr "{0}" #~ msgid "{0} {1} ready" #~ msgstr "{0} {1} bereit" +#. js-lingui-explicit-id +#. placeholder {0}: result.added.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:449 +msgid "select.all.modal.added.count" +msgstr "{0} hinzugefügt" + #. 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(), ) @@ -126,6 +143,12 @@ msgstr "{0}" msgid "{0} Conversations • Edited {1}" msgstr "{0} Gespräche • Bearbeitet {1}" +#. js-lingui-explicit-id +#. placeholder {0}: reallySkipped.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:455 +msgid "select.all.modal.not.added.count" +msgstr "{0} nicht hinzugefügt" + #: src/components/chat/ChatModeBanner.tsx:61 msgid "{conversationCount} selected" msgstr "{conversationCount} ausgewählt" @@ -160,6 +183,10 @@ msgstr "{0} werden noch verarbeitet." msgid "*Transcription in progress.*" msgstr "*Transkription wird durchgeführt.*" +#: src/components/conversation/ConversationLinks.tsx:167 +msgid "+{hiddenCount} conversations" +msgstr "+{hiddenCount} Unterhaltungen" + #~ msgid "+5s" #~ msgstr "+5s" @@ -186,6 +213,11 @@ msgstr "Aktion am" msgid "Actions" msgstr "Aktionen" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:400 +msgid "select.all.modal.loading.filters" +msgstr "Aktive Filter" + #: src/routes/participant/ParticipantPostConversation.tsx:179 msgid "Add" msgstr "Hinzufügen" @@ -198,6 +230,11 @@ msgstr "Zusätzlichen Kontext hinzufügen (Optional)" msgid "Add all that apply" msgstr "Alle zutreffenden hinzufügen" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:215 +msgid "select.all.modal.title.add" +msgstr "Unterhaltungen zum Kontext hinzufügen" + #: 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." @@ -210,22 +247,62 @@ msgstr "Neue Aufnahmen zu diesem Projekt hinzufügen. Dateien, die Sie hier hoch msgid "Add Tag" msgstr "Tag hinzufügen" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:40 +msgid "add.tag.filter.modal.title" +msgstr "Tag zu Filtern hinzufügen" + #: src/components/project/ProjectTagsInput.tsx:257 msgid "Add Tags" msgstr "Tags hinzufügen" -#: src/components/conversation/ConversationAccordion.tsx:154 +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:84 +msgid "add.tag.filter.modal.add" +msgstr "Zu Filtern hinzufügen" + +#: src/components/conversation/ConversationAccordion.tsx:159 msgid "Add to this chat" msgstr "Zu diesem Chat hinzufügen" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:495 +msgid "select.all.modal.added" +msgstr "Hinzugefügt" + #: src/routes/participant/ParticipantPostConversation.tsx:187 msgid "Added emails" msgstr "Hinzugefügte E-Mails" -#: src/routes/project/chat/ProjectChatRoute.tsx:655 +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:268 +msgid "select.all.modal.add.without.filters" +msgstr "<0>{totalCount, plural, one {# Unterhaltung} other {# Unterhaltungen}} zum Chat hinzufügen" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:256 +msgid "select.all.modal.add.with.filters" +msgstr "<0>{totalCount, plural, one {# Unterhaltung} other {# Unterhaltungen}} mit den folgenden Filtern hinzufügen:" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:295 +msgid "select.all.modal.add.without.filters.more" +msgstr "<0>{totalCount, plural, one {# weitere Unterhaltung} other {# weitere Unterhaltungen}} hinzufügen" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:283 +msgid "select.all.modal.add.with.filters.more" +msgstr "<0>{totalCount, plural, one {# weitere Unterhaltung} other {# weitere Unterhaltungen}} mit den folgenden Filtern hinzufügen:" + +#: src/routes/project/chat/ProjectChatRoute.tsx:669 msgid "Adding Context:" msgstr "Kontext wird hinzugefügt:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:364 +msgid "select.all.modal.loading.title" +msgstr "Unterhaltungen werden hinzugefügt" + #: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Erweitert (Tipps und best practices)" @@ -246,6 +323,10 @@ msgstr "Alle Aktionen" msgid "All collections" msgstr "Alle Sammlungen" +#: src/components/conversation/ConversationLinks.tsx:81 +msgid "All Conversations" +msgstr "Alle Unterhaltungen" + #~ msgid "All conversations ready" #~ msgstr "Alle Gespräche bereit" @@ -264,10 +345,14 @@ msgstr "Teilnehmern erlauben, über den Link neue Gespräche zu beginnen" msgid "Almost there" msgstr "Fast geschafft" -#: src/components/conversation/ConversationAccordion.tsx:149 +#: src/components/conversation/ConversationAccordion.tsx:154 msgid "Already added to this chat" msgstr "Bereits zu diesem Chat hinzugefügt" +#: src/components/conversation/SelectAllConfirmationModal.tsx:122 +msgid "Already in context" +msgstr "Bereits im Kontext" + #. placeholder {0}: participantCount !== undefined ? participantCount : t`loading...` #. placeholder {1}: participantCount === 1 ? "" : "s" #: src/routes/project/report/ProjectReportRoute.tsx:321 @@ -281,7 +366,7 @@ msgstr "Eine E-Mail-Benachrichtigung wird an {0} Teilnehmer{1} gesendet. Möchte msgid "An error occurred while loading the Portal. Please contact the support team." msgstr "Beim Laden des Portals ist ein Fehler aufgetreten. Bitte kontaktieren Sie das Support-Team." -#: src/routes/project/chat/ProjectChatRoute.tsx:597 +#: src/routes/project/chat/ProjectChatRoute.tsx:608 msgid "An error occurred." msgstr "Ein Fehler ist aufgetreten." @@ -456,11 +541,11 @@ msgstr "Authentifizierungscode" msgid "Auto-select" msgstr "Automatisch auswählen" -#: src/components/conversation/hooks/index.ts:547 +#: src/components/conversation/hooks/index.ts:548 msgid "Auto-select disabled" msgstr "Automatisch auswählen deaktiviert" -#: src/components/conversation/hooks/index.ts:405 +#: src/components/conversation/hooks/index.ts:406 msgid "Auto-select enabled" msgstr "Automatisch auswählen aktiviert" @@ -532,6 +617,16 @@ msgstr "Ideen brainstormen" 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 "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?" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:326 +msgid "select.all.modal.cancel" +msgstr "Abbrechen" + +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:81 +msgid "add.tag.filter.modal.cancel" +msgstr "Abbrechen" + #: src/routes/project/report/ProjectReportRoute.tsx:332 #: src/components/settings/TwoFactorSettingsCard.tsx:406 #: src/components/project/ProjectDangerZone.tsx:137 @@ -539,7 +634,7 @@ msgstr "Durch das Löschen dieses Projekts werden alle damit verbundenen Daten g #: src/components/dropzone/UploadConversationDropzone.tsx:686 #: src/components/dropzone/UploadConversationDropzone.tsx:806 #: src/components/conversation/MoveConversationButton.tsx:208 -#: src/components/conversation/ConversationAccordion.tsx:329 +#: src/components/conversation/ConversationAccordion.tsx:334 msgid "Cancel" msgstr "Abbrechen" @@ -558,7 +653,7 @@ msgstr "Abbrechen" msgid "participant.concrete.instructions.button.cancel" msgstr "Abbrechen" -#: src/components/conversation/ConversationAccordion.tsx:151 +#: src/components/conversation/ConversationAccordion.tsx:156 msgid "Cannot add empty conversation" msgstr "Leeres Gespräch kann nicht hinzugefügt werden" @@ -573,12 +668,12 @@ msgstr "Änderungen werden automatisch gespeichert" 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?" -#: src/routes/project/chat/ProjectChatRoute.tsx:478 -#: src/routes/project/chat/ProjectChatRoute.tsx:483 +#: src/routes/project/chat/ProjectChatRoute.tsx:489 +#: src/routes/project/chat/ProjectChatRoute.tsx:494 msgid "Chat" msgstr "Chat" -#: src/routes/project/chat/ProjectChatRoute.tsx:276 +#: src/routes/project/chat/ProjectChatRoute.tsx:281 msgid "Chat | Dembrane" msgstr "Chat | Dembrane" @@ -622,6 +717,10 @@ msgstr "Wähl dein Theme für das Interface" msgid "Click \"Upload Files\" when you're ready to start the upload process." msgstr "Klicken Sie auf \"Dateien hochladen\", wenn Sie bereit sind, den Upload-Prozess zu starten." +#: src/components/conversation/ConversationLinks.tsx:156 +msgid "Click to see all {totalCount} conversations" +msgstr "Klicken, um alle {totalCount} Unterhaltungen anzuzeigen" + #: src/components/project/ProjectDangerZone.tsx:143 msgid "Clone project" msgstr "Projekt klonen" @@ -631,7 +730,13 @@ msgstr "Projekt klonen" msgid "Clone Project" msgstr "Projekt klonen" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:660 +msgid "select.all.modal.close" +msgstr "Schließen" + #: src/components/dropzone/UploadConversationDropzone.tsx:806 +#: src/components/conversation/ConversationLinks.tsx:107 msgid "Close" msgstr "Schließen" @@ -703,6 +808,20 @@ msgstr "Kontext" msgid "Context added:" msgstr "Kontext hinzugefügt:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:533 +msgid "select.all.modal.context.limit" +msgstr "Kontextlimit" + +#: src/components/conversation/SelectAllConfirmationModal.tsx:124 +msgid "Context limit reached" +msgstr "Kontextlimit erreicht" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:467 +msgid "select.all.modal.context.limit.reached" +msgstr "Kontextlimit wurde erreicht. Einige Unterhaltungen konnten nicht hinzugefügt werden." + #. js-lingui-explicit-id #: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 @@ -715,7 +834,7 @@ msgstr "Weiter" #~ msgid "conversation" #~ msgstr "Gespräch" -#: src/components/conversation/hooks/index.ts:406 +#: src/components/conversation/hooks/index.ts:407 msgid "Conversation added to chat" msgstr "Gespräch zum Chat hinzugefügt" @@ -733,7 +852,7 @@ msgstr "Gespräch beendet" #~ msgid "Conversation processing" #~ msgstr "Gespräch wird verarbeitet" -#: src/components/conversation/hooks/index.ts:548 +#: src/components/conversation/hooks/index.ts:549 msgid "Conversation removed from chat" msgstr "Gespräch aus dem Chat entfernt" @@ -756,7 +875,7 @@ msgstr "Gesprächstatusdetails" msgid "conversations" msgstr "Gespräche" -#: src/components/conversation/ConversationAccordion.tsx:899 +#: src/components/conversation/ConversationAccordion.tsx:1052 msgid "Conversations" msgstr "Gespräche" @@ -916,8 +1035,8 @@ msgstr "Erfolgreich gelöscht" #~ msgid "Dembrane ECHO" #~ msgstr "Dembrane ECHO" -#: src/routes/project/chat/ProjectChatRoute.tsx:718 -#: src/routes/project/chat/ProjectChatRoute.tsx:748 +#: src/routes/project/chat/ProjectChatRoute.tsx:732 +#: src/routes/project/chat/ProjectChatRoute.tsx:762 msgid "Dembrane is powered by AI. Please double-check responses." msgstr "Dembrane läuft mit KI. Prüf die Antworten noch mal gegen." @@ -1209,6 +1328,10 @@ msgstr "Fehler beim Laden des Projekts" #~ msgid "Error loading quotes" #~ msgstr "Fehler beim Laden der Zitate" +#: src/components/conversation/SelectAllConfirmationModal.tsx:130 +msgid "Error occurred" +msgstr "Fehler aufgetreten" + #: src/components/report/UpdateReportModalButton.tsx:80 msgid "Error updating report" msgstr "Fehler beim Aktualisieren des Berichts" @@ -1247,15 +1370,20 @@ msgstr "Exportieren" msgid "Failed" msgstr "Fehlgeschlagen" -#: src/components/conversation/hooks/index.ts:328 +#: src/components/conversation/hooks/index.ts:329 msgid "Failed to add conversation to chat" msgstr "Fehler beim Hinzufügen des Gesprächs zum Chat" #. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" -#: src/components/conversation/hooks/index.ts:320 +#: src/components/conversation/hooks/index.ts:321 msgid "Failed to add conversation to chat{0}" msgstr "Fehler beim Hinzufügen des Gesprächs zum Chat{0}" +#: src/components/conversation/ConversationAccordion.tsx:933 +#: src/components/conversation/ConversationAccordion.tsx:949 +msgid "Failed to add conversations to context" +msgstr "Fehler beim Hinzufügen von Unterhaltungen zum Kontext" + #: src/components/participant/verify/VerifyArtefact.tsx:136 msgid "Failed to approve artefact. Please try again." msgstr "Artefakt konnte nicht freigegeben werden. Bitte versuchen Sie es erneut." @@ -1272,13 +1400,13 @@ msgstr "Transkript konnte nicht kopiert werden. Versuch es noch mal." msgid "Failed to delete response" msgstr "Fehler beim Löschen der Antwort" -#: src/components/conversation/hooks/index.ts:475 -#: src/components/conversation/hooks/index.ts:481 +#: src/components/conversation/hooks/index.ts:476 +#: src/components/conversation/hooks/index.ts:482 msgid "Failed to disable Auto Select for this chat" msgstr "Fehler beim Deaktivieren des Automatischen Auswählens für diesen Chat" -#: src/components/conversation/hooks/index.ts:324 -#: src/components/conversation/hooks/index.ts:330 +#: src/components/conversation/hooks/index.ts:325 +#: src/components/conversation/hooks/index.ts:331 msgid "Failed to enable Auto Select for this chat" msgstr "Fehler beim Aktivieren des Automatischen Auswählens für diesen Chat" @@ -1325,16 +1453,16 @@ msgstr "Fehler beim erneuten Generieren der Zusammenfassung. Bitte versuchen Sie msgid "Failed to reload. Please try again." msgstr "Neu laden fehlgeschlagen. Bitte versuchen Sie es erneut." -#: src/components/conversation/hooks/index.ts:479 +#: src/components/conversation/hooks/index.ts:480 msgid "Failed to remove conversation from chat" msgstr "Fehler beim Entfernen des Gesprächs aus dem Chat" #. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" -#: src/components/conversation/hooks/index.ts:471 +#: src/components/conversation/hooks/index.ts:472 msgid "Failed to remove conversation from chat{0}" msgstr "Fehler beim Entfernen des Gesprächs aus dem Chat{0}" -#: src/components/conversation/hooks/index.ts:610 +#: src/components/conversation/hooks/index.ts:647 msgid "Failed to retranscribe conversation. Please try again." msgstr "Fehler beim Hertranskribieren des Gesprächs. Bitte versuchen Sie es erneut." @@ -1513,7 +1641,7 @@ msgstr "Zur neuen Unterhaltung gehen" #~ msgid "Grid view" #~ msgstr "Rasteransicht" -#: src/components/conversation/ConversationAccordion.tsx:551 +#: src/components/conversation/ConversationAccordion.tsx:575 msgid "Has verified artifacts" msgstr "Hat verifizierte Artefakte" @@ -1810,8 +1938,8 @@ msgstr "Transkript wird geladen ..." msgid "loading..." msgstr "wird geladen..." -#: src/components/conversation/ConversationAccordion.tsx:108 -#: src/components/conversation/hooks/index.ts:369 +#: src/components/conversation/ConversationAccordion.tsx:113 +#: src/components/conversation/hooks/index.ts:370 msgid "Loading..." msgstr "Laden..." @@ -1835,7 +1963,7 @@ msgstr "Als bestehender Benutzer anmelden" msgid "Logout" msgstr "Abmelden" -#: src/components/conversation/ConversationAccordion.tsx:617 +#: src/components/conversation/ConversationAccordion.tsx:642 msgid "Longest First" msgstr "Längste zuerst" @@ -1883,12 +2011,12 @@ msgid "More templates" msgstr "Mehr Vorlagen" #: src/components/conversation/MoveConversationButton.tsx:218 -#: src/components/conversation/ConversationAccordion.tsx:339 +#: src/components/conversation/ConversationAccordion.tsx:344 msgid "Move" msgstr "Verschieben" #: src/components/conversation/MoveConversationButton.tsx:138 -#: src/components/conversation/ConversationAccordion.tsx:260 +#: src/components/conversation/ConversationAccordion.tsx:265 msgid "Move Conversation" msgstr "Gespräch verschieben" @@ -1896,7 +2024,7 @@ msgstr "Gespräch verschieben" msgid "Move to Another Project" msgstr "Gespräch zu einem anderen Projekt verschieben" -#: src/components/conversation/ConversationAccordion.tsx:257 +#: src/components/conversation/ConversationAccordion.tsx:262 msgid "Move to Project" msgstr "Gespräch zu einem anderen Projekt verschieben" @@ -1905,11 +2033,11 @@ msgstr "Gespräch zu einem anderen Projekt verschieben" msgid "Name" msgstr "Name" -#: src/components/conversation/ConversationAccordion.tsx:615 +#: src/components/conversation/ConversationAccordion.tsx:640 msgid "Name A-Z" msgstr "Name A-Z" -#: src/components/conversation/ConversationAccordion.tsx:616 +#: src/components/conversation/ConversationAccordion.tsx:641 msgid "Name Z-A" msgstr "Name Z-A" @@ -1939,7 +2067,7 @@ msgstr "Neues Passwort" msgid "New Project" msgstr "Neues Projekt" -#: src/components/conversation/ConversationAccordion.tsx:613 +#: src/components/conversation/ConversationAccordion.tsx:638 msgid "Newest First" msgstr "Neueste zuerst" @@ -1999,8 +2127,9 @@ msgstr "Keine Sammlungen gefunden" msgid "No concrete topics available." msgstr "Keine konkreten Themen verfügbar." -#~ msgid "No content" -#~ msgstr "Kein Inhalt" +#: src/components/conversation/SelectAllConfirmationModal.tsx:126 +msgid "No content" +msgstr "Kein Inhalt" #: src/routes/project/library/ProjectLibrary.tsx:151 msgid "No conversations available to create library" @@ -2018,10 +2147,15 @@ msgstr "Keine Gespräche verfügbar, um eine Bibliothek zu erstellen" msgid "No conversations found." msgstr "Keine Gespräche gefunden." -#: src/components/conversation/ConversationAccordion.tsx:1211 +#: src/components/conversation/ConversationAccordion.tsx:1401 msgid "No conversations found. Start a conversation using the participation invite link from the <0><1>project overview." msgstr "Keine Gespräche gefunden. Starten Sie ein Gespräch über den Teilnahme-Einladungslink aus der <0><1>Projektübersicht." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:649 +msgid "select.all.modal.no.conversations" +msgstr "Es wurden keine Unterhaltungen verarbeitet. Dies kann passieren, wenn alle Unterhaltungen bereits im Kontext sind oder nicht den ausgewählten Filtern entsprechen." + #: src/components/report/CreateReportForm.tsx:88 msgid "No conversations yet" msgstr "Noch keine Gespräche" @@ -2063,7 +2197,7 @@ msgid "No results" msgstr "Keine Ergebnisse" #: src/components/conversation/ConversationEdit.tsx:207 -#: src/components/conversation/ConversationAccordion.tsx:1158 +#: src/components/conversation/ConversationAccordion.tsx:1314 msgid "No tags found" msgstr "Keine Tags gefunden" @@ -2100,6 +2234,11 @@ msgstr "Für dieses Projekt sind keine Verifizierungsthemen konfiguriert." #~ msgid "No verification topics available." #~ msgstr "No verification topics available." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:514 +msgid "select.all.modal.not.added" +msgstr "Nicht hinzugefügt" + #: src/routes/project/library/ProjectLibrary.tsx:149 msgid "Not available" msgstr "Nicht verfügbar" @@ -2107,7 +2246,7 @@ msgstr "Nicht verfügbar" #~ msgid "Now" #~ msgstr "Jetzt" -#: src/components/conversation/ConversationAccordion.tsx:614 +#: src/components/conversation/ConversationAccordion.tsx:639 msgid "Oldest First" msgstr "Älteste zuerst" @@ -2122,7 +2261,7 @@ msgid "participant.concrete.instructions.read.aloud" msgstr "Lies den Text laut vor." #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:585 +#: src/components/conversation/ConversationAccordion.tsx:609 msgid "conversation.ongoing" msgstr "Laufend" @@ -2168,8 +2307,8 @@ msgstr "Fehlerbehebungsleitfaden öffnen" msgid "Open your authenticator app and enter the current six-digit code." msgstr "Öffnen Sie Ihre Authentifizierungs-App und geben Sie den aktuellen 6-stelligen Code ein." -#: src/components/conversation/ConversationAccordion.tsx:947 -#: src/components/conversation/ConversationAccordion.tsx:954 +#: src/components/conversation/ConversationAccordion.tsx:1100 +#: src/components/conversation/ConversationAccordion.tsx:1107 msgid "Options" msgstr "Optionen" @@ -2406,7 +2545,7 @@ msgstr "Bitte wählen Sie eine Sprache für Ihren aktualisierten Bericht" #~ msgid "Please select at least one source" #~ msgstr "Bitte wählen Sie mindestens eine Quelle" -#: src/routes/project/chat/ProjectChatRoute.tsx:644 +#: src/routes/project/chat/ProjectChatRoute.tsx:658 msgid "Please select conversations from the sidebar to proceed" msgstr "Wähl Gespräche in der Seitenleiste aus, um weiterzumachen" @@ -2473,6 +2612,11 @@ msgstr "Diesen Bericht drucken" msgid "Privacy Statements" msgstr "Datenschutzerklärungen" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:329 +msgid "select.all.modal.proceed" +msgstr "Fortfahren" + #: src/routes/project/report/ProjectReportRoute.tsx:335 msgid "Proceed" msgstr "Fortfahren" @@ -2483,6 +2627,11 @@ msgstr "Fortfahren" #~ msgid "Processing" #~ msgstr "Verarbeitet" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:375 +msgid "select.all.modal.loading.description" +msgstr "<0>{totalCount, plural, one {# Unterhaltung} other {# Unterhaltungen}} werden verarbeitet und zu Ihrem Chat hinzugefügt" + #~ msgid "Processing failed for this conversation. This conversation will not be available for analysis and chat." #~ msgstr "Verarbeitung für dieses Gespräch fehlgeschlagen. Dieses Gespräch ist für die Analyse und den Chat nicht verfügbar." @@ -2517,7 +2666,7 @@ msgstr "Projektname" msgid "Project name must be at least 4 characters long" msgstr "Der Projektname muss mindestens 4 Zeichen lang sein" -#: src/routes/project/chat/NewChatRoute.tsx:62 +#: src/routes/project/chat/NewChatRoute.tsx:65 msgid "Project not found" msgstr "Projekt nicht gefunden" @@ -2681,7 +2830,7 @@ msgstr "E-Mail entfernen" msgid "Remove file" msgstr "Datei entfernen" -#: src/components/conversation/ConversationAccordion.tsx:153 +#: src/components/conversation/ConversationAccordion.tsx:158 msgid "Remove from this chat" msgstr "Aus diesem Chat entfernen" @@ -2762,8 +2911,8 @@ msgstr "Passwort zurücksetzen" msgid "Reset Password | Dembrane" msgstr "Passwort zurücksetzen | Dembrane" -#: src/components/conversation/ConversationAccordion.tsx:1179 -#: src/components/conversation/ConversationAccordion.tsx:1184 +#: src/components/conversation/ConversationAccordion.tsx:1338 +#: src/components/conversation/ConversationAccordion.tsx:1343 msgid "Reset to default" msgstr "Auf Standard zurücksetzen" @@ -2794,7 +2943,7 @@ msgstr "Gespräch hertranskribieren" msgid "Retranscription started. New conversation will be available soon." msgstr "Hertranskription gestartet. Das neue Gespräch wird bald verfügbar sein." -#: src/routes/project/chat/ProjectChatRoute.tsx:605 +#: src/routes/project/chat/ProjectChatRoute.tsx:616 msgid "Retry" msgstr "Erneut versuchen" @@ -2852,11 +3001,16 @@ msgstr "Scannen Sie den QR-Code oder kopieren Sie das Geheimnis in Ihre App." msgid "Scroll to bottom" msgstr "Nach unten scrollen" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:408 +msgid "select.all.modal.loading.search" +msgstr "Suchen" + #: src/components/conversation/MoveConversationButton.tsx:143 msgid "Search" msgstr "Suchen" -#: src/components/conversation/ConversationAccordion.tsx:941 +#: src/components/conversation/ConversationAccordion.tsx:1094 msgid "Search conversations" msgstr "Gespräche suchen" @@ -2864,16 +3018,16 @@ msgstr "Gespräche suchen" msgid "Search projects" msgstr "Projekte suchen" -#: src/components/conversation/ConversationAccordion.tsx:270 +#: src/components/conversation/ConversationAccordion.tsx:275 msgid "Search Projects" msgstr "Projekte suchen" #: src/components/conversation/MoveConversationButton.tsx:144 -#: src/components/conversation/ConversationAccordion.tsx:274 +#: src/components/conversation/ConversationAccordion.tsx:279 msgid "Search projects..." msgstr "Projekte suchen..." -#: src/components/conversation/ConversationAccordion.tsx:1077 +#: src/components/conversation/ConversationAccordion.tsx:1233 msgid "Search tags" msgstr "Tags suchen" @@ -2881,6 +3035,11 @@ msgstr "Tags suchen" msgid "Search templates..." msgstr "Vorlagen suchen..." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:69 +msgid "select.all.modal.search.text" +msgstr "Suchtext:" + #: src/components/chat/SourcesSearched.tsx:13 msgid "Searched through the most relevant sources" msgstr "Durchsucht die relevantesten Quellen" @@ -2907,6 +3066,19 @@ msgstr "Bis bald" msgid "Select a microphone" msgstr "Mikrofon auswählen" +#: src/components/conversation/ConversationAccordion.tsx:1381 +msgid "Select all" +msgstr "Alle auswählen" + +#: src/components/conversation/ConversationAccordion.tsx:1379 +msgid "Select all ({remainingCount})" +msgstr "Alle auswählen ({remainingCount})" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:211 +msgid "select.all.modal.title.results" +msgstr "Alle Ergebnisse auswählen" + #: src/components/dropzone/UploadConversationDropzone.tsx:519 msgid "Select Audio Files to Upload" msgstr "Audio-Dateien auswählen" @@ -2919,7 +3091,7 @@ msgstr "Wähle Gespräche aus und finde genaue Zitate" msgid "Select conversations from sidebar" msgstr "Gespräche in der Seitenleiste auswählen" -#: src/components/conversation/ConversationAccordion.tsx:294 +#: src/components/conversation/ConversationAccordion.tsx:299 msgid "Select Project" msgstr "Projekt auswählen" @@ -2962,7 +3134,7 @@ msgstr "Ausgewählte Dateien ({0}/{MAX_FILES})" msgid "participant.selected.microphone" msgstr "Ausgewähltes Mikrofon" -#: src/routes/project/chat/ProjectChatRoute.tsx:738 +#: src/routes/project/chat/ProjectChatRoute.tsx:752 msgid "Send" msgstr "Senden" @@ -3014,7 +3186,7 @@ msgstr "Ihre Stimme teilen" msgid "Share your voice by scanning the QR code below." msgstr "Teilen Sie Ihre Stimme, indem Sie den unten stehenden QR-Code scannen." -#: src/components/conversation/ConversationAccordion.tsx:618 +#: src/components/conversation/ConversationAccordion.tsx:643 msgid "Shortest First" msgstr "Kürzeste zuerst" @@ -3093,6 +3265,11 @@ msgstr "Datenschutzkarte überspringen (Organisation verwaltet Zustimmung)" msgid "Some files were already selected and won't be added twice." msgstr "Einige Dateien wurden bereits ausgewählt und werden nicht erneut hinzugefügt." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:317 +msgid "select.all.modal.skip.reason" +msgstr "einige könnten aufgrund von leerem Transkript oder Kontextlimit übersprungen werden" + #: src/routes/auth/Login.tsx:158 #: src/components/participant/ParticipantInitiateForm.tsx:84 #: src/components/conversation/ConversationEdit.tsx:144 @@ -3138,8 +3315,8 @@ msgstr "Etwas ist schief gelaufen. Bitte versuchen Sie es erneut." msgid "participant.go.deeper.content.policy.violation.error.message" msgstr "Der Inhalt verstößt gegen unsere Richtlinien. Änder den Text und versuch es nochmal." -#: src/components/conversation/ConversationAccordion.tsx:1001 -#: src/components/conversation/ConversationAccordion.tsx:1008 +#: src/components/conversation/ConversationAccordion.tsx:1156 +#: src/components/conversation/ConversationAccordion.tsx:1163 msgid "Sort" msgstr "Sortieren" @@ -3195,7 +3372,7 @@ msgstr "Neu beginnen" msgid "Status" msgstr "Status" -#: src/routes/project/chat/ProjectChatRoute.tsx:570 +#: src/routes/project/chat/ProjectChatRoute.tsx:581 msgid "Stop" msgstr "Stopp" @@ -3276,8 +3453,8 @@ 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 +#: src/components/conversation/ConversationAccordion.tsx:1223 +#: src/components/conversation/ConversationAccordion.tsx:1226 msgid "Tags" msgstr "Tags" @@ -3294,7 +3471,7 @@ msgstr "Nimm dir Zeit, ein konkretes Ergebnis zu erstellen, das deinen Beitrag f msgid "participant.refine.make.concrete.description" msgstr "Nimm dir Zeit, ein konkretes Ergebnis zu erstellen, das deinen Beitrag festhält." -#: src/routes/project/chat/ProjectChatRoute.tsx:406 +#: src/routes/project/chat/ProjectChatRoute.tsx:417 msgid "Template applied" msgstr "Template übernommen" @@ -3302,7 +3479,7 @@ msgstr "Template übernommen" msgid "Templates" msgstr "Vorlagen" -#: src/components/conversation/ConversationAccordion.tsx:410 +#: src/components/conversation/ConversationAccordion.tsx:415 msgid "Text" msgstr "Text" @@ -3399,6 +3576,16 @@ msgstr "Bei der Verifizierung Ihrer E-Mail ist ein Fehler aufgetreten. Bitte ver #~ msgid "These are your default view templates. Once you create your library these will be your first two views." #~ msgstr "Diese sind Ihre Standard-Ansichtsvorlagen. Sobald Sie Ihre Bibliothek erstellen, werden dies Ihre ersten beiden Ansichten sein." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:611 +msgid "select.all.modal.other.reason.description" +msgstr "Diese Unterhaltungen wurden aufgrund fehlender Transkripte ausgeschlossen." + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:571 +msgid "select.all.modal.context.limit.reached.description" +msgstr "Diese Unterhaltungen wurden übersprungen, da das Kontextlimit erreicht wurde." + #: src/components/view/DummyViews.tsx:8 msgid "These default view templates will be generated when you create your first library." msgstr "Diese Standard-Ansichtsvorlagen werden generiert, wenn Sie Ihre erste Bibliothek erstellen." @@ -3503,6 +3690,11 @@ msgstr "Dies wird eine Kopie des aktuellen Projekts erstellen. Nur Einstellungen msgid "This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged." msgstr "Dies wird ein neues Gespräch mit derselben Audio-Datei erstellen, aber mit einer neuen Transkription. Das ursprüngliche Gespräch bleibt unverändert." +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:72 +msgid "add.tag.filter.modal.info" +msgstr "Dies filtert die Unterhaltungsliste, um Unterhaltungen mit diesem Tag anzuzeigen." + #. js-lingui-explicit-id #: src/components/participant/verify/VerifyArtefact.tsx:308 msgid "participant.concrete.regenerating.artefact.description" @@ -3536,6 +3728,10 @@ msgstr "Um ein neues Tag zuzuweisen, erstellen Sie es bitte zuerst in der Projek msgid "To generate a report, please start by adding conversations in your project" msgstr "Um einen Bericht zu generieren, fügen Sie bitte zuerst Gespräche in Ihr Projekt hinzu" +#: src/components/conversation/SelectAllConfirmationModal.tsx:128 +msgid "Too long" +msgstr "Zu lang" + #: src/components/view/CreateViewForm.tsx:123 msgid "Topics" msgstr "Themen" @@ -3669,7 +3865,7 @@ msgstr "Zwei-Faktor-Authentifizierung aktiviert" msgid "Type" msgstr "Typ" -#: src/routes/project/chat/ProjectChatRoute.tsx:693 +#: src/routes/project/chat/ProjectChatRoute.tsx:707 msgid "Type a message..." msgstr "Nachricht eingeben..." @@ -3694,7 +3890,7 @@ msgstr "Das generierte Artefakt konnte nicht geladen werden. Bitte versuchen Sie msgid "Unable to process this chunk" msgstr "Dieser Teil kann nicht verarbeitet werden" -#: src/routes/project/chat/ProjectChatRoute.tsx:408 +#: src/routes/project/chat/ProjectChatRoute.tsx:419 msgid "Undo" msgstr "Rückgängig" @@ -3702,6 +3898,10 @@ msgstr "Rückgängig" msgid "Unknown" msgstr "Unbekannt" +#: src/components/conversation/SelectAllConfirmationModal.tsx:132 +msgid "Unknown reason" +msgstr "Unbekannter Grund" + #: src/components/announcement/AnnouncementDrawerHeader.tsx:39 msgid "unread announcement" msgstr "ungelesene Ankündigung" @@ -3749,7 +3949,7 @@ msgstr "Upgrade auf Auto-select und analysieren Sie 10x mehr Gespräche in der H #: src/components/project/ProjectUploadSection.tsx:15 #: src/components/dropzone/UploadConversationDropzone.tsx:504 -#: src/components/conversation/ConversationAccordion.tsx:404 +#: src/components/conversation/ConversationAccordion.tsx:409 msgid "Upload" msgstr "Hochladen" @@ -3792,8 +3992,8 @@ msgstr "Audio-Dateien werden hochgeladen..." msgid "Use PII Redaction" msgstr "PII Redaction verwenden" -#: src/routes/project/chat/ProjectChatRoute.tsx:715 -#: src/routes/project/chat/ProjectChatRoute.tsx:745 +#: src/routes/project/chat/ProjectChatRoute.tsx:729 +#: src/routes/project/chat/ProjectChatRoute.tsx:759 msgid "Use Shift + Enter to add a new line" msgstr "Verwenden Sie Shift + Enter, um eine neue Zeile hinzuzufügen" @@ -3804,7 +4004,17 @@ msgstr "Verwenden Sie Shift + Enter, um eine neue Zeile hinzuzufügen" #~ msgstr "verified" #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:1176 +#: src/components/conversation/SelectAllConfirmationModal.tsx:111 +msgid "select.all.modal.verified" +msgstr "Verifiziert" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:431 +msgid "select.all.modal.loading.verified" +msgstr "Verifiziert" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationAccordion.tsx:1333 msgid "conversation.filters.verified.text" msgstr "Verifiziert" @@ -3814,7 +4024,7 @@ msgstr "Verifiziert" #~ msgid "Verified Artefacts" #~ msgstr "Verified Artefacts" -#: src/components/conversation/ConversationAccordion.tsx:555 +#: src/components/conversation/ConversationAccordion.tsx:579 msgid "verified artifacts" msgstr "verifizierte Artefakte" @@ -3920,7 +4130,7 @@ msgstr "Welcome back" #~ 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 "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“." -#: src/routes/project/chat/ProjectChatRoute.tsx:506 +#: src/routes/project/chat/ProjectChatRoute.tsx:517 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 "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." @@ -3931,7 +4141,7 @@ msgstr "Willkommen bei Dembrane!" #~ 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 "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." -#: src/routes/project/chat/ProjectChatRoute.tsx:505 +#: src/routes/project/chat/ProjectChatRoute.tsx:516 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 "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“." @@ -3972,6 +4182,11 @@ msgstr "Was willst du dir anschauen?" msgid "will be included in your report" msgstr "wird in Ihrem Bericht enthalten sein" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:52 +msgid "add.tag.filter.modal.description" +msgstr "Möchten Sie dieses Tag zu Ihren aktuellen Filtern hinzufügen?" + #. js-lingui-explicit-id #: src/components/participant/ParticipantConversationText.tsx:177 msgid "participant.button.finish.yes.text.mode" @@ -3993,6 +4208,15 @@ msgstr "Sie können nur bis zu {MAX_FILES} Dateien gleichzeitig hochladen. Nur d #~ msgid "You can still use the Ask feature to chat with any conversation" #~ msgstr "Sie können die Frage-Funktion immer noch verwenden, um mit jedem Gespräch zu chatten" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:237 +msgid "select.all.modal.already.added" +msgstr "Sie haben bereits <0>{existingContextCount, plural, one {# Unterhaltung} other {# Unterhaltungen}} zu diesem Chat hinzugefügt." + +#: src/components/conversation/ConversationAccordion.tsx:1364 +msgid "You have already added all the conversations related to this" +msgstr "Sie haben bereits alle damit verbundenen Unterhaltungen hinzugefügt" + #. js-lingui-explicit-id #: src/components/participant/MicrophoneTest.tsx:391 msgid "participant.modal.change.mic.confirmation.text" diff --git a/echo/frontend/src/locales/de-DE.ts b/echo/frontend/src/locales/de-DE.ts index 934f98a4..0f1feb48 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\"],\"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 +/*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)\"],\"e6iRhF\":[[\"0\",\"plural\",{\"one\":[\"#\",\" Tag\"],\"other\":[\"#\",\" Tags\"]}]],\"select.all.modal.tags\":[[\"0\",\"plural\",{\"one\":[\"Tag:\"],\"other\":[\"Tags:\"]}]],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" bereit\"],\"select.all.modal.added.count\":[[\"0\"],\" hinzugefügt\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Gespräche • Bearbeitet \",[\"1\"]],\"select.all.modal.not.added.count\":[[\"0\"],\" nicht hinzugefügt\"],\"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.*\"],\"ynBObK\":[\"+\",[\"hiddenCount\"],\" Unterhaltungen\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Warte \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspekte\"],\"DX/Wkz\":[\"Konto-Passwort\"],\"L5gswt\":[\"Aktion von\"],\"UQXw0W\":[\"Aktion am\"],\"7L01XJ\":[\"Aktionen\"],\"select.all.modal.loading.filters\":[\"Aktive Filter\"],\"m16xKo\":[\"Hinzufügen\"],\"1m+3Z3\":[\"Zusätzlichen Kontext hinzufügen (Optional)\"],\"Se1KZw\":[\"Alle zutreffenden hinzufügen\"],\"select.all.modal.title.add\":[\"Unterhaltungen zum Kontext 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\"],\"add.tag.filter.modal.title\":[\"Tag zu Filtern hinzufügen\"],\"IKoyMv\":[\"Tags hinzufügen\"],\"add.tag.filter.modal.add\":[\"Zu Filtern hinzufügen\"],\"NffMsn\":[\"Zu diesem Chat hinzufügen\"],\"select.all.modal.added\":[\"Hinzugefügt\"],\"Na90E+\":[\"Hinzugefügte E-Mails\"],\"select.all.modal.add.without.filters\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" Unterhaltung\"],\"other\":[\"#\",\" Unterhaltungen\"]}],\" zum Chat hinzufügen\"],\"select.all.modal.add.with.filters\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" Unterhaltung\"],\"other\":[\"#\",\" Unterhaltungen\"]}],\" mit den folgenden Filtern hinzufügen:\"],\"select.all.modal.add.without.filters.more\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" weitere Unterhaltung\"],\"other\":[\"#\",\" weitere Unterhaltungen\"]}],\" hinzufügen\"],\"select.all.modal.add.with.filters.more\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" weitere Unterhaltung\"],\"other\":[\"#\",\" weitere Unterhaltungen\"]}],\" mit den folgenden Filtern hinzufügen:\"],\"SJCAsQ\":[\"Kontext wird hinzugefügt:\"],\"select.all.modal.loading.title\":[\"Unterhaltungen werden hinzugefügt\"],\"OaKXud\":[\"Erweitert (Tipps und best practices)\"],\"TBpbDp\":[\"Erweitert (Tipps und Tricks)\"],\"JiIKww\":[\"Erweiterte Einstellungen\"],\"cF7bEt\":[\"Alle Aktionen\"],\"O1367B\":[\"Alle Sammlungen\"],\"gvykaX\":[\"Alle Unterhaltungen\"],\"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\"],\"xNyrs1\":[\"Bereits im Kontext\"],\"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?\"],\"select.all.modal.cancel\":[\"Abbrechen\"],\"add.tag.filter.modal.cancel\":[\"Abbrechen\"],\"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.\"],\"jcSz6S\":[\"Klicken, um alle \",[\"totalCount\"],\" Unterhaltungen anzuzeigen\"],\"BPrdpc\":[\"Projekt klonen\"],\"9U86tL\":[\"Projekt klonen\"],\"select.all.modal.close\":[\"Schließen\"],\"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:\"],\"select.all.modal.context.limit\":[\"Kontextlimit\"],\"aVvy3Y\":[\"Kontextlimit erreicht\"],\"select.all.modal.context.limit.reached\":[\"Kontextlimit wurde erreicht. Einige Unterhaltungen konnten nicht hinzugefügt werden.\"],\"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\"],\"4kVRov\":[\"Fehler aufgetreten\"],\"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\"]],\"g5wCZj\":[\"Fehler beim Hinzufügen von Unterhaltungen zum Kontext\"],\"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.\"],\"select.all.modal.no.conversations\":[\"Es wurden keine Unterhaltungen verarbeitet. Dies kann passieren, wenn alle Unterhaltungen bereits im Kontext sind oder nicht den ausgewählten Filtern entsprechen.\"],\"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.\"],\"select.all.modal.not.added\":[\"Nicht hinzugefügt\"],\"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\"],\"select.all.modal.proceed\":[\"Fortfahren\"],\"qAGp2O\":[\"Fortfahren\"],\"stk3Hv\":[\"verarbeitet\"],\"vrnnn9\":[\"Verarbeitet\"],\"select.all.modal.loading.description\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" Unterhaltung\"],\"other\":[\"#\",\" Unterhaltungen\"]}],\" werden verarbeitet und zu Ihrem Chat hinzugefügt\"],\"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\"],\"select.all.modal.loading.search\":[\"Suchen\"],\"A1taO8\":[\"Suchen\"],\"OWm+8o\":[\"Gespräche suchen\"],\"blFttG\":[\"Projekte suchen\"],\"I0hU01\":[\"Projekte suchen\"],\"RVZJWQ\":[\"Projekte suchen...\"],\"lnWve4\":[\"Tags suchen\"],\"pECIKL\":[\"Vorlagen suchen...\"],\"select.all.modal.search.text\":[\"Suchtext:\"],\"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\"],\"wgNoIs\":[\"Alle auswählen\"],\"+fRipn\":[\"Alle auswählen (\",[\"remainingCount\"],\")\"],\"select.all.modal.title.results\":[\"Alle Ergebnisse 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.\"],\"select.all.modal.skip.reason\":[\"einige könnten aufgrund von leerem Transkript oder Kontextlimit übersprungen werden\"],\"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.\"],\"select.all.modal.other.reason.description\":[\"Diese Unterhaltungen wurden aufgrund fehlender Transkripte ausgeschlossen.\"],\"select.all.modal.context.limit.reached.description\":[\"Diese Unterhaltungen wurden übersprungen, da das Kontextlimit erreicht wurde.\"],\"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.\"],\"add.tag.filter.modal.info\":[\"Dies filtert die Unterhaltungsliste, um Unterhaltungen mit diesem Tag anzuzeigen.\"],\"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\"],\"yIsdT7\":[\"Zu lang\"],\"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\"],\"1MTTTw\":[\"Unbekannter Grund\"],\"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\"],\"select.all.modal.verified\":[\"Verifiziert\"],\"select.all.modal.loading.verified\":[\"Verifiziert\"],\"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\"],\"add.tag.filter.modal.description\":[\"Möchten Sie dieses Tag zu Ihren aktuellen Filtern hinzufügen?\"],\"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\"],\"select.all.modal.already.added\":[\"Sie haben bereits <0>\",[\"existingContextCount\",\"plural\",{\"one\":[\"#\",\" Unterhaltung\"],\"other\":[\"#\",\" Unterhaltungen\"]}],\" zu diesem Chat hinzugefügt.\"],\"7W35AW\":[\"Sie haben bereits alle damit verbundenen Unterhaltungen hinzugefügt\"],\"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 9fea8a81..f7e7e513 100644 --- a/echo/frontend/src/locales/en-US.po +++ b/echo/frontend/src/locales/en-US.po @@ -339,10 +339,21 @@ msgstr "\"Refine\" available soon" #~ msgid "(for enhanced audio processing)" #~ msgstr "(for enhanced audio processing)" +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:415 +msgid "{0, plural, one {# tag} other {# tags}}" +msgstr "{0, plural, one {# tag} other {# tags}}" + +#. js-lingui-explicit-id +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:82 +msgid "select.all.modal.tags" +msgstr "{0, plural, one {Tag:} other {Tags:}}" + #. placeholder {0}: isAssistantTyping ? "Assistant is typing..." : "Thinking..." #. placeholder {0}: selectedOption.transitionMessage #. placeholder {0}: selectedOption.transitionDescription -#: src/routes/project/chat/ProjectChatRoute.tsx:559 +#: src/routes/project/chat/ProjectChatRoute.tsx:570 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 #: src/components/project/ProjectPortalEditor.tsx:433 @@ -354,6 +365,12 @@ msgstr "{0}" #~ msgid "{0} {1} ready" #~ msgstr "{0} {1} ready" +#. js-lingui-explicit-id +#. placeholder {0}: result.added.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:449 +msgid "select.all.modal.added.count" +msgstr "{0} added" + #: src/components/project/ProjectCard.tsx:35 #: src/components/project/ProjectListItem.tsx:34 #~ msgid "{0} Conversation{1} • Edited {2}" @@ -368,6 +385,12 @@ msgstr "{0}" msgid "{0} Conversations • Edited {1}" msgstr "{0} Conversations • Edited {1}" +#. js-lingui-explicit-id +#. placeholder {0}: reallySkipped.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:455 +msgid "select.all.modal.not.added.count" +msgstr "{0} not added" + #: src/components/chat/ChatModeBanner.tsx:61 msgid "{conversationCount} selected" msgstr "{conversationCount} selected" @@ -406,6 +429,10 @@ msgstr "{unfinishedConversationsCount} still processing." msgid "*Transcription in progress.*" msgstr "*Transcription in progress.*" +#: src/components/conversation/ConversationLinks.tsx:167 +msgid "+{hiddenCount} conversations" +msgstr "+{hiddenCount} conversations" + #: src/routes/project/conversation/ProjectConversationTranscript.tsx:597 #~ msgid "+5s" #~ msgstr "+5s" @@ -435,6 +462,11 @@ msgstr "Action On" msgid "Actions" msgstr "Actions" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:400 +msgid "select.all.modal.loading.filters" +msgstr "Active filters" + #: src/routes/participant/ParticipantPostConversation.tsx:179 msgid "Add" msgstr "Add" @@ -447,6 +479,11 @@ msgstr "Add additional context (Optional)" msgid "Add all that apply" msgstr "Add all that apply" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:215 +msgid "select.all.modal.title.add" +msgstr "Add Conversations to Context" + #: 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." @@ -459,22 +496,62 @@ msgstr "Add new recordings to this project. Files you upload here will be proces msgid "Add Tag" msgstr "Add Tag" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:40 +msgid "add.tag.filter.modal.title" +msgstr "Add Tag to Filters" + #: src/components/project/ProjectTagsInput.tsx:257 msgid "Add Tags" msgstr "Add Tags" -#: src/components/conversation/ConversationAccordion.tsx:154 +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:84 +msgid "add.tag.filter.modal.add" +msgstr "Add to Filters" + +#: src/components/conversation/ConversationAccordion.tsx:159 msgid "Add to this chat" msgstr "Add to this chat" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:495 +msgid "select.all.modal.added" +msgstr "Added" + #: src/routes/participant/ParticipantPostConversation.tsx:187 msgid "Added emails" msgstr "Added emails" -#: src/routes/project/chat/ProjectChatRoute.tsx:655 +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:268 +msgid "select.all.modal.add.without.filters" +msgstr "Adding <0>{totalCount, plural, one {# conversation} other {# conversations}} to the chat" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:256 +msgid "select.all.modal.add.with.filters" +msgstr "Adding <0>{totalCount, plural, one {# conversation} other {# conversations}} with the following filters:" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:295 +msgid "select.all.modal.add.without.filters.more" +msgstr "Adding <0>{totalCount, plural, one {# more conversation} other {# more conversations}}" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:283 +msgid "select.all.modal.add.with.filters.more" +msgstr "Adding <0>{totalCount, plural, one {# more conversation} other {# more conversations}} with the following filters:" + +#: src/routes/project/chat/ProjectChatRoute.tsx:669 msgid "Adding Context:" msgstr "Adding Context:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:364 +msgid "select.all.modal.loading.title" +msgstr "Adding Conversations" + #: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Advanced (Tips and best practices)" @@ -495,6 +572,10 @@ msgstr "All actions" msgid "All collections" msgstr "All collections" +#: src/components/conversation/ConversationLinks.tsx:81 +msgid "All Conversations" +msgstr "All Conversations" + #: src/components/report/CreateReportForm.tsx:113 #~ msgid "All conversations ready" #~ msgstr "All conversations ready" @@ -515,10 +596,14 @@ msgstr "Allow participants using the link to start new conversations" msgid "Almost there" msgstr "Almost there" -#: src/components/conversation/ConversationAccordion.tsx:149 +#: src/components/conversation/ConversationAccordion.tsx:154 msgid "Already added to this chat" msgstr "Already added to this chat" +#: src/components/conversation/SelectAllConfirmationModal.tsx:122 +msgid "Already in context" +msgstr "Already in context" + #. placeholder {0}: participantCount !== undefined ? participantCount : t`loading...` #. placeholder {1}: participantCount === 1 ? "" : "s" #: src/routes/project/report/ProjectReportRoute.tsx:321 @@ -533,7 +618,7 @@ msgstr "An email notification will be sent to {0} participant{1}. Do you want to 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:608 msgid "An error occurred." msgstr "An error occurred." @@ -732,11 +817,11 @@ msgstr "Authenticator code" msgid "Auto-select" msgstr "Auto-select" -#: src/components/conversation/hooks/index.ts:547 +#: src/components/conversation/hooks/index.ts:548 msgid "Auto-select disabled" msgstr "Auto-select disabled" -#: src/components/conversation/hooks/index.ts:405 +#: src/components/conversation/hooks/index.ts:406 msgid "Auto-select enabled" msgstr "Auto-select enabled" @@ -814,6 +899,16 @@ msgstr "Brainstorm Ideas" 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?" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:326 +msgid "select.all.modal.cancel" +msgstr "Cancel" + +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:81 +msgid "add.tag.filter.modal.cancel" +msgstr "Cancel" + #: src/routes/project/report/ProjectReportRoute.tsx:332 #: src/components/settings/TwoFactorSettingsCard.tsx:406 #: src/components/project/ProjectDangerZone.tsx:137 @@ -821,7 +916,7 @@ msgstr "By deleting this project, you will delete all the data associated with i #: src/components/dropzone/UploadConversationDropzone.tsx:686 #: src/components/dropzone/UploadConversationDropzone.tsx:806 #: src/components/conversation/MoveConversationButton.tsx:208 -#: src/components/conversation/ConversationAccordion.tsx:329 +#: src/components/conversation/ConversationAccordion.tsx:334 msgid "Cancel" msgstr "Cancel" @@ -840,7 +935,7 @@ msgstr "Cancel" msgid "participant.concrete.instructions.button.cancel" msgstr "Cancel" -#: src/components/conversation/ConversationAccordion.tsx:151 +#: src/components/conversation/ConversationAccordion.tsx:156 msgid "Cannot add empty conversation" msgstr "Cannot add empty conversation" @@ -856,12 +951,12 @@ msgstr "Changes will be saved automatically" 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:489 +#: src/routes/project/chat/ProjectChatRoute.tsx:494 msgid "Chat" msgstr "Chat" -#: src/routes/project/chat/ProjectChatRoute.tsx:276 +#: src/routes/project/chat/ProjectChatRoute.tsx:281 msgid "Chat | Dembrane" msgstr "Chat | Dembrane" @@ -908,6 +1003,10 @@ msgstr "Choose your preferred theme for the interface" 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/conversation/ConversationLinks.tsx:156 +msgid "Click to see all {totalCount} conversations" +msgstr "Click to see all {totalCount} conversations" + #: src/components/project/ProjectDangerZone.tsx:143 msgid "Clone project" msgstr "Clone project" @@ -917,7 +1016,13 @@ msgstr "Clone project" msgid "Clone Project" msgstr "Clone Project" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:660 +msgid "select.all.modal.close" +msgstr "Close" + #: src/components/dropzone/UploadConversationDropzone.tsx:806 +#: src/components/conversation/ConversationLinks.tsx:107 msgid "Close" msgstr "Close" @@ -992,6 +1097,20 @@ msgstr "Context" msgid "Context added:" msgstr "Context added:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:533 +msgid "select.all.modal.context.limit" +msgstr "Context limit" + +#: src/components/conversation/SelectAllConfirmationModal.tsx:124 +msgid "Context limit reached" +msgstr "Context limit reached" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:467 +msgid "select.all.modal.context.limit.reached" +msgstr "Context limit was reached. Some conversations could not be added." + #. js-lingui-explicit-id #: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 @@ -1007,7 +1126,7 @@ msgstr "Continue" #~ msgid "conversation" #~ msgstr "conversation" -#: src/components/conversation/hooks/index.ts:406 +#: src/components/conversation/hooks/index.ts:407 msgid "Conversation added to chat" msgstr "Conversation added to chat" @@ -1028,7 +1147,7 @@ msgstr "Conversation Ended" #~ msgid "Conversation processing" #~ msgstr "Conversation processing" -#: src/components/conversation/hooks/index.ts:548 +#: src/components/conversation/hooks/index.ts:549 msgid "Conversation removed from chat" msgstr "Conversation removed from chat" @@ -1045,7 +1164,7 @@ msgstr "Conversation Status Details" msgid "conversations" msgstr "conversations" -#: src/components/conversation/ConversationAccordion.tsx:899 +#: src/components/conversation/ConversationAccordion.tsx:1052 msgid "Conversations" msgstr "Conversations" @@ -1202,8 +1321,8 @@ msgstr "Deleted successfully" #~ msgid "Dembrane ECHO" #~ msgstr "Dembrane ECHO" -#: src/routes/project/chat/ProjectChatRoute.tsx:718 -#: src/routes/project/chat/ProjectChatRoute.tsx:748 +#: src/routes/project/chat/ProjectChatRoute.tsx:732 +#: src/routes/project/chat/ProjectChatRoute.tsx:762 msgid "Dembrane is powered by AI. Please double-check responses." msgstr "Dembrane is powered by AI. Please double-check responses." @@ -1527,6 +1646,10 @@ msgstr "Error loading project" #~ msgid "Error loading quotes" #~ msgstr "Error loading quotes" +#: src/components/conversation/SelectAllConfirmationModal.tsx:130 +msgid "Error occurred" +msgstr "Error occurred" + #: src/components/report/UpdateReportModalButton.tsx:80 msgid "Error updating report" msgstr "Error updating report" @@ -1574,15 +1697,20 @@ msgstr "Export" msgid "Failed" msgstr "Failed" -#: src/components/conversation/hooks/index.ts:328 +#: src/components/conversation/hooks/index.ts:329 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 +#: src/components/conversation/hooks/index.ts:321 msgid "Failed to add conversation to chat{0}" msgstr "Failed to add conversation to chat{0}" +#: src/components/conversation/ConversationAccordion.tsx:933 +#: src/components/conversation/ConversationAccordion.tsx:949 +msgid "Failed to add conversations to context" +msgstr "Failed to add conversations to context" + #: src/components/participant/verify/VerifyArtefact.tsx:136 msgid "Failed to approve artefact. Please try again." msgstr "Failed to approve artefact. Please try again." @@ -1599,13 +1727,13 @@ msgstr "Failed to copy transcript. Please try again." msgid "Failed to delete response" msgstr "Failed to delete response" -#: src/components/conversation/hooks/index.ts:475 -#: src/components/conversation/hooks/index.ts:481 +#: src/components/conversation/hooks/index.ts:476 +#: src/components/conversation/hooks/index.ts:482 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 +#: src/components/conversation/hooks/index.ts:325 +#: src/components/conversation/hooks/index.ts:331 msgid "Failed to enable Auto Select for this chat" msgstr "Failed to enable Auto Select for this chat" @@ -1660,16 +1788,16 @@ msgstr "Failed to regenerate the summary. Please try again later." msgid "Failed to reload. Please try again." msgstr "Failed to reload. Please try again." -#: src/components/conversation/hooks/index.ts:479 +#: src/components/conversation/hooks/index.ts:480 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 +#: src/components/conversation/hooks/index.ts:472 msgid "Failed to remove conversation from chat{0}" msgstr "Failed to remove conversation from chat{0}" -#: src/components/conversation/hooks/index.ts:610 +#: src/components/conversation/hooks/index.ts:647 msgid "Failed to retranscribe conversation. Please try again." msgstr "Failed to retranscribe conversation. Please try again." @@ -1857,7 +1985,7 @@ msgstr "Go to new conversation" #~ msgid "Grid view" #~ msgstr "Grid view" -#: src/components/conversation/ConversationAccordion.tsx:551 +#: src/components/conversation/ConversationAccordion.tsx:575 msgid "Has verified artifacts" msgstr "Has verified artifacts" @@ -2171,8 +2299,8 @@ msgstr "Loading transcript..." msgid "loading..." msgstr "loading..." -#: src/components/conversation/ConversationAccordion.tsx:108 -#: src/components/conversation/hooks/index.ts:369 +#: src/components/conversation/ConversationAccordion.tsx:113 +#: src/components/conversation/hooks/index.ts:370 msgid "Loading..." msgstr "Loading..." @@ -2196,7 +2324,7 @@ msgstr "Login as an existing user" msgid "Logout" msgstr "Logout" -#: src/components/conversation/ConversationAccordion.tsx:617 +#: src/components/conversation/ConversationAccordion.tsx:642 msgid "Longest First" msgstr "Longest First" @@ -2245,12 +2373,12 @@ msgid "More templates" msgstr "More templates" #: src/components/conversation/MoveConversationButton.tsx:218 -#: src/components/conversation/ConversationAccordion.tsx:339 +#: src/components/conversation/ConversationAccordion.tsx:344 msgid "Move" msgstr "Move" #: src/components/conversation/MoveConversationButton.tsx:138 -#: src/components/conversation/ConversationAccordion.tsx:260 +#: src/components/conversation/ConversationAccordion.tsx:265 msgid "Move Conversation" msgstr "Move Conversation" @@ -2258,7 +2386,7 @@ msgstr "Move Conversation" msgid "Move to Another Project" msgstr "Move to Another Project" -#: src/components/conversation/ConversationAccordion.tsx:257 +#: src/components/conversation/ConversationAccordion.tsx:262 msgid "Move to Project" msgstr "Move to Project" @@ -2267,11 +2395,11 @@ msgstr "Move to Project" msgid "Name" msgstr "Name" -#: src/components/conversation/ConversationAccordion.tsx:615 +#: src/components/conversation/ConversationAccordion.tsx:640 msgid "Name A-Z" msgstr "Name A-Z" -#: src/components/conversation/ConversationAccordion.tsx:616 +#: src/components/conversation/ConversationAccordion.tsx:641 msgid "Name Z-A" msgstr "Name Z-A" @@ -2302,7 +2430,7 @@ msgstr "New Password" msgid "New Project" msgstr "New Project" -#: src/components/conversation/ConversationAccordion.tsx:613 +#: src/components/conversation/ConversationAccordion.tsx:638 msgid "Newest First" msgstr "Newest First" @@ -2364,9 +2492,9 @@ msgstr "No collections found" msgid "No concrete topics available." msgstr "No concrete topics available." -#: src/components/conversation/ConversationChunkAudioTranscript.tsx:355 -#~ msgid "No content" -#~ msgstr "No content" +#: src/components/conversation/SelectAllConfirmationModal.tsx:126 +msgid "No content" +msgstr "No content" #: src/routes/project/library/ProjectLibrary.tsx:151 msgid "No conversations available to create library" @@ -2385,10 +2513,15 @@ msgstr "No conversations available to create library. Please add some conversati msgid "No conversations found." msgstr "No conversations found." -#: src/components/conversation/ConversationAccordion.tsx:1211 +#: src/components/conversation/ConversationAccordion.tsx:1401 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." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:649 +msgid "select.all.modal.no.conversations" +msgstr "No conversations were processed. This may happen if all conversations are already in context or don't match the selected filters." + #: src/components/report/CreateReportForm.tsx:88 msgid "No conversations yet" msgstr "No conversations yet" @@ -2435,7 +2568,7 @@ msgid "No results" msgstr "No results" #: src/components/conversation/ConversationEdit.tsx:207 -#: src/components/conversation/ConversationAccordion.tsx:1158 +#: src/components/conversation/ConversationAccordion.tsx:1314 msgid "No tags found" msgstr "No tags found" @@ -2475,6 +2608,11 @@ msgstr "No verification topics are configured for this project." #~ msgid "No verification topics available." #~ msgstr "No verification topics available." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:514 +msgid "select.all.modal.not.added" +msgstr "Not Added" + #: src/routes/project/library/ProjectLibrary.tsx:149 msgid "Not available" msgstr "Not available" @@ -2483,7 +2621,7 @@ msgstr "Not available" #~ msgid "Now" #~ msgstr "Now" -#: src/components/conversation/ConversationAccordion.tsx:614 +#: src/components/conversation/ConversationAccordion.tsx:639 msgid "Oldest First" msgstr "Oldest First" @@ -2498,7 +2636,7 @@ 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 +#: src/components/conversation/ConversationAccordion.tsx:609 msgid "conversation.ongoing" msgstr "Ongoing" @@ -2549,8 +2687,8 @@ msgstr "Open troubleshooting guide" 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 +#: src/components/conversation/ConversationAccordion.tsx:1100 +#: src/components/conversation/ConversationAccordion.tsx:1107 msgid "Options" msgstr "Options" @@ -2693,7 +2831,7 @@ msgstr "Please select a language for your updated report" #~ msgid "Please select at least one source" #~ msgstr "Please select at least one source" -#: src/routes/project/chat/ProjectChatRoute.tsx:644 +#: src/routes/project/chat/ProjectChatRoute.tsx:658 msgid "Please select conversations from the sidebar to proceed" msgstr "Please select conversations from the sidebar to proceed" @@ -2764,6 +2902,11 @@ msgstr "Print this report" msgid "Privacy Statements" msgstr "Privacy Statements" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:329 +msgid "select.all.modal.proceed" +msgstr "Proceed" + #: src/routes/project/report/ProjectReportRoute.tsx:335 msgid "Proceed" msgstr "Proceed" @@ -2776,6 +2919,11 @@ msgstr "Proceed" #~ msgid "Processing" #~ msgstr "Processing" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:375 +msgid "select.all.modal.loading.description" +msgstr "Processing <0>{totalCount, plural, one {# conversation} other {# conversations}} and adding them to your chat" + #: 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." @@ -2813,7 +2961,7 @@ msgstr "Project name" 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 +#: src/routes/project/chat/NewChatRoute.tsx:65 msgid "Project not found" msgstr "Project not found" @@ -2995,7 +3143,7 @@ msgstr "Remove Email" msgid "Remove file" msgstr "Remove file" -#: src/components/conversation/ConversationAccordion.tsx:153 +#: src/components/conversation/ConversationAccordion.tsx:158 msgid "Remove from this chat" msgstr "Remove from this chat" @@ -3079,8 +3227,8 @@ msgstr "Reset Password" msgid "Reset Password | Dembrane" msgstr "Reset Password | Dembrane" -#: src/components/conversation/ConversationAccordion.tsx:1179 -#: src/components/conversation/ConversationAccordion.tsx:1184 +#: src/components/conversation/ConversationAccordion.tsx:1338 +#: src/components/conversation/ConversationAccordion.tsx:1343 msgid "Reset to default" msgstr "Reset to default" @@ -3113,7 +3261,7 @@ msgstr "Retranscribe Conversation" 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:616 msgid "Retry" msgstr "Retry" @@ -3172,11 +3320,16 @@ msgstr "Scan the QR code or copy the secret into your app." msgid "Scroll to bottom" msgstr "Scroll to bottom" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:408 +msgid "select.all.modal.loading.search" +msgstr "Search" + #: src/components/conversation/MoveConversationButton.tsx:143 msgid "Search" msgstr "Search" -#: src/components/conversation/ConversationAccordion.tsx:941 +#: src/components/conversation/ConversationAccordion.tsx:1094 msgid "Search conversations" msgstr "Search conversations" @@ -3184,16 +3337,16 @@ msgstr "Search conversations" msgid "Search projects" msgstr "Search projects" -#: src/components/conversation/ConversationAccordion.tsx:270 +#: src/components/conversation/ConversationAccordion.tsx:275 msgid "Search Projects" msgstr "Search Projects" #: src/components/conversation/MoveConversationButton.tsx:144 -#: src/components/conversation/ConversationAccordion.tsx:274 +#: src/components/conversation/ConversationAccordion.tsx:279 msgid "Search projects..." msgstr "Search projects..." -#: src/components/conversation/ConversationAccordion.tsx:1077 +#: src/components/conversation/ConversationAccordion.tsx:1233 msgid "Search tags" msgstr "Search tags" @@ -3201,6 +3354,11 @@ msgstr "Search tags" msgid "Search templates..." msgstr "Search templates..." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:69 +msgid "select.all.modal.search.text" +msgstr "Search text:" + #: src/components/chat/SourcesSearched.tsx:13 msgid "Searched through the most relevant sources" msgstr "Searched through the most relevant sources" @@ -3229,6 +3387,19 @@ msgstr "See you soon" msgid "Select a microphone" msgstr "Select a microphone" +#: src/components/conversation/ConversationAccordion.tsx:1381 +msgid "Select all" +msgstr "Select all" + +#: src/components/conversation/ConversationAccordion.tsx:1379 +msgid "Select all ({remainingCount})" +msgstr "Select all ({remainingCount})" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:211 +msgid "select.all.modal.title.results" +msgstr "Select All Results" + #: src/components/dropzone/UploadConversationDropzone.tsx:519 msgid "Select Audio Files to Upload" msgstr "Select Audio Files to Upload" @@ -3241,7 +3412,7 @@ msgstr "Select conversations and find exact quotes" msgid "Select conversations from sidebar" msgstr "Select conversations from sidebar" -#: src/components/conversation/ConversationAccordion.tsx:294 +#: src/components/conversation/ConversationAccordion.tsx:299 msgid "Select Project" msgstr "Select Project" @@ -3285,7 +3456,7 @@ msgstr "Selected Files ({0}/{MAX_FILES})" msgid "participant.selected.microphone" msgstr "Selected microphone:" -#: src/routes/project/chat/ProjectChatRoute.tsx:738 +#: src/routes/project/chat/ProjectChatRoute.tsx:752 msgid "Send" msgstr "Send" @@ -3338,7 +3509,7 @@ msgstr "Share your voice" 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 +#: src/components/conversation/ConversationAccordion.tsx:643 msgid "Shortest First" msgstr "Shortest First" @@ -3424,6 +3595,11 @@ msgstr "Skip data privacy slide (Host manages legal base)" msgid "Some files were already selected and won't be added twice." msgstr "Some files were already selected and won't be added twice." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:317 +msgid "select.all.modal.skip.reason" +msgstr "some might skip due to empty transcript or context limit" + #: src/routes/auth/Login.tsx:158 #: src/components/participant/ParticipantInitiateForm.tsx:84 #: src/components/conversation/ConversationEdit.tsx:144 @@ -3470,8 +3646,8 @@ msgstr "Something went wrong. Please try again." 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 +#: src/components/conversation/ConversationAccordion.tsx:1156 +#: src/components/conversation/ConversationAccordion.tsx:1163 msgid "Sort" msgstr "Sort" @@ -3532,7 +3708,7 @@ msgstr "Start over" msgid "Status" msgstr "Status" -#: src/routes/project/chat/ProjectChatRoute.tsx:570 +#: src/routes/project/chat/ProjectChatRoute.tsx:581 msgid "Stop" msgstr "Stop" @@ -3616,8 +3792,8 @@ 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 +#: src/components/conversation/ConversationAccordion.tsx:1223 +#: src/components/conversation/ConversationAccordion.tsx:1226 msgid "Tags" msgstr "Tags" @@ -3634,7 +3810,7 @@ msgstr "Take some time to create an outcome that makes your contribution concret 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:417 msgid "Template applied" msgstr "Template applied" @@ -3642,7 +3818,7 @@ msgstr "Template applied" msgid "Templates" msgstr "Templates" -#: src/components/conversation/ConversationAccordion.tsx:410 +#: src/components/conversation/ConversationAccordion.tsx:415 msgid "Text" msgstr "Text" @@ -3752,6 +3928,16 @@ msgstr "There was an error verifying your email. Please try again." #~ 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." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:611 +msgid "select.all.modal.other.reason.description" +msgstr "These conversations were excluded due to missing transcripts." + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:571 +msgid "select.all.modal.context.limit.reached.description" +msgstr "These conversations were skipped because the context limit was reached." + #: 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." @@ -3873,6 +4059,11 @@ msgstr "This will create a copy of the current project. Only settings and tags a 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/conversation/AddTagFilterModal.tsx:72 +msgid "add.tag.filter.modal.info" +msgstr "This will filter the conversation list to show conversations with this tag." + #. js-lingui-explicit-id #: src/components/participant/verify/VerifyArtefact.tsx:308 msgid "participant.concrete.regenerating.artefact.description" @@ -3911,6 +4102,10 @@ msgstr "To assign a new tag, please create it first in the project overview." 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/conversation/SelectAllConfirmationModal.tsx:128 +msgid "Too long" +msgstr "Too long" + #: src/components/view/CreateViewForm.tsx:123 msgid "Topics" msgstr "Topics" @@ -4054,7 +4249,7 @@ msgstr "Two-factor authentication enabled" msgid "Type" msgstr "Type" -#: src/routes/project/chat/ProjectChatRoute.tsx:693 +#: src/routes/project/chat/ProjectChatRoute.tsx:707 msgid "Type a message..." msgstr "Type a message..." @@ -4079,7 +4274,7 @@ msgstr "Unable to load the generated artefact. Please try again." msgid "Unable to process this chunk" msgstr "Unable to process this chunk" -#: src/routes/project/chat/ProjectChatRoute.tsx:408 +#: src/routes/project/chat/ProjectChatRoute.tsx:419 msgid "Undo" msgstr "Undo" @@ -4087,6 +4282,10 @@ msgstr "Undo" msgid "Unknown" msgstr "Unknown" +#: src/components/conversation/SelectAllConfirmationModal.tsx:132 +msgid "Unknown reason" +msgstr "Unknown reason" + #: src/components/announcement/AnnouncementDrawerHeader.tsx:39 msgid "unread announcement" msgstr "unread announcement" @@ -4134,7 +4333,7 @@ msgstr "Upgrade to unlock Auto-select and analyze 10x more conversations in half #: src/components/project/ProjectUploadSection.tsx:15 #: src/components/dropzone/UploadConversationDropzone.tsx:504 -#: src/components/conversation/ConversationAccordion.tsx:404 +#: src/components/conversation/ConversationAccordion.tsx:409 msgid "Upload" msgstr "Upload" @@ -4182,8 +4381,8 @@ msgstr "Uploading Audio Files..." msgid "Use PII Redaction" msgstr "Use PII Redaction" -#: src/routes/project/chat/ProjectChatRoute.tsx:715 -#: src/routes/project/chat/ProjectChatRoute.tsx:745 +#: src/routes/project/chat/ProjectChatRoute.tsx:729 +#: src/routes/project/chat/ProjectChatRoute.tsx:759 msgid "Use Shift + Enter to add a new line" msgstr "Use Shift + Enter to add a new line" @@ -4196,7 +4395,17 @@ msgstr "Use Shift + Enter to add a new line" #~ msgstr "verified" #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:1176 +#: src/components/conversation/SelectAllConfirmationModal.tsx:111 +msgid "select.all.modal.verified" +msgstr "Verified" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:431 +msgid "select.all.modal.loading.verified" +msgstr "Verified" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationAccordion.tsx:1333 msgid "conversation.filters.verified.text" msgstr "Verified" @@ -4208,7 +4417,7 @@ msgstr "Verified" #~ msgid "Verified Artefacts" #~ msgstr "Verified Artefacts" -#: src/components/conversation/ConversationAccordion.tsx:555 +#: src/components/conversation/ConversationAccordion.tsx:579 msgid "verified artifacts" msgstr "verified artifacts" @@ -4326,7 +4535,7 @@ msgstr "Welcome back" #~ 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:517 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." @@ -4338,7 +4547,7 @@ msgstr "Welcome to Dembrane!" #~ 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:516 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." @@ -4379,6 +4588,11 @@ msgstr "What would you like to explore?" msgid "will be included in your report" msgstr "will be included in your report" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:52 +msgid "add.tag.filter.modal.description" +msgstr "Would you like to add this tag to your current filters?" + #. js-lingui-explicit-id #: src/components/participant/ParticipantConversationText.tsx:177 msgid "participant.button.finish.yes.text.mode" @@ -4401,6 +4615,15 @@ msgstr "You can only upload up to {MAX_FILES} files at a time. Only the first {0 #~ 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/conversation/SelectAllConfirmationModal.tsx:237 +msgid "select.all.modal.already.added" +msgstr "You have already added <0>{existingContextCount, plural, one {# conversation} other {# conversations}} to this chat." + +#: src/components/conversation/ConversationAccordion.tsx:1364 +msgid "You have already added all the conversations related to this" +msgstr "You have already added all the conversations related to this" + #. js-lingui-explicit-id #: src/components/participant/MicrophoneTest.tsx:391 msgid "participant.modal.change.mic.confirmation.text" diff --git a/echo/frontend/src/locales/en-US.ts b/echo/frontend/src/locales/en-US.ts index 95fea668..ee63a420 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\"],\"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 +/*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)\"],\"e6iRhF\":[[\"0\",\"plural\",{\"one\":[\"#\",\" tag\"],\"other\":[\"#\",\" tags\"]}]],\"select.all.modal.tags\":[[\"0\",\"plural\",{\"one\":[\"Tag:\"],\"other\":[\"Tags:\"]}]],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" ready\"],\"select.all.modal.added.count\":[[\"0\"],\" added\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Edited \",[\"1\"]],\"select.all.modal.not.added.count\":[[\"0\"],\" not added\"],\"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.*\"],\"ynBObK\":[\"+\",[\"hiddenCount\"],\" conversations\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wait \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Account password\"],\"L5gswt\":[\"Action By\"],\"UQXw0W\":[\"Action On\"],\"7L01XJ\":[\"Actions\"],\"select.all.modal.loading.filters\":[\"Active filters\"],\"m16xKo\":[\"Add\"],\"1m+3Z3\":[\"Add additional context (Optional)\"],\"Se1KZw\":[\"Add all that apply\"],\"select.all.modal.title.add\":[\"Add Conversations to Context\"],\"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\"],\"add.tag.filter.modal.title\":[\"Add Tag to Filters\"],\"IKoyMv\":[\"Add Tags\"],\"add.tag.filter.modal.add\":[\"Add to Filters\"],\"NffMsn\":[\"Add to this chat\"],\"select.all.modal.added\":[\"Added\"],\"Na90E+\":[\"Added emails\"],\"select.all.modal.add.without.filters\":[\"Adding <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" to the chat\"],\"select.all.modal.add.with.filters\":[\"Adding <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" with the following filters:\"],\"select.all.modal.add.without.filters.more\":[\"Adding <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" more conversation\"],\"other\":[\"#\",\" more conversations\"]}],\"\"],\"select.all.modal.add.with.filters.more\":[\"Adding <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" more conversation\"],\"other\":[\"#\",\" more conversations\"]}],\" with the following filters:\"],\"SJCAsQ\":[\"Adding Context:\"],\"select.all.modal.loading.title\":[\"Adding Conversations\"],\"OaKXud\":[\"Advanced (Tips and best practices)\"],\"TBpbDp\":[\"Advanced (Tips and tricks)\"],\"JiIKww\":[\"Advanced Settings\"],\"cF7bEt\":[\"All actions\"],\"O1367B\":[\"All collections\"],\"gvykaX\":[\"All Conversations\"],\"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\"],\"xNyrs1\":[\"Already in context\"],\"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?\"],\"select.all.modal.cancel\":[\"Cancel\"],\"add.tag.filter.modal.cancel\":[\"Cancel\"],\"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.\"],\"jcSz6S\":[\"Click to see all \",[\"totalCount\"],\" conversations\"],\"BPrdpc\":[\"Clone project\"],\"9U86tL\":[\"Clone Project\"],\"select.all.modal.close\":[\"Close\"],\"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:\"],\"select.all.modal.context.limit\":[\"Context limit\"],\"aVvy3Y\":[\"Context limit reached\"],\"select.all.modal.context.limit.reached\":[\"Context limit was reached. Some conversations could not be 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\"],\"4kVRov\":[\"Error occurred\"],\"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\"]],\"g5wCZj\":[\"Failed to add conversations to context\"],\"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.\"],\"select.all.modal.no.conversations\":[\"No conversations were processed. This may happen if all conversations are already in context or don't match the selected filters.\"],\"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.\"],\"select.all.modal.not.added\":[\"Not Added\"],\"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\"],\"select.all.modal.proceed\":[\"Proceed\"],\"qAGp2O\":[\"Proceed\"],\"stk3Hv\":[\"processing\"],\"vrnnn9\":[\"Processing\"],\"select.all.modal.loading.description\":[\"Processing <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" and adding them to your chat\"],\"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\"],\"select.all.modal.loading.search\":[\"Search\"],\"A1taO8\":[\"Search\"],\"OWm+8o\":[\"Search conversations\"],\"blFttG\":[\"Search projects\"],\"I0hU01\":[\"Search Projects\"],\"RVZJWQ\":[\"Search projects...\"],\"lnWve4\":[\"Search tags\"],\"pECIKL\":[\"Search templates...\"],\"select.all.modal.search.text\":[\"Search text:\"],\"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\"],\"wgNoIs\":[\"Select all\"],\"+fRipn\":[\"Select all (\",[\"remainingCount\"],\")\"],\"select.all.modal.title.results\":[\"Select All Results\"],\"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.\"],\"select.all.modal.skip.reason\":[\"some might skip due to empty transcript or context limit\"],\"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.\"],\"select.all.modal.other.reason.description\":[\"These conversations were excluded due to missing transcripts.\"],\"select.all.modal.context.limit.reached.description\":[\"These conversations were skipped because the context limit was reached.\"],\"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.\"],\"add.tag.filter.modal.info\":[\"This will filter the conversation list to show conversations with this tag.\"],\"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\"],\"yIsdT7\":[\"Too long\"],\"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\"],\"1MTTTw\":[\"Unknown reason\"],\"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\"],\"select.all.modal.verified\":[\"Verified\"],\"select.all.modal.loading.verified\":[\"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\"],\"add.tag.filter.modal.description\":[\"Would you like to add this tag to your current filters?\"],\"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\"],\"select.all.modal.already.added\":[\"You have already added <0>\",[\"existingContextCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" to this chat.\"],\"7W35AW\":[\"You have already added all the conversations related to this\"],\"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 2a313abe..835e605c 100644 --- a/echo/frontend/src/locales/es-ES.po +++ b/echo/frontend/src/locales/es-ES.po @@ -103,10 +103,21 @@ msgstr "\"Refinar\" Disponible pronto" #~ msgid "(for enhanced audio processing)" #~ msgstr "(para procesamiento de audio mejorado)" +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:415 +msgid "{0, plural, one {# tag} other {# tags}}" +msgstr "{0, plural, one {# etiqueta} other {# etiquetas}}" + +#. js-lingui-explicit-id +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:82 +msgid "select.all.modal.tags" +msgstr "{0, plural, one {Etiqueta:} other {Etiquetas:}}" + #. placeholder {0}: isAssistantTyping ? "Assistant is typing..." : "Thinking..." #. placeholder {0}: selectedOption.transitionMessage #. placeholder {0}: selectedOption.transitionDescription -#: src/routes/project/chat/ProjectChatRoute.tsx:559 +#: src/routes/project/chat/ProjectChatRoute.tsx:570 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 #: src/components/project/ProjectPortalEditor.tsx:433 @@ -117,6 +128,12 @@ msgstr "{0}" #~ msgid "{0} {1} ready" #~ msgstr "{0} {1} listo" +#. js-lingui-explicit-id +#. placeholder {0}: result.added.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:449 +msgid "select.all.modal.added.count" +msgstr "{0} añadidas" + #. 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(), ) @@ -126,6 +143,12 @@ msgstr "{0}" msgid "{0} Conversations • Edited {1}" msgstr "{0} Conversaciones • Editado {1}" +#. js-lingui-explicit-id +#. placeholder {0}: reallySkipped.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:455 +msgid "select.all.modal.not.added.count" +msgstr "{0} no añadidas" + #: src/components/chat/ChatModeBanner.tsx:61 msgid "{conversationCount} selected" msgstr "{conversationCount} seleccionadas" @@ -160,6 +183,10 @@ msgstr "{0} aún en proceso." msgid "*Transcription in progress.*" msgstr "*Transcripción en progreso.*" +#: src/components/conversation/ConversationLinks.tsx:167 +msgid "+{hiddenCount} conversations" +msgstr "+{hiddenCount} conversaciones" + #~ msgid "+5s" #~ msgstr "+5s" @@ -186,6 +213,11 @@ msgstr "Acción sobre" msgid "Actions" msgstr "Acciones" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:400 +msgid "select.all.modal.loading.filters" +msgstr "Filtros activos" + #: src/routes/participant/ParticipantPostConversation.tsx:179 msgid "Add" msgstr "Añadir" @@ -198,6 +230,11 @@ msgstr "Añadir contexto adicional (Opcional)" msgid "Add all that apply" msgstr "Añade todos los que correspondan" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:215 +msgid "select.all.modal.title.add" +msgstr "Añadir conversaciones al contexto" + #: 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." @@ -210,22 +247,62 @@ msgstr "Añade nuevas grabaciones a este proyecto. Los archivos que subas aquí msgid "Add Tag" msgstr "Añadir Etiqueta" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:40 +msgid "add.tag.filter.modal.title" +msgstr "Añadir etiqueta a los filtros" + #: src/components/project/ProjectTagsInput.tsx:257 msgid "Add Tags" msgstr "Añadir Etiquetas" -#: src/components/conversation/ConversationAccordion.tsx:154 +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:84 +msgid "add.tag.filter.modal.add" +msgstr "Añadir a los filtros" + +#: src/components/conversation/ConversationAccordion.tsx:159 msgid "Add to this chat" msgstr "Añadir a este chat" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:495 +msgid "select.all.modal.added" +msgstr "Añadidas" + #: src/routes/participant/ParticipantPostConversation.tsx:187 msgid "Added emails" msgstr "E-mails añadidos" -#: src/routes/project/chat/ProjectChatRoute.tsx:655 +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:268 +msgid "select.all.modal.add.without.filters" +msgstr "Añadiendo <0>{totalCount, plural, one {# conversación} other {# conversaciones}} al chat" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:256 +msgid "select.all.modal.add.with.filters" +msgstr "Añadiendo <0>{totalCount, plural, one {# conversación} other {# conversaciones}} con los siguientes filtros:" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:295 +msgid "select.all.modal.add.without.filters.more" +msgstr "Añadiendo <0>{totalCount, plural, one {# conversación más} other {# conversaciones más}}" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:283 +msgid "select.all.modal.add.with.filters.more" +msgstr "Añadiendo <0>{totalCount, plural, one {# conversación más} other {# conversaciones más}} con los siguientes filtros:" + +#: src/routes/project/chat/ProjectChatRoute.tsx:669 msgid "Adding Context:" msgstr "Añadiendo Contexto:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:364 +msgid "select.all.modal.loading.title" +msgstr "Añadiendo conversaciones" + #: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Avanzado (Consejos y best practices)" @@ -246,6 +323,10 @@ msgstr "Todas las acciones" msgid "All collections" msgstr "Todas las colecciones" +#: src/components/conversation/ConversationLinks.tsx:81 +msgid "All Conversations" +msgstr "Todas las conversaciones" + #~ msgid "All conversations ready" #~ msgstr "Todas las conversaciones están listas" @@ -264,10 +345,14 @@ msgstr "Permitir a los participantes usar el enlace para iniciar nuevas conversa msgid "Almost there" msgstr "Casi listo" -#: src/components/conversation/ConversationAccordion.tsx:149 +#: src/components/conversation/ConversationAccordion.tsx:154 msgid "Already added to this chat" msgstr "Ya añadido a este chat" +#: src/components/conversation/SelectAllConfirmationModal.tsx:122 +msgid "Already in context" +msgstr "Ya en el contexto" + #. placeholder {0}: participantCount !== undefined ? participantCount : t`loading...` #. placeholder {1}: participantCount === 1 ? "" : "s" #: src/routes/project/report/ProjectReportRoute.tsx:321 @@ -281,7 +366,7 @@ msgstr "Se enviará una notificación por correo electrónico a {0} participante msgid "An error occurred while loading the Portal. Please contact the support team." msgstr "Ocurrió un error al cargar el Portal. Por favor, contacta al equipo de soporte." -#: src/routes/project/chat/ProjectChatRoute.tsx:597 +#: src/routes/project/chat/ProjectChatRoute.tsx:608 msgid "An error occurred." msgstr "Ocurrió un error." @@ -459,11 +544,11 @@ msgstr "Código de autenticación" msgid "Auto-select" msgstr "Seleccionar automáticamente" -#: src/components/conversation/hooks/index.ts:547 +#: src/components/conversation/hooks/index.ts:548 msgid "Auto-select disabled" msgstr "Seleccionar automáticamente desactivado" -#: src/components/conversation/hooks/index.ts:405 +#: src/components/conversation/hooks/index.ts:406 msgid "Auto-select enabled" msgstr "Seleccionar automáticamente activado" @@ -535,6 +620,16 @@ msgstr "Ideas de brainstorming" 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 "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?" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:326 +msgid "select.all.modal.cancel" +msgstr "Cancelar" + +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:81 +msgid "add.tag.filter.modal.cancel" +msgstr "Cancelar" + #: src/routes/project/report/ProjectReportRoute.tsx:332 #: src/components/settings/TwoFactorSettingsCard.tsx:406 #: src/components/project/ProjectDangerZone.tsx:137 @@ -542,7 +637,7 @@ msgstr "Al eliminar este proyecto, eliminarás todos los datos asociados con él #: src/components/dropzone/UploadConversationDropzone.tsx:686 #: src/components/dropzone/UploadConversationDropzone.tsx:806 #: src/components/conversation/MoveConversationButton.tsx:208 -#: src/components/conversation/ConversationAccordion.tsx:329 +#: src/components/conversation/ConversationAccordion.tsx:334 msgid "Cancel" msgstr "Cancelar" @@ -561,7 +656,7 @@ msgstr "cancelar" msgid "participant.concrete.instructions.button.cancel" msgstr "cancelar" -#: src/components/conversation/ConversationAccordion.tsx:151 +#: src/components/conversation/ConversationAccordion.tsx:156 msgid "Cannot add empty conversation" msgstr "No se puede añadir una conversación vacía" @@ -576,12 +671,12 @@ msgstr "Los cambios se guardarán automáticamente" 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?" -#: src/routes/project/chat/ProjectChatRoute.tsx:478 -#: src/routes/project/chat/ProjectChatRoute.tsx:483 +#: src/routes/project/chat/ProjectChatRoute.tsx:489 +#: src/routes/project/chat/ProjectChatRoute.tsx:494 msgid "Chat" msgstr "Chat" -#: src/routes/project/chat/ProjectChatRoute.tsx:276 +#: src/routes/project/chat/ProjectChatRoute.tsx:281 msgid "Chat | Dembrane" msgstr "Chat | Dembrane" @@ -625,6 +720,10 @@ msgstr "Elige el tema que prefieras para la interfaz" msgid "Click \"Upload Files\" when you're ready to start the upload process." msgstr "Haz clic en \"Subir archivos\" cuando estés listo para iniciar el proceso de subida." +#: src/components/conversation/ConversationLinks.tsx:156 +msgid "Click to see all {totalCount} conversations" +msgstr "Haz clic para ver las {totalCount} conversaciones" + #: src/components/project/ProjectDangerZone.tsx:143 msgid "Clone project" msgstr "Clonar proyecto" @@ -634,7 +733,13 @@ msgstr "Clonar proyecto" msgid "Clone Project" msgstr "Clonar proyecto" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:660 +msgid "select.all.modal.close" +msgstr "Cerrar" + #: src/components/dropzone/UploadConversationDropzone.tsx:806 +#: src/components/conversation/ConversationLinks.tsx:107 msgid "Close" msgstr "Cerrar" @@ -706,6 +811,20 @@ msgstr "Contexto" msgid "Context added:" msgstr "Contexto añadido:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:533 +msgid "select.all.modal.context.limit" +msgstr "Límite de contexto" + +#: src/components/conversation/SelectAllConfirmationModal.tsx:124 +msgid "Context limit reached" +msgstr "Límite de contexto alcanzado" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:467 +msgid "select.all.modal.context.limit.reached" +msgstr "Se alcanzó el límite de contexto. Algunas conversaciones no pudieron ser añadidas." + #. js-lingui-explicit-id #: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 @@ -718,7 +837,7 @@ msgstr "Continuar" #~ msgid "conversation" #~ msgstr "conversación" -#: src/components/conversation/hooks/index.ts:406 +#: src/components/conversation/hooks/index.ts:407 msgid "Conversation added to chat" msgstr "Conversación añadida al chat" @@ -736,7 +855,7 @@ msgstr "Conversación terminada" #~ msgid "Conversation processing" #~ msgstr "Procesando conversación" -#: src/components/conversation/hooks/index.ts:548 +#: src/components/conversation/hooks/index.ts:549 msgid "Conversation removed from chat" msgstr "Conversación eliminada del chat" @@ -759,7 +878,7 @@ msgstr "Detalles del estado de la conversación" msgid "conversations" msgstr "conversaciones" -#: src/components/conversation/ConversationAccordion.tsx:899 +#: src/components/conversation/ConversationAccordion.tsx:1052 msgid "Conversations" msgstr "Conversaciones" @@ -919,8 +1038,8 @@ msgstr "Eliminado con éxito" #~ msgid "Dembrane ECHO" #~ msgstr "Dembrane ECHO" -#: src/routes/project/chat/ProjectChatRoute.tsx:718 -#: src/routes/project/chat/ProjectChatRoute.tsx:748 +#: src/routes/project/chat/ProjectChatRoute.tsx:732 +#: src/routes/project/chat/ProjectChatRoute.tsx:762 msgid "Dembrane is powered by AI. Please double-check responses." msgstr "Dembrane funciona con IA. Revisa bien las respuestas." @@ -1212,6 +1331,10 @@ msgstr "Error al cargar el proyecto" #~ msgid "Error loading quotes" #~ msgstr "Error al cargar las citas" +#: src/components/conversation/SelectAllConfirmationModal.tsx:130 +msgid "Error occurred" +msgstr "Ocurrió un error" + #: src/components/report/UpdateReportModalButton.tsx:80 msgid "Error updating report" msgstr "Error al actualizar el informe" @@ -1250,15 +1373,20 @@ msgstr "Exportar" msgid "Failed" msgstr "Error" -#: src/components/conversation/hooks/index.ts:328 +#: src/components/conversation/hooks/index.ts:329 msgid "Failed to add conversation to chat" msgstr "Error al añadir la conversación al chat" #. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" -#: src/components/conversation/hooks/index.ts:320 +#: src/components/conversation/hooks/index.ts:321 msgid "Failed to add conversation to chat{0}" msgstr "Error al añadir la conversación al chat{0}" +#: src/components/conversation/ConversationAccordion.tsx:933 +#: src/components/conversation/ConversationAccordion.tsx:949 +msgid "Failed to add conversations to context" +msgstr "Error al añadir conversaciones al contexto" + #: src/components/participant/verify/VerifyArtefact.tsx:136 msgid "Failed to approve artefact. Please try again." msgstr "Error al aprobar el artefacto. Por favor, inténtalo de nuevo." @@ -1275,13 +1403,13 @@ msgstr "No se pudo copiar la transcripción. Inténtalo de nuevo." msgid "Failed to delete response" msgstr "Error al eliminar la respuesta" -#: src/components/conversation/hooks/index.ts:475 -#: src/components/conversation/hooks/index.ts:481 +#: src/components/conversation/hooks/index.ts:476 +#: src/components/conversation/hooks/index.ts:482 msgid "Failed to disable Auto Select for this chat" msgstr "Error al desactivar la selección automática para este chat" -#: src/components/conversation/hooks/index.ts:324 -#: src/components/conversation/hooks/index.ts:330 +#: src/components/conversation/hooks/index.ts:325 +#: src/components/conversation/hooks/index.ts:331 msgid "Failed to enable Auto Select for this chat" msgstr "Error al activar la selección automática para este chat" @@ -1328,16 +1456,16 @@ msgstr "Error al regenerar el resumen. Por favor, inténtalo de nuevo más tarde msgid "Failed to reload. Please try again." msgstr "Error al recargar. Por favor, inténtalo de nuevo." -#: src/components/conversation/hooks/index.ts:479 +#: src/components/conversation/hooks/index.ts:480 msgid "Failed to remove conversation from chat" msgstr "Error al eliminar la conversación del chat" #. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" -#: src/components/conversation/hooks/index.ts:471 +#: src/components/conversation/hooks/index.ts:472 msgid "Failed to remove conversation from chat{0}" msgstr "Error al eliminar la conversación del chat{0}" -#: src/components/conversation/hooks/index.ts:610 +#: src/components/conversation/hooks/index.ts:647 msgid "Failed to retranscribe conversation. Please try again." msgstr "Error al retranscribir la conversación. Por favor, inténtalo de nuevo." @@ -1516,7 +1644,7 @@ msgstr "Ir a la nueva conversación" #~ msgid "Grid view" #~ msgstr "Vista de cuadrícula" -#: src/components/conversation/ConversationAccordion.tsx:551 +#: src/components/conversation/ConversationAccordion.tsx:575 msgid "Has verified artifacts" msgstr "Tiene artefactos verificados" @@ -1813,8 +1941,8 @@ msgstr "Cargando transcripción..." msgid "loading..." msgstr "cargando..." -#: src/components/conversation/ConversationAccordion.tsx:108 -#: src/components/conversation/hooks/index.ts:369 +#: src/components/conversation/ConversationAccordion.tsx:113 +#: src/components/conversation/hooks/index.ts:370 msgid "Loading..." msgstr "Cargando..." @@ -1838,7 +1966,7 @@ msgstr "Iniciar sesión como usuario existente" msgid "Logout" msgstr "Cerrar sesión" -#: src/components/conversation/ConversationAccordion.tsx:617 +#: src/components/conversation/ConversationAccordion.tsx:642 msgid "Longest First" msgstr "Más largo primero" @@ -1886,12 +2014,12 @@ msgid "More templates" msgstr "Más templates" #: src/components/conversation/MoveConversationButton.tsx:218 -#: src/components/conversation/ConversationAccordion.tsx:339 +#: src/components/conversation/ConversationAccordion.tsx:344 msgid "Move" msgstr "Mover" #: src/components/conversation/MoveConversationButton.tsx:138 -#: src/components/conversation/ConversationAccordion.tsx:260 +#: src/components/conversation/ConversationAccordion.tsx:265 msgid "Move Conversation" msgstr "Mover Conversación" @@ -1899,7 +2027,7 @@ msgstr "Mover Conversación" msgid "Move to Another Project" msgstr "Mover a otro Proyecto" -#: src/components/conversation/ConversationAccordion.tsx:257 +#: src/components/conversation/ConversationAccordion.tsx:262 msgid "Move to Project" msgstr "Mover a Proyecto" @@ -1908,11 +2036,11 @@ msgstr "Mover a Proyecto" msgid "Name" msgstr "Nombre" -#: src/components/conversation/ConversationAccordion.tsx:615 +#: src/components/conversation/ConversationAccordion.tsx:640 msgid "Name A-Z" msgstr "Nombre A-Z" -#: src/components/conversation/ConversationAccordion.tsx:616 +#: src/components/conversation/ConversationAccordion.tsx:641 msgid "Name Z-A" msgstr "Nombre Z-A" @@ -1942,7 +2070,7 @@ msgstr "Nueva Contraseña" msgid "New Project" msgstr "Nuevo Proyecto" -#: src/components/conversation/ConversationAccordion.tsx:613 +#: src/components/conversation/ConversationAccordion.tsx:638 msgid "Newest First" msgstr "Más nuevos primero" @@ -2002,8 +2130,9 @@ msgstr "No se encontraron colecciones" msgid "No concrete topics available." msgstr "No hay temas concretos disponibles." -#~ msgid "No content" -#~ msgstr "No hay contenido" +#: src/components/conversation/SelectAllConfirmationModal.tsx:126 +msgid "No content" +msgstr "No hay contenido" #: src/routes/project/library/ProjectLibrary.tsx:151 msgid "No conversations available to create library" @@ -2021,10 +2150,15 @@ msgstr "No hay conversaciones disponibles para crear la biblioteca" msgid "No conversations found." msgstr "No se encontraron conversaciones." -#: src/components/conversation/ConversationAccordion.tsx:1211 +#: src/components/conversation/ConversationAccordion.tsx:1401 msgid "No conversations found. Start a conversation using the participation invite link from the <0><1>project overview." msgstr "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." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:649 +msgid "select.all.modal.no.conversations" +msgstr "No se procesaron conversaciones. Esto puede ocurrir si todas las conversaciones ya están en el contexto o no coinciden con los filtros seleccionados." + #: src/components/report/CreateReportForm.tsx:88 msgid "No conversations yet" msgstr "No hay conversaciones aún" @@ -2066,7 +2200,7 @@ msgid "No results" msgstr "Sin resultados" #: src/components/conversation/ConversationEdit.tsx:207 -#: src/components/conversation/ConversationAccordion.tsx:1158 +#: src/components/conversation/ConversationAccordion.tsx:1314 msgid "No tags found" msgstr "No se encontraron etiquetas" @@ -2103,6 +2237,11 @@ msgstr "No hay temas de verificación configurados para este proyecto." #~ msgid "No verification topics available." #~ msgstr "No verification topics available." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:514 +msgid "select.all.modal.not.added" +msgstr "No añadidas" + #: src/routes/project/library/ProjectLibrary.tsx:149 msgid "Not available" msgstr "No disponible" @@ -2110,7 +2249,7 @@ msgstr "No disponible" #~ msgid "Now" #~ msgstr "Ahora" -#: src/components/conversation/ConversationAccordion.tsx:614 +#: src/components/conversation/ConversationAccordion.tsx:639 msgid "Oldest First" msgstr "Más antiguos primero" @@ -2125,7 +2264,7 @@ msgid "participant.concrete.instructions.read.aloud" msgstr "Una vez que recibas el {objectLabel}, léelo en voz alta y comparte en voz alta lo que deseas cambiar, si es necesario." #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:585 +#: src/components/conversation/ConversationAccordion.tsx:609 msgid "conversation.ongoing" msgstr "En curso" @@ -2171,8 +2310,8 @@ msgstr "Abrir guía de solución de problemas" msgid "Open your authenticator app and enter the current six-digit code." msgstr "Abre tu aplicación de autenticación e ingresa el código actual de seis dígitos." -#: src/components/conversation/ConversationAccordion.tsx:947 -#: src/components/conversation/ConversationAccordion.tsx:954 +#: src/components/conversation/ConversationAccordion.tsx:1100 +#: src/components/conversation/ConversationAccordion.tsx:1107 msgid "Options" msgstr "Opciones" @@ -2412,7 +2551,7 @@ msgstr "Por favor, selecciona un idioma para tu informe actualizado" #~ msgid "Please select at least one source" #~ msgstr "Por favor, selecciona al menos una fuente" -#: src/routes/project/chat/ProjectChatRoute.tsx:644 +#: src/routes/project/chat/ProjectChatRoute.tsx:658 msgid "Please select conversations from the sidebar to proceed" msgstr "Selecciona conversaciones en la barra lateral para continuar" @@ -2479,6 +2618,11 @@ msgstr "Imprimir este informe" msgid "Privacy Statements" msgstr "Declaraciones de Privacidad" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:329 +msgid "select.all.modal.proceed" +msgstr "Continuar" + #: src/routes/project/report/ProjectReportRoute.tsx:335 msgid "Proceed" msgstr "Continuar" @@ -2489,6 +2633,11 @@ msgstr "Continuar" #~ msgid "Processing" #~ msgstr "Procesando" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:375 +msgid "select.all.modal.loading.description" +msgstr "Procesando <0>{totalCount, plural, one {# conversación} other {# conversaciones}} y añadiéndolas a tu chat" + #~ msgid "Processing failed for this conversation. This conversation will not be available for analysis and chat." #~ msgstr "El procesamiento de esta conversación ha fallado. Esta conversación no estará disponible para análisis y chat." @@ -2523,7 +2672,7 @@ msgstr "Nombre del proyecto" msgid "Project name must be at least 4 characters long" msgstr "El nombre del proyecto debe tener al menos 4 caracteres" -#: src/routes/project/chat/NewChatRoute.tsx:62 +#: src/routes/project/chat/NewChatRoute.tsx:65 msgid "Project not found" msgstr "Proyecto no encontrado" @@ -2687,7 +2836,7 @@ msgstr "Eliminar Correo Electrónico" msgid "Remove file" msgstr "Eliminar archivo" -#: src/components/conversation/ConversationAccordion.tsx:153 +#: src/components/conversation/ConversationAccordion.tsx:158 msgid "Remove from this chat" msgstr "Eliminar de este chat" @@ -2768,8 +2917,8 @@ msgstr "Restablecer Contraseña" msgid "Reset Password | Dembrane" msgstr "Restablecer Contraseña | Dembrane" -#: src/components/conversation/ConversationAccordion.tsx:1179 -#: src/components/conversation/ConversationAccordion.tsx:1184 +#: src/components/conversation/ConversationAccordion.tsx:1338 +#: src/components/conversation/ConversationAccordion.tsx:1343 msgid "Reset to default" msgstr "Restablecer a valores predeterminados" @@ -2800,7 +2949,7 @@ msgstr "Retranscribir conversación" msgid "Retranscription started. New conversation will be available soon." msgstr "La retranscripción ha comenzado. La nueva conversación estará disponible pronto." -#: src/routes/project/chat/ProjectChatRoute.tsx:605 +#: src/routes/project/chat/ProjectChatRoute.tsx:616 msgid "Retry" msgstr "Reintentar" @@ -2858,11 +3007,16 @@ msgstr "Escanea el código QR o copia el secreto en tu aplicación." msgid "Scroll to bottom" msgstr "Desplazarse al final" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:408 +msgid "select.all.modal.loading.search" +msgstr "Buscar" + #: src/components/conversation/MoveConversationButton.tsx:143 msgid "Search" msgstr "Buscar" -#: src/components/conversation/ConversationAccordion.tsx:941 +#: src/components/conversation/ConversationAccordion.tsx:1094 msgid "Search conversations" msgstr "Buscar conversaciones" @@ -2870,16 +3024,16 @@ msgstr "Buscar conversaciones" msgid "Search projects" msgstr "Buscar proyectos" -#: src/components/conversation/ConversationAccordion.tsx:270 +#: src/components/conversation/ConversationAccordion.tsx:275 msgid "Search Projects" msgstr "Buscar Proyectos" #: src/components/conversation/MoveConversationButton.tsx:144 -#: src/components/conversation/ConversationAccordion.tsx:274 +#: src/components/conversation/ConversationAccordion.tsx:279 msgid "Search projects..." msgstr "Buscar proyectos..." -#: src/components/conversation/ConversationAccordion.tsx:1077 +#: src/components/conversation/ConversationAccordion.tsx:1233 msgid "Search tags" msgstr "Buscar etiquetas" @@ -2887,6 +3041,11 @@ msgstr "Buscar etiquetas" msgid "Search templates..." msgstr "Buscar templates..." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:69 +msgid "select.all.modal.search.text" +msgstr "Texto de búsqueda:" + #: src/components/chat/SourcesSearched.tsx:13 msgid "Searched through the most relevant sources" msgstr "Buscó en las fuentes más relevantes" @@ -2913,6 +3072,19 @@ msgstr "Hasta pronto" msgid "Select a microphone" msgstr "Seleccionar un micrófono" +#: src/components/conversation/ConversationAccordion.tsx:1381 +msgid "Select all" +msgstr "Seleccionar todo" + +#: src/components/conversation/ConversationAccordion.tsx:1379 +msgid "Select all ({remainingCount})" +msgstr "Seleccionar todo ({remainingCount})" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:211 +msgid "select.all.modal.title.results" +msgstr "Seleccionar todos los resultados" + #: src/components/dropzone/UploadConversationDropzone.tsx:519 msgid "Select Audio Files to Upload" msgstr "Seleccionar archivos de audio para subir" @@ -2925,7 +3097,7 @@ msgstr "Selecciona conversaciones y encuentra citas exactas" msgid "Select conversations from sidebar" msgstr "Selecciona conversaciones en la barra lateral" -#: src/components/conversation/ConversationAccordion.tsx:294 +#: src/components/conversation/ConversationAccordion.tsx:299 msgid "Select Project" msgstr "Seleccionar Proyecto" @@ -2968,7 +3140,7 @@ msgstr "Archivos seleccionados ({0}/{MAX_FILES})" msgid "participant.selected.microphone" msgstr "Micrófono seleccionado" -#: src/routes/project/chat/ProjectChatRoute.tsx:738 +#: src/routes/project/chat/ProjectChatRoute.tsx:752 msgid "Send" msgstr "Enviar" @@ -3020,7 +3192,7 @@ msgstr "Compartir tu voz" msgid "Share your voice by scanning the QR code below." msgstr "Comparte tu voz escaneando el código QR de abajo." -#: src/components/conversation/ConversationAccordion.tsx:618 +#: src/components/conversation/ConversationAccordion.tsx:643 msgid "Shortest First" msgstr "Más corto primero" @@ -3099,6 +3271,11 @@ msgstr "Omitir diapositiva de privacidad (El anfitrión gestiona la base legal)" msgid "Some files were already selected and won't be added twice." msgstr "Algunos archivos ya estaban seleccionados y no se agregarán dos veces." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:317 +msgid "select.all.modal.skip.reason" +msgstr "algunas pueden omitirse debido a transcripción vacía o límite de contexto" + #: src/routes/auth/Login.tsx:158 #: src/components/participant/ParticipantInitiateForm.tsx:84 #: src/components/conversation/ConversationEdit.tsx:144 @@ -3144,8 +3321,8 @@ msgstr "Algo salió mal. Por favor, inténtalo de nuevo." msgid "participant.go.deeper.content.policy.violation.error.message" msgstr "Lo sentimos, no podemos procesar esta solicitud debido a la política de contenido del proveedor de LLM." -#: src/components/conversation/ConversationAccordion.tsx:1001 -#: src/components/conversation/ConversationAccordion.tsx:1008 +#: src/components/conversation/ConversationAccordion.tsx:1156 +#: src/components/conversation/ConversationAccordion.tsx:1163 msgid "Sort" msgstr "Ordenar" @@ -3201,7 +3378,7 @@ msgstr "Empezar de nuevo" msgid "Status" msgstr "Estado" -#: src/routes/project/chat/ProjectChatRoute.tsx:570 +#: src/routes/project/chat/ProjectChatRoute.tsx:581 msgid "Stop" msgstr "Detener" @@ -3282,8 +3459,8 @@ msgstr "Sistema" #: 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 +#: src/components/conversation/ConversationAccordion.tsx:1223 +#: src/components/conversation/ConversationAccordion.tsx:1226 msgid "Tags" msgstr "Etiquetas" @@ -3300,7 +3477,7 @@ msgstr "Tómate un tiempo para crear un resultado que haga tu contribución conc msgid "participant.refine.make.concrete.description" msgstr "Tómate un tiempo para crear un resultado que haga tu contribución concreta." -#: src/routes/project/chat/ProjectChatRoute.tsx:406 +#: src/routes/project/chat/ProjectChatRoute.tsx:417 msgid "Template applied" msgstr "Plantilla aplicada" @@ -3308,7 +3485,7 @@ msgstr "Plantilla aplicada" msgid "Templates" msgstr "Plantillas" -#: src/components/conversation/ConversationAccordion.tsx:410 +#: src/components/conversation/ConversationAccordion.tsx:415 msgid "Text" msgstr "Texto" @@ -3405,6 +3582,16 @@ msgstr "Hubo un error al verificar tu correo electrónico. Por favor, inténtalo #~ msgid "These are your default view templates. Once you create your library these will be your first two views." #~ msgstr "Estas son tus plantillas de vista predeterminadas. Una vez que crees tu biblioteca, estas serán tus primeras dos vistas." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:611 +msgid "select.all.modal.other.reason.description" +msgstr "Estas conversaciones fueron excluidas debido a la falta de transcripciones." + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:571 +msgid "select.all.modal.context.limit.reached.description" +msgstr "Estas conversaciones se omitieron porque se alcanzó el límite de contexto." + #: src/components/view/DummyViews.tsx:8 msgid "These default view templates will be generated when you create your first library." msgstr "Estas plantillas de vista predeterminadas se generarán cuando crees tu primera biblioteca." @@ -3506,6 +3693,11 @@ msgstr "Esto creará una copia del proyecto actual. Solo se copiarán los ajuste msgid "This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged." msgstr "Esto creará una nueva conversación con el mismo audio pero una transcripción fresca. La conversación original permanecerá sin cambios." +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:72 +msgid "add.tag.filter.modal.info" +msgstr "Esto filtrará la lista de conversaciones para mostrar conversaciones con esta etiqueta." + #. js-lingui-explicit-id #: src/components/participant/verify/VerifyArtefact.tsx:308 msgid "participant.concrete.regenerating.artefact.description" @@ -3539,6 +3731,10 @@ msgstr "Para asignar una nueva etiqueta, primero crea una en la vista general de msgid "To generate a report, please start by adding conversations in your project" msgstr "Para generar un informe, por favor comienza agregando conversaciones en tu proyecto" +#: src/components/conversation/SelectAllConfirmationModal.tsx:128 +msgid "Too long" +msgstr "Demasiado largo" + #: src/components/view/CreateViewForm.tsx:123 msgid "Topics" msgstr "Temas" @@ -3673,7 +3869,7 @@ msgstr "Autenticación en dos pasos activada" msgid "Type" msgstr "Tipo" -#: src/routes/project/chat/ProjectChatRoute.tsx:693 +#: src/routes/project/chat/ProjectChatRoute.tsx:707 msgid "Type a message..." msgstr "Escribe un mensaje..." @@ -3698,7 +3894,7 @@ msgstr "No se pudo cargar el artefacto generado. Por favor, inténtalo de nuevo. msgid "Unable to process this chunk" msgstr "No se puede procesar este fragmento" -#: src/routes/project/chat/ProjectChatRoute.tsx:408 +#: src/routes/project/chat/ProjectChatRoute.tsx:419 msgid "Undo" msgstr "Deshacer" @@ -3706,6 +3902,10 @@ msgstr "Deshacer" msgid "Unknown" msgstr "Desconocido" +#: src/components/conversation/SelectAllConfirmationModal.tsx:132 +msgid "Unknown reason" +msgstr "Razón desconocida" + #: src/components/announcement/AnnouncementDrawerHeader.tsx:39 msgid "unread announcement" msgstr "anuncio sin leer" @@ -3753,7 +3953,7 @@ msgstr "Actualiza para desbloquear la selección automática y analizar 10 veces #: src/components/project/ProjectUploadSection.tsx:15 #: src/components/dropzone/UploadConversationDropzone.tsx:504 -#: src/components/conversation/ConversationAccordion.tsx:404 +#: src/components/conversation/ConversationAccordion.tsx:409 msgid "Upload" msgstr "Subir" @@ -3796,8 +3996,8 @@ msgstr "Subiendo archivos de audio..." msgid "Use PII Redaction" msgstr "Usar redaction de PII" -#: src/routes/project/chat/ProjectChatRoute.tsx:715 -#: src/routes/project/chat/ProjectChatRoute.tsx:745 +#: src/routes/project/chat/ProjectChatRoute.tsx:729 +#: src/routes/project/chat/ProjectChatRoute.tsx:759 msgid "Use Shift + Enter to add a new line" msgstr "Usa Shift + Enter para agregar una nueva línea" @@ -3808,7 +4008,17 @@ msgstr "Usa Shift + Enter para agregar una nueva línea" #~ msgstr "verified" #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:1176 +#: src/components/conversation/SelectAllConfirmationModal.tsx:111 +msgid "select.all.modal.verified" +msgstr "Verificado" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:431 +msgid "select.all.modal.loading.verified" +msgstr "Verificado" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationAccordion.tsx:1333 msgid "conversation.filters.verified.text" msgstr "Verified" @@ -3818,7 +4028,7 @@ msgstr "Verified" #~ msgid "Verified Artefacts" #~ msgstr "Verified Artefacts" -#: src/components/conversation/ConversationAccordion.tsx:555 +#: src/components/conversation/ConversationAccordion.tsx:579 msgid "verified artifacts" msgstr "verified artifacts" @@ -3924,7 +4134,7 @@ msgstr "Bienvenido de nuevo" #~ 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 "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." -#: src/routes/project/chat/ProjectChatRoute.tsx:506 +#: src/routes/project/chat/ProjectChatRoute.tsx:517 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 "¡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." @@ -3935,7 +4145,7 @@ msgstr "¡Bienvenido a Dembrane!" #~ 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 "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." -#: src/routes/project/chat/ProjectChatRoute.tsx:505 +#: src/routes/project/chat/ProjectChatRoute.tsx:516 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 "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." @@ -3976,6 +4186,11 @@ msgstr "¿Qué te gustaría explorar?" msgid "will be included in your report" msgstr "se incluirá en tu informe" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:52 +msgid "add.tag.filter.modal.description" +msgstr "¿Te gustaría añadir esta etiqueta a tus filtros actuales?" + #. js-lingui-explicit-id #: src/components/participant/ParticipantConversationText.tsx:177 msgid "participant.button.finish.yes.text.mode" @@ -3997,6 +4212,15 @@ msgstr "Solo puedes subir hasta {MAX_FILES} archivos a la vez. Solo los primeros #~ msgid "You can still use the Ask feature to chat with any conversation" #~ msgstr "Aún puedes usar la función Preguntar para chatear con cualquier conversación" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:237 +msgid "select.all.modal.already.added" +msgstr "Ya has añadido <0>{existingContextCount, plural, one {# conversación} other {# conversaciones}} a este chat." + +#: src/components/conversation/ConversationAccordion.tsx:1364 +msgid "You have already added all the conversations related to this" +msgstr "Ya has añadido todas las conversaciones relacionadas con esto" + #. js-lingui-explicit-id #: src/components/participant/MicrophoneTest.tsx:391 msgid "participant.modal.change.mic.confirmation.text" diff --git a/echo/frontend/src/locales/es-ES.ts b/echo/frontend/src/locales/es-ES.ts index 0fce7c9f..49cd6724 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\"],\"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 +/*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)\"],\"e6iRhF\":[[\"0\",\"plural\",{\"one\":[\"#\",\" etiqueta\"],\"other\":[\"#\",\" etiquetas\"]}]],\"select.all.modal.tags\":[[\"0\",\"plural\",{\"one\":[\"Etiqueta:\"],\"other\":[\"Etiquetas:\"]}]],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" listo\"],\"select.all.modal.added.count\":[[\"0\"],\" añadidas\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversaciones • Editado \",[\"1\"]],\"select.all.modal.not.added.count\":[[\"0\"],\" no añadidas\"],\"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.*\"],\"ynBObK\":[\"+\",[\"hiddenCount\"],\" conversaciones\"],\"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\"],\"select.all.modal.loading.filters\":[\"Filtros activos\"],\"m16xKo\":[\"Añadir\"],\"1m+3Z3\":[\"Añadir contexto adicional (Opcional)\"],\"Se1KZw\":[\"Añade todos los que correspondan\"],\"select.all.modal.title.add\":[\"Añadir conversaciones al contexto\"],\"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\"],\"add.tag.filter.modal.title\":[\"Añadir etiqueta a los filtros\"],\"IKoyMv\":[\"Añadir Etiquetas\"],\"add.tag.filter.modal.add\":[\"Añadir a los filtros\"],\"NffMsn\":[\"Añadir a este chat\"],\"select.all.modal.added\":[\"Añadidas\"],\"Na90E+\":[\"E-mails añadidos\"],\"select.all.modal.add.without.filters\":[\"Añadiendo <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversación\"],\"other\":[\"#\",\" conversaciones\"]}],\" al chat\"],\"select.all.modal.add.with.filters\":[\"Añadiendo <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversación\"],\"other\":[\"#\",\" conversaciones\"]}],\" con los siguientes filtros:\"],\"select.all.modal.add.without.filters.more\":[\"Añadiendo <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversación más\"],\"other\":[\"#\",\" conversaciones más\"]}],\"\"],\"select.all.modal.add.with.filters.more\":[\"Añadiendo <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversación más\"],\"other\":[\"#\",\" conversaciones más\"]}],\" con los siguientes filtros:\"],\"SJCAsQ\":[\"Añadiendo Contexto:\"],\"select.all.modal.loading.title\":[\"Añadiendo conversaciones\"],\"OaKXud\":[\"Avanzado (Consejos y best practices)\"],\"TBpbDp\":[\"Avanzado (Consejos y trucos)\"],\"JiIKww\":[\"Configuración Avanzada\"],\"cF7bEt\":[\"Todas las acciones\"],\"O1367B\":[\"Todas las colecciones\"],\"gvykaX\":[\"Todas las conversaciones\"],\"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\"],\"xNyrs1\":[\"Ya en el contexto\"],\"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?\"],\"select.all.modal.cancel\":[\"Cancelar\"],\"add.tag.filter.modal.cancel\":[\"Cancelar\"],\"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.\"],\"jcSz6S\":[\"Haz clic para ver las \",[\"totalCount\"],\" conversaciones\"],\"BPrdpc\":[\"Clonar proyecto\"],\"9U86tL\":[\"Clonar proyecto\"],\"select.all.modal.close\":[\"Cerrar\"],\"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:\"],\"select.all.modal.context.limit\":[\"Límite de contexto\"],\"aVvy3Y\":[\"Límite de contexto alcanzado\"],\"select.all.modal.context.limit.reached\":[\"Se alcanzó el límite de contexto. Algunas conversaciones no pudieron ser añadidas.\"],\"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\"],\"4kVRov\":[\"Ocurrió un error\"],\"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\"]],\"g5wCZj\":[\"Error al añadir conversaciones al contexto\"],\"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.\"],\"select.all.modal.no.conversations\":[\"No se procesaron conversaciones. Esto puede ocurrir si todas las conversaciones ya están en el contexto o no coinciden con los filtros seleccionados.\"],\"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.\"],\"select.all.modal.not.added\":[\"No añadidas\"],\"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\"],\"select.all.modal.proceed\":[\"Continuar\"],\"qAGp2O\":[\"Continuar\"],\"stk3Hv\":[\"procesando\"],\"vrnnn9\":[\"Procesando\"],\"select.all.modal.loading.description\":[\"Procesando <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversación\"],\"other\":[\"#\",\" conversaciones\"]}],\" y añadiéndolas a tu chat\"],\"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\"],\"select.all.modal.loading.search\":[\"Buscar\"],\"A1taO8\":[\"Buscar\"],\"OWm+8o\":[\"Buscar conversaciones\"],\"blFttG\":[\"Buscar proyectos\"],\"I0hU01\":[\"Buscar Proyectos\"],\"RVZJWQ\":[\"Buscar proyectos...\"],\"lnWve4\":[\"Buscar etiquetas\"],\"pECIKL\":[\"Buscar templates...\"],\"select.all.modal.search.text\":[\"Texto de búsqueda:\"],\"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\"],\"wgNoIs\":[\"Seleccionar todo\"],\"+fRipn\":[\"Seleccionar todo (\",[\"remainingCount\"],\")\"],\"select.all.modal.title.results\":[\"Seleccionar todos los resultados\"],\"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.\"],\"select.all.modal.skip.reason\":[\"algunas pueden omitirse debido a transcripción vacía o límite de contexto\"],\"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.\"],\"select.all.modal.other.reason.description\":[\"Estas conversaciones fueron excluidas debido a la falta de transcripciones.\"],\"select.all.modal.context.limit.reached.description\":[\"Estas conversaciones se omitieron porque se alcanzó el límite de contexto.\"],\"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.\"],\"add.tag.filter.modal.info\":[\"Esto filtrará la lista de conversaciones para mostrar conversaciones con esta etiqueta.\"],\"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\"],\"yIsdT7\":[\"Demasiado largo\"],\"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\"],\"1MTTTw\":[\"Razón desconocida\"],\"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\"],\"select.all.modal.verified\":[\"Verificado\"],\"select.all.modal.loading.verified\":[\"Verificado\"],\"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\"],\"add.tag.filter.modal.description\":[\"¿Te gustaría añadir esta etiqueta a tus filtros actuales?\"],\"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\"],\"select.all.modal.already.added\":[\"Ya has añadido <0>\",[\"existingContextCount\",\"plural\",{\"one\":[\"#\",\" conversación\"],\"other\":[\"#\",\" conversaciones\"]}],\" a este chat.\"],\"7W35AW\":[\"Ya has añadido todas las conversaciones relacionadas con esto\"],\"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 25247335..1f6b9101 100644 --- a/echo/frontend/src/locales/fr-FR.po +++ b/echo/frontend/src/locales/fr-FR.po @@ -103,10 +103,21 @@ msgstr "\"Refine\" Bientôt disponible" #~ msgid "(for enhanced audio processing)" #~ msgstr "(pour un traitement audio amélioré)" +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:415 +msgid "{0, plural, one {# tag} other {# tags}}" +msgstr "{0, plural, one {# étiquette} other {# étiquettes}}" + +#. js-lingui-explicit-id +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:82 +msgid "select.all.modal.tags" +msgstr "{0, plural, one {Étiquette :} other {Étiquettes :}}" + #. placeholder {0}: isAssistantTyping ? "Assistant is typing..." : "Thinking..." #. placeholder {0}: selectedOption.transitionMessage #. placeholder {0}: selectedOption.transitionDescription -#: src/routes/project/chat/ProjectChatRoute.tsx:559 +#: src/routes/project/chat/ProjectChatRoute.tsx:570 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 #: src/components/project/ProjectPortalEditor.tsx:433 @@ -117,6 +128,12 @@ msgstr "{0}" #~ msgid "{0} {1} ready" #~ msgstr "{0} {1} prêt" +#. js-lingui-explicit-id +#. placeholder {0}: result.added.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:449 +msgid "select.all.modal.added.count" +msgstr "{0} ajoutées" + #. 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(), ) @@ -126,6 +143,12 @@ msgstr "{0}" msgid "{0} Conversations • Edited {1}" msgstr "{0} Conversations • Modifié le {1}" +#. js-lingui-explicit-id +#. placeholder {0}: reallySkipped.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:455 +msgid "select.all.modal.not.added.count" +msgstr "{0} non ajoutées" + #: src/components/chat/ChatModeBanner.tsx:61 msgid "{conversationCount} selected" msgstr "{conversationCount} sélectionné(s)" @@ -160,6 +183,10 @@ msgstr "{0} en cours de traitement." msgid "*Transcription in progress.*" msgstr "*Transcription en cours.*" +#: src/components/conversation/ConversationLinks.tsx:167 +msgid "+{hiddenCount} conversations" +msgstr "+{hiddenCount} conversations" + #~ msgid "+5s" #~ msgstr "+5s" @@ -186,6 +213,11 @@ msgstr "Action sur" msgid "Actions" msgstr "Actions" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:400 +msgid "select.all.modal.loading.filters" +msgstr "Filtres actifs" + #: src/routes/participant/ParticipantPostConversation.tsx:179 msgid "Add" msgstr "Ajouter" @@ -198,6 +230,11 @@ msgstr "Ajouter un contexte supplémentaire (Optionnel)" msgid "Add all that apply" msgstr "Ajouter tout ce qui s'applique" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:215 +msgid "select.all.modal.title.add" +msgstr "Ajouter des conversations au contexte" + #: 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." @@ -210,22 +247,62 @@ msgstr "Ajoutez de nouveaux enregistrements à ce projet. Les fichiers que vous msgid "Add Tag" msgstr "Ajouter une étiquette" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:40 +msgid "add.tag.filter.modal.title" +msgstr "Ajouter une étiquette aux filtres" + #: src/components/project/ProjectTagsInput.tsx:257 msgid "Add Tags" msgstr "Ajouter des étiquettes" -#: src/components/conversation/ConversationAccordion.tsx:154 +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:84 +msgid "add.tag.filter.modal.add" +msgstr "Ajouter aux filtres" + +#: src/components/conversation/ConversationAccordion.tsx:159 msgid "Add to this chat" msgstr "Ajouter à cette conversation" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:495 +msgid "select.all.modal.added" +msgstr "Ajoutées" + #: src/routes/participant/ParticipantPostConversation.tsx:187 msgid "Added emails" msgstr "E-mails ajoutés" -#: src/routes/project/chat/ProjectChatRoute.tsx:655 +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:268 +msgid "select.all.modal.add.without.filters" +msgstr "Ajout de <0>{totalCount, plural, one {# conversation} other {# conversations}} au chat" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:256 +msgid "select.all.modal.add.with.filters" +msgstr "Ajout de <0>{totalCount, plural, one {# conversation} other {# conversations}} avec les filtres suivants :" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:295 +msgid "select.all.modal.add.without.filters.more" +msgstr "Ajout de <0>{totalCount, plural, one {# conversation supplémentaire} other {# conversations supplémentaires}}" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:283 +msgid "select.all.modal.add.with.filters.more" +msgstr "Ajout de <0>{totalCount, plural, one {# conversation supplémentaire} other {# conversations supplémentaires}} avec les filtres suivants :" + +#: src/routes/project/chat/ProjectChatRoute.tsx:669 msgid "Adding Context:" msgstr "Ajout du contexte :" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:364 +msgid "select.all.modal.loading.title" +msgstr "Ajout de conversations" + #: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Avancé (Astuces et conseils)" @@ -246,6 +323,10 @@ msgstr "Toutes les actions" msgid "All collections" msgstr "Toutes les collections" +#: src/components/conversation/ConversationLinks.tsx:81 +msgid "All Conversations" +msgstr "Toutes les conversations" + #~ msgid "All conversations ready" #~ msgstr "Toutes les conversations sont prêtes" @@ -264,10 +345,14 @@ msgstr "Permettre aux participants d'utiliser le lien pour démarrer de nouvelle msgid "Almost there" msgstr "Presque terminé" -#: src/components/conversation/ConversationAccordion.tsx:149 +#: src/components/conversation/ConversationAccordion.tsx:154 msgid "Already added to this chat" msgstr "Déjà ajouté à cette conversation" +#: src/components/conversation/SelectAllConfirmationModal.tsx:122 +msgid "Already in context" +msgstr "Déjà dans le contexte" + #. placeholder {0}: participantCount !== undefined ? participantCount : t`loading...` #. placeholder {1}: participantCount === 1 ? "" : "s" #: src/routes/project/report/ProjectReportRoute.tsx:321 @@ -281,7 +366,7 @@ msgstr "Une notification par e-mail sera envoyée à {0} participant{1}. Voulez- msgid "An error occurred while loading the Portal. Please contact the support team." msgstr "Une erreur s'est produite lors du chargement du Portail. Veuillez contacter l'équipe de support." -#: src/routes/project/chat/ProjectChatRoute.tsx:597 +#: src/routes/project/chat/ProjectChatRoute.tsx:608 msgid "An error occurred." msgstr "Une erreur s'est produite." @@ -459,11 +544,11 @@ msgstr "Code d'authentification" msgid "Auto-select" msgstr "Sélection automatique" -#: src/components/conversation/hooks/index.ts:547 +#: src/components/conversation/hooks/index.ts:548 msgid "Auto-select disabled" msgstr "Sélection automatique désactivée" -#: src/components/conversation/hooks/index.ts:405 +#: src/components/conversation/hooks/index.ts:406 msgid "Auto-select enabled" msgstr "Sélection automatique activée" @@ -535,6 +620,16 @@ msgstr "Idées de brainstorming" 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 "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 ?" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:326 +msgid "select.all.modal.cancel" +msgstr "Annuler" + +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:81 +msgid "add.tag.filter.modal.cancel" +msgstr "Annuler" + #: src/routes/project/report/ProjectReportRoute.tsx:332 #: src/components/settings/TwoFactorSettingsCard.tsx:406 #: src/components/project/ProjectDangerZone.tsx:137 @@ -542,7 +637,7 @@ msgstr "En supprimant ce projet, vous supprimerez toutes les données qui y sont #: src/components/dropzone/UploadConversationDropzone.tsx:686 #: src/components/dropzone/UploadConversationDropzone.tsx:806 #: src/components/conversation/MoveConversationButton.tsx:208 -#: src/components/conversation/ConversationAccordion.tsx:329 +#: src/components/conversation/ConversationAccordion.tsx:334 msgid "Cancel" msgstr "Annuler" @@ -561,7 +656,7 @@ msgstr "Annuler" msgid "participant.concrete.instructions.button.cancel" msgstr "Annuler" -#: src/components/conversation/ConversationAccordion.tsx:151 +#: src/components/conversation/ConversationAccordion.tsx:156 msgid "Cannot add empty conversation" msgstr "Impossible d'ajouter une conversation vide" @@ -576,12 +671,12 @@ msgstr "Les modifications seront enregistrées automatiquement" 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 ?" -#: src/routes/project/chat/ProjectChatRoute.tsx:478 -#: src/routes/project/chat/ProjectChatRoute.tsx:483 +#: src/routes/project/chat/ProjectChatRoute.tsx:489 +#: src/routes/project/chat/ProjectChatRoute.tsx:494 msgid "Chat" msgstr "Discussion" -#: src/routes/project/chat/ProjectChatRoute.tsx:276 +#: src/routes/project/chat/ProjectChatRoute.tsx:281 msgid "Chat | Dembrane" msgstr "Discussion | Dembrane" @@ -625,6 +720,10 @@ msgstr "Choisis le thème que tu préfères pour l’interface" msgid "Click \"Upload Files\" when you're ready to start the upload process." msgstr "Cliquez sur \"Télécharger les fichiers\" lorsque vous êtes prêt à commencer le processus de téléchargement." +#: src/components/conversation/ConversationLinks.tsx:156 +msgid "Click to see all {totalCount} conversations" +msgstr "Cliquez pour voir les {totalCount} conversations" + #: src/components/project/ProjectDangerZone.tsx:143 msgid "Clone project" msgstr "Cloner le projet" @@ -634,7 +733,13 @@ msgstr "Cloner le projet" msgid "Clone Project" msgstr "Cloner le projet" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:660 +msgid "select.all.modal.close" +msgstr "Fermer" + #: src/components/dropzone/UploadConversationDropzone.tsx:806 +#: src/components/conversation/ConversationLinks.tsx:107 msgid "Close" msgstr "Fermer" @@ -706,6 +811,20 @@ msgstr "Contexte" msgid "Context added:" msgstr "Contexte ajouté :" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:533 +msgid "select.all.modal.context.limit" +msgstr "Limite de contexte" + +#: src/components/conversation/SelectAllConfirmationModal.tsx:124 +msgid "Context limit reached" +msgstr "Limite de contexte atteinte" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:467 +msgid "select.all.modal.context.limit.reached" +msgstr "La limite de contexte a été atteinte. Certaines conversations n'ont pas pu être ajoutées." + #. js-lingui-explicit-id #: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 @@ -718,7 +837,7 @@ msgstr "Continuer" #~ msgid "conversation" #~ msgstr "conversation" -#: src/components/conversation/hooks/index.ts:406 +#: src/components/conversation/hooks/index.ts:407 msgid "Conversation added to chat" msgstr "Conversation ajoutée à la discussion" @@ -736,7 +855,7 @@ msgstr "Conversation terminée" #~ msgid "Conversation processing" #~ msgstr "Traitement de la conversation" -#: src/components/conversation/hooks/index.ts:548 +#: src/components/conversation/hooks/index.ts:549 msgid "Conversation removed from chat" msgstr "Conversation retirée de la discussion" @@ -759,7 +878,7 @@ msgstr "Détails du statut de la conversation" msgid "conversations" msgstr "conversations" -#: src/components/conversation/ConversationAccordion.tsx:899 +#: src/components/conversation/ConversationAccordion.tsx:1052 msgid "Conversations" msgstr "Conversations" @@ -919,8 +1038,8 @@ msgstr "Supprimé avec succès" #~ msgid "Dembrane ECHO" #~ msgstr "Dembrane ECHO" -#: src/routes/project/chat/ProjectChatRoute.tsx:718 -#: src/routes/project/chat/ProjectChatRoute.tsx:748 +#: src/routes/project/chat/ProjectChatRoute.tsx:732 +#: src/routes/project/chat/ProjectChatRoute.tsx:762 msgid "Dembrane is powered by AI. Please double-check responses." msgstr "Dembrane est propulsé par l’IA. Vérifie bien les réponses." @@ -1212,6 +1331,10 @@ msgstr "Erreur lors du chargement du projet" #~ msgid "Error loading quotes" #~ msgstr "Erreur lors du chargement des citations" +#: src/components/conversation/SelectAllConfirmationModal.tsx:130 +msgid "Error occurred" +msgstr "Une erreur s'est produite" + #: src/components/report/UpdateReportModalButton.tsx:80 msgid "Error updating report" msgstr "Erreur lors de la mise à jour du rapport" @@ -1250,15 +1373,20 @@ msgstr "Exporter" msgid "Failed" msgstr "Échec" -#: src/components/conversation/hooks/index.ts:328 +#: src/components/conversation/hooks/index.ts:329 msgid "Failed to add conversation to chat" msgstr "Échec de l'ajout de la conversation à la discussion" #. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" -#: src/components/conversation/hooks/index.ts:320 +#: src/components/conversation/hooks/index.ts:321 msgid "Failed to add conversation to chat{0}" msgstr "Échec de l'ajout de la conversation à la discussion{0}" +#: src/components/conversation/ConversationAccordion.tsx:933 +#: src/components/conversation/ConversationAccordion.tsx:949 +msgid "Failed to add conversations to context" +msgstr "Échec de l'ajout de conversations au contexte" + #: src/components/participant/verify/VerifyArtefact.tsx:136 msgid "Failed to approve artefact. Please try again." msgstr "Échec de l'approbation de l'artefact. Veuillez réessayer." @@ -1275,13 +1403,13 @@ msgstr "Échec de la copie de la transcription. Réessaie." msgid "Failed to delete response" msgstr "Échec de la suppression de la réponse" -#: src/components/conversation/hooks/index.ts:475 -#: src/components/conversation/hooks/index.ts:481 +#: src/components/conversation/hooks/index.ts:476 +#: src/components/conversation/hooks/index.ts:482 msgid "Failed to disable Auto Select for this chat" msgstr "Échec de la désactivation de la sélection automatique pour cette discussion" -#: src/components/conversation/hooks/index.ts:324 -#: src/components/conversation/hooks/index.ts:330 +#: src/components/conversation/hooks/index.ts:325 +#: src/components/conversation/hooks/index.ts:331 msgid "Failed to enable Auto Select for this chat" msgstr "Échec de l'activation de la sélection automatique pour cette discussion" @@ -1328,16 +1456,16 @@ msgstr "Échec de la régénération du résumé. Veuillez réessayer plus tard. msgid "Failed to reload. Please try again." msgstr "Échec du rechargement. Veuillez réessayer." -#: src/components/conversation/hooks/index.ts:479 +#: src/components/conversation/hooks/index.ts:480 msgid "Failed to remove conversation from chat" msgstr "Échec de la suppression de la conversation de la discussion" #. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" -#: src/components/conversation/hooks/index.ts:471 +#: src/components/conversation/hooks/index.ts:472 msgid "Failed to remove conversation from chat{0}" msgstr "Échec de la suppression de la conversation de la discussion{0}" -#: src/components/conversation/hooks/index.ts:610 +#: src/components/conversation/hooks/index.ts:647 msgid "Failed to retranscribe conversation. Please try again." msgstr "Échec de la transcription de la conversation. Veuillez réessayer." @@ -1516,7 +1644,7 @@ msgstr "Aller à la nouvelle conversation" #~ msgid "Grid view" #~ msgstr "Vue en grille" -#: src/components/conversation/ConversationAccordion.tsx:551 +#: src/components/conversation/ConversationAccordion.tsx:575 msgid "Has verified artifacts" msgstr "A des artefacts vérifiés" @@ -1813,8 +1941,8 @@ msgstr "Chargement de la transcription..." msgid "loading..." msgstr "chargement..." -#: src/components/conversation/ConversationAccordion.tsx:108 -#: src/components/conversation/hooks/index.ts:369 +#: src/components/conversation/ConversationAccordion.tsx:113 +#: src/components/conversation/hooks/index.ts:370 msgid "Loading..." msgstr "Chargement..." @@ -1838,7 +1966,7 @@ msgstr "Se connecter en tant qu'utilisateur existant" msgid "Logout" msgstr "Déconnexion" -#: src/components/conversation/ConversationAccordion.tsx:617 +#: src/components/conversation/ConversationAccordion.tsx:642 msgid "Longest First" msgstr "Plus long en premier" @@ -1886,12 +2014,12 @@ msgid "More templates" msgstr "Plus de templates" #: src/components/conversation/MoveConversationButton.tsx:218 -#: src/components/conversation/ConversationAccordion.tsx:339 +#: src/components/conversation/ConversationAccordion.tsx:344 msgid "Move" msgstr "Déplacer" #: src/components/conversation/MoveConversationButton.tsx:138 -#: src/components/conversation/ConversationAccordion.tsx:260 +#: src/components/conversation/ConversationAccordion.tsx:265 msgid "Move Conversation" msgstr "Déplacer" @@ -1899,7 +2027,7 @@ msgstr "Déplacer" msgid "Move to Another Project" msgstr "Déplacer vers un autre projet" -#: src/components/conversation/ConversationAccordion.tsx:257 +#: src/components/conversation/ConversationAccordion.tsx:262 msgid "Move to Project" msgstr "Déplacer vers un projet" @@ -1908,11 +2036,11 @@ msgstr "Déplacer vers un projet" msgid "Name" msgstr "Nom" -#: src/components/conversation/ConversationAccordion.tsx:615 +#: src/components/conversation/ConversationAccordion.tsx:640 msgid "Name A-Z" msgstr "Nom A-Z" -#: src/components/conversation/ConversationAccordion.tsx:616 +#: src/components/conversation/ConversationAccordion.tsx:641 msgid "Name Z-A" msgstr "Nom Z-A" @@ -1942,7 +2070,7 @@ msgstr "Nouveau mot de passe" msgid "New Project" msgstr "Nouveau projet" -#: src/components/conversation/ConversationAccordion.tsx:613 +#: src/components/conversation/ConversationAccordion.tsx:638 msgid "Newest First" msgstr "Plus récent en premier" @@ -2002,8 +2130,9 @@ msgstr "Aucune collection trouvée" msgid "No concrete topics available." msgstr "Aucun sujet concret disponible." -#~ msgid "No content" -#~ msgstr "Aucun contenu" +#: src/components/conversation/SelectAllConfirmationModal.tsx:126 +msgid "No content" +msgstr "Aucun contenu" #: src/routes/project/library/ProjectLibrary.tsx:151 msgid "No conversations available to create library" @@ -2021,10 +2150,15 @@ msgstr "Aucune conversation disponible pour créer la bibliothèque" msgid "No conversations found." msgstr "Aucune conversation trouvée." -#: src/components/conversation/ConversationAccordion.tsx:1211 +#: src/components/conversation/ConversationAccordion.tsx:1401 msgid "No conversations found. Start a conversation using the participation invite link from the <0><1>project overview." msgstr "Aucune conversation trouvée. Commencez une conversation en utilisant le lien d'invitation à participer depuis la <0><1>vue d'ensemble du projet." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:649 +msgid "select.all.modal.no.conversations" +msgstr "Aucune conversation n'a été traitée. Cela peut se produire si toutes les conversations sont déjà dans le contexte ou ne correspondent pas aux filtres sélectionnés." + #: src/components/report/CreateReportForm.tsx:88 msgid "No conversations yet" msgstr "Aucune conversation" @@ -2066,7 +2200,7 @@ msgid "No results" msgstr "Aucun résultat" #: src/components/conversation/ConversationEdit.tsx:207 -#: src/components/conversation/ConversationAccordion.tsx:1158 +#: src/components/conversation/ConversationAccordion.tsx:1314 msgid "No tags found" msgstr "Aucune étiquette trouvée" @@ -2103,6 +2237,11 @@ msgstr "Aucun sujet de vérification n'est configuré pour ce projet." #~ msgid "No verification topics available." #~ msgstr "No verification topics available." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:514 +msgid "select.all.modal.not.added" +msgstr "Non ajoutées" + #: src/routes/project/library/ProjectLibrary.tsx:149 msgid "Not available" msgstr "Non disponible" @@ -2110,7 +2249,7 @@ msgstr "Non disponible" #~ msgid "Now" #~ msgstr "Maintenant" -#: src/components/conversation/ConversationAccordion.tsx:614 +#: src/components/conversation/ConversationAccordion.tsx:639 msgid "Oldest First" msgstr "Plus ancien en premier" @@ -2125,7 +2264,7 @@ msgid "participant.concrete.instructions.read.aloud" msgstr "Une fois que tu as reçu {objectLabel}, lis-le à haute voix et partage à voix haute ce que tu souhaites changer, si besoin." #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:585 +#: src/components/conversation/ConversationAccordion.tsx:609 msgid "conversation.ongoing" msgstr "En cours" @@ -2171,8 +2310,8 @@ msgstr "Ouvrir le guide de dépannage" msgid "Open your authenticator app and enter the current six-digit code." msgstr "Ouvrez votre application d'authentification et entrez le code actuel à six chiffres." -#: src/components/conversation/ConversationAccordion.tsx:947 -#: src/components/conversation/ConversationAccordion.tsx:954 +#: src/components/conversation/ConversationAccordion.tsx:1100 +#: src/components/conversation/ConversationAccordion.tsx:1107 msgid "Options" msgstr "Options" @@ -2412,7 +2551,7 @@ msgstr "Veuillez sélectionner une langue pour votre rapport mis à jour" #~ msgid "Please select at least one source" #~ msgstr "Veuillez sélectionner au moins une source" -#: src/routes/project/chat/ProjectChatRoute.tsx:644 +#: src/routes/project/chat/ProjectChatRoute.tsx:658 msgid "Please select conversations from the sidebar to proceed" msgstr "Sélectionne des conversations dans la barre latérale pour continuer" @@ -2479,6 +2618,11 @@ msgstr "Imprimer ce rapport" msgid "Privacy Statements" msgstr "Déclarations de confidentialité" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:329 +msgid "select.all.modal.proceed" +msgstr "Continuer" + #: src/routes/project/report/ProjectReportRoute.tsx:335 msgid "Proceed" msgstr "Continuer" @@ -2489,6 +2633,11 @@ msgstr "Continuer" #~ msgid "Processing" #~ msgstr "Traitement" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:375 +msgid "select.all.modal.loading.description" +msgstr "Traitement de <0>{totalCount, plural, one {# conversation} other {# conversations}} et ajout à votre chat" + #~ msgid "Processing failed for this conversation. This conversation will not be available for analysis and chat." #~ msgstr "Le traitement de cette conversation a échoué. Cette conversation ne sera pas disponible pour l'analyse et le chat." @@ -2523,7 +2672,7 @@ msgstr "Nom du projet" msgid "Project name must be at least 4 characters long" msgstr "Le nom du projet doit comporter au moins 4 caractères" -#: src/routes/project/chat/NewChatRoute.tsx:62 +#: src/routes/project/chat/NewChatRoute.tsx:65 msgid "Project not found" msgstr "Projet introuvable" @@ -2687,7 +2836,7 @@ msgstr "Supprimer l'e-mail" msgid "Remove file" msgstr "Supprimer le fichier" -#: src/components/conversation/ConversationAccordion.tsx:153 +#: src/components/conversation/ConversationAccordion.tsx:158 msgid "Remove from this chat" msgstr "Supprimer de cette conversation" @@ -2768,8 +2917,8 @@ msgstr "Réinitialiser le Mot de Passe" msgid "Reset Password | Dembrane" msgstr "Réinitialiser le Mot de Passe | Dembrane" -#: src/components/conversation/ConversationAccordion.tsx:1179 -#: src/components/conversation/ConversationAccordion.tsx:1184 +#: src/components/conversation/ConversationAccordion.tsx:1338 +#: src/components/conversation/ConversationAccordion.tsx:1343 msgid "Reset to default" msgstr "Réinitialiser aux paramètres par défaut" @@ -2800,7 +2949,7 @@ msgstr "Rétranscrire la conversation" msgid "Retranscription started. New conversation will be available soon." msgstr "La rétranscrire a commencé. La nouvelle conversation sera disponible bientôt." -#: src/routes/project/chat/ProjectChatRoute.tsx:605 +#: src/routes/project/chat/ProjectChatRoute.tsx:616 msgid "Retry" msgstr "Réessayer" @@ -2858,11 +3007,16 @@ msgstr "Scannez le code QR ou copiez le secret dans votre application." msgid "Scroll to bottom" msgstr "Défiler vers le bas" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:408 +msgid "select.all.modal.loading.search" +msgstr "Rechercher" + #: src/components/conversation/MoveConversationButton.tsx:143 msgid "Search" msgstr "Rechercher" -#: src/components/conversation/ConversationAccordion.tsx:941 +#: src/components/conversation/ConversationAccordion.tsx:1094 msgid "Search conversations" msgstr "Rechercher des conversations" @@ -2870,16 +3024,16 @@ msgstr "Rechercher des conversations" msgid "Search projects" msgstr "Rechercher des projets" -#: src/components/conversation/ConversationAccordion.tsx:270 +#: src/components/conversation/ConversationAccordion.tsx:275 msgid "Search Projects" msgstr "Rechercher des projets" #: src/components/conversation/MoveConversationButton.tsx:144 -#: src/components/conversation/ConversationAccordion.tsx:274 +#: src/components/conversation/ConversationAccordion.tsx:279 msgid "Search projects..." msgstr "Rechercher des projets..." -#: src/components/conversation/ConversationAccordion.tsx:1077 +#: src/components/conversation/ConversationAccordion.tsx:1233 msgid "Search tags" msgstr "Rechercher des tags" @@ -2887,6 +3041,11 @@ msgstr "Rechercher des tags" msgid "Search templates..." msgstr "Rechercher des templates..." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:69 +msgid "select.all.modal.search.text" +msgstr "Texte de recherche :" + #: src/components/chat/SourcesSearched.tsx:13 msgid "Searched through the most relevant sources" msgstr "Recherché parmi les sources les plus pertinentes" @@ -2913,6 +3072,19 @@ msgstr "À bientôt" msgid "Select a microphone" msgstr "Sélectionner un microphone" +#: src/components/conversation/ConversationAccordion.tsx:1381 +msgid "Select all" +msgstr "Tout sélectionner" + +#: src/components/conversation/ConversationAccordion.tsx:1379 +msgid "Select all ({remainingCount})" +msgstr "Tout sélectionner ({remainingCount})" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:211 +msgid "select.all.modal.title.results" +msgstr "Sélectionner tous les résultats" + #: src/components/dropzone/UploadConversationDropzone.tsx:519 msgid "Select Audio Files to Upload" msgstr "Sélectionner les fichiers audio à télécharger" @@ -2925,7 +3097,7 @@ msgstr "Sélectionne des conversations et trouve des citations précises" msgid "Select conversations from sidebar" msgstr "Sélectionne des conversations dans la barre latérale" -#: src/components/conversation/ConversationAccordion.tsx:294 +#: src/components/conversation/ConversationAccordion.tsx:299 msgid "Select Project" msgstr "Sélectionner un projet" @@ -2968,7 +3140,7 @@ msgstr "Fichiers sélectionnés ({0}/{MAX_FILES})" msgid "participant.selected.microphone" msgstr "Microphone sélectionné" -#: src/routes/project/chat/ProjectChatRoute.tsx:738 +#: src/routes/project/chat/ProjectChatRoute.tsx:752 msgid "Send" msgstr "Envoyer" @@ -3020,7 +3192,7 @@ msgstr "Partager votre voix" msgid "Share your voice by scanning the QR code below." msgstr "Partager votre voix en scanant le code QR ci-dessous." -#: src/components/conversation/ConversationAccordion.tsx:618 +#: src/components/conversation/ConversationAccordion.tsx:643 msgid "Shortest First" msgstr "Plus court en premier" @@ -3099,6 +3271,11 @@ msgstr "Passer la carte de confidentialité (L'hôte gère la base légale)" msgid "Some files were already selected and won't be added twice." msgstr "Certains fichiers ont déjà été sélectionnés et ne seront pas ajoutés deux fois." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:317 +msgid "select.all.modal.skip.reason" +msgstr "certaines peuvent être ignorées en raison d'une transcription vide ou d'une limite de contexte" + #: src/routes/auth/Login.tsx:158 #: src/components/participant/ParticipantInitiateForm.tsx:84 #: src/components/conversation/ConversationEdit.tsx:144 @@ -3144,8 +3321,8 @@ msgstr "Une erreur s'est produite. Veuillez réessayer." msgid "participant.go.deeper.content.policy.violation.error.message" msgstr "Désolé, nous ne pouvons pas traiter cette demande en raison de la politique de contenu du fournisseur de LLM." -#: src/components/conversation/ConversationAccordion.tsx:1001 -#: src/components/conversation/ConversationAccordion.tsx:1008 +#: src/components/conversation/ConversationAccordion.tsx:1156 +#: src/components/conversation/ConversationAccordion.tsx:1163 msgid "Sort" msgstr "Trier" @@ -3201,7 +3378,7 @@ msgstr "Recommencer" msgid "Status" msgstr "Statut" -#: src/routes/project/chat/ProjectChatRoute.tsx:570 +#: src/routes/project/chat/ProjectChatRoute.tsx:581 msgid "Stop" msgstr "Arrêter" @@ -3282,8 +3459,8 @@ msgstr "Système" #: 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 +#: src/components/conversation/ConversationAccordion.tsx:1223 +#: src/components/conversation/ConversationAccordion.tsx:1226 msgid "Tags" msgstr "Étiquettes" @@ -3300,7 +3477,7 @@ msgstr "Take some time to create an outcome that makes your contribution concret 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:417 msgid "Template applied" msgstr "Template appliqué" @@ -3308,7 +3485,7 @@ msgstr "Template appliqué" msgid "Templates" msgstr "Modèles" -#: src/components/conversation/ConversationAccordion.tsx:410 +#: src/components/conversation/ConversationAccordion.tsx:415 msgid "Text" msgstr "Texte" @@ -3405,6 +3582,16 @@ msgstr "Il y avait une erreur lors de la vérification de votre e-mail. Veuillez #~ msgid "These are your default view templates. Once you create your library these will be your first two views." #~ msgstr "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." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:611 +msgid "select.all.modal.other.reason.description" +msgstr "Ces conversations ont été exclues en raison de transcriptions manquantes." + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:571 +msgid "select.all.modal.context.limit.reached.description" +msgstr "Ces conversations ont été ignorées car la limite de contexte a été atteinte." + #: src/components/view/DummyViews.tsx:8 msgid "These default view templates will be generated when you create your first library." msgstr "Ces modèles de vue par défaut seront générés lorsque vous créerez votre première bibliothèque." @@ -3506,6 +3693,11 @@ msgstr "Cela créera une copie du projet actuel. Seuls les paramètres et les é msgid "This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged." msgstr "Cela créera une nouvelle conversation avec la même audio mais une transcription fraîche. La conversation d'origine restera inchangée." +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:72 +msgid "add.tag.filter.modal.info" +msgstr "Cela filtrera la liste de conversations pour afficher les conversations avec cette étiquette." + #. js-lingui-explicit-id #: src/components/participant/verify/VerifyArtefact.tsx:308 msgid "participant.concrete.regenerating.artefact.description" @@ -3539,6 +3731,10 @@ msgstr "Pour assigner une nouvelle étiquette, veuillez la créer d'abord dans l msgid "To generate a report, please start by adding conversations in your project" msgstr "Pour générer un rapport, veuillez commencer par ajouter des conversations dans votre projet" +#: src/components/conversation/SelectAllConfirmationModal.tsx:128 +msgid "Too long" +msgstr "Trop long" + #: src/components/view/CreateViewForm.tsx:123 msgid "Topics" msgstr "Sujets" @@ -3673,7 +3869,7 @@ msgstr "Authentification à deux facteurs activée" msgid "Type" msgstr "Type" -#: src/routes/project/chat/ProjectChatRoute.tsx:693 +#: src/routes/project/chat/ProjectChatRoute.tsx:707 msgid "Type a message..." msgstr "Tapez un message..." @@ -3698,7 +3894,7 @@ msgstr "Impossible de charger l'artefact généré. Veuillez réessayer." msgid "Unable to process this chunk" msgstr "Impossible de traiter ce fragment" -#: src/routes/project/chat/ProjectChatRoute.tsx:408 +#: src/routes/project/chat/ProjectChatRoute.tsx:419 msgid "Undo" msgstr "Annuler" @@ -3706,6 +3902,10 @@ msgstr "Annuler" msgid "Unknown" msgstr "Inconnu" +#: src/components/conversation/SelectAllConfirmationModal.tsx:132 +msgid "Unknown reason" +msgstr "Raison inconnue" + #: src/components/announcement/AnnouncementDrawerHeader.tsx:39 msgid "unread announcement" msgstr "annonce non lue" @@ -3753,7 +3953,7 @@ msgstr "Mettre à niveau pour débloquer la sélection automatique et analyser 1 #: src/components/project/ProjectUploadSection.tsx:15 #: src/components/dropzone/UploadConversationDropzone.tsx:504 -#: src/components/conversation/ConversationAccordion.tsx:404 +#: src/components/conversation/ConversationAccordion.tsx:409 msgid "Upload" msgstr "Télécharger" @@ -3796,8 +3996,8 @@ msgstr "Téléchargement des fichiers audio..." msgid "Use PII Redaction" msgstr "Utiliser la rédaction PII" -#: src/routes/project/chat/ProjectChatRoute.tsx:715 -#: src/routes/project/chat/ProjectChatRoute.tsx:745 +#: src/routes/project/chat/ProjectChatRoute.tsx:729 +#: src/routes/project/chat/ProjectChatRoute.tsx:759 msgid "Use Shift + Enter to add a new line" msgstr "Utilisez Shift + Entrée pour ajouter une nouvelle ligne" @@ -3808,7 +4008,17 @@ msgstr "Utilisez Shift + Entrée pour ajouter une nouvelle ligne" #~ msgstr "verified" #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:1176 +#: src/components/conversation/SelectAllConfirmationModal.tsx:111 +msgid "select.all.modal.verified" +msgstr "Vérifié" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:431 +msgid "select.all.modal.loading.verified" +msgstr "Vérifié" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationAccordion.tsx:1333 msgid "conversation.filters.verified.text" msgstr "Vérifié" @@ -3818,7 +4028,7 @@ msgstr "Vérifié" #~ msgid "Verified Artefacts" #~ msgstr "Verified Artefacts" -#: src/components/conversation/ConversationAccordion.tsx:555 +#: src/components/conversation/ConversationAccordion.tsx:579 msgid "verified artifacts" msgstr "artefacts vérifiés" @@ -3928,7 +4138,7 @@ msgstr "Bon retour" #~ 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 "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." -#: src/routes/project/chat/ProjectChatRoute.tsx:506 +#: src/routes/project/chat/ProjectChatRoute.tsx:517 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 "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." @@ -3939,7 +4149,7 @@ msgstr "Bienvenue sur Dembrane!" #~ 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 "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." -#: src/routes/project/chat/ProjectChatRoute.tsx:505 +#: src/routes/project/chat/ProjectChatRoute.tsx:516 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 "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." @@ -3980,6 +4190,11 @@ msgstr "Qu’est-ce que tu veux explorer ?" msgid "will be included in your report" msgstr "sera inclus dans votre rapport" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:52 +msgid "add.tag.filter.modal.description" +msgstr "Souhaitez-vous ajouter cette étiquette à vos filtres actuels ?" + #. js-lingui-explicit-id #: src/components/participant/ParticipantConversationText.tsx:177 msgid "participant.button.finish.yes.text.mode" @@ -4001,6 +4216,15 @@ msgstr "Vous ne pouvez télécharger que jusqu'à {MAX_FILES} fichiers à la foi #~ msgid "You can still use the Ask feature to chat with any conversation" #~ msgstr "Vous pouvez toujours utiliser la fonction Dembrane Ask pour discuter avec n'importe quelle conversation" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:237 +msgid "select.all.modal.already.added" +msgstr "Vous avez déjà ajouté <0>{existingContextCount, plural, one {# conversation} other {# conversations}} à ce chat." + +#: src/components/conversation/ConversationAccordion.tsx:1364 +msgid "You have already added all the conversations related to this" +msgstr "Vous avez déjà ajouté toutes les conversations liées à ceci" + #. js-lingui-explicit-id #: src/components/participant/MicrophoneTest.tsx:391 msgid "participant.modal.change.mic.confirmation.text" diff --git a/echo/frontend/src/locales/fr-FR.ts b/echo/frontend/src/locales/fr-FR.ts index 7ae8dc2a..3e9b7e39 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\"],\"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 +/*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é)\"],\"e6iRhF\":[[\"0\",\"plural\",{\"one\":[\"#\",\" étiquette\"],\"other\":[\"#\",\" étiquettes\"]}]],\"select.all.modal.tags\":[[\"0\",\"plural\",{\"one\":[\"Étiquette :\"],\"other\":[\"Étiquettes :\"]}]],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" prêt\"],\"select.all.modal.added.count\":[[\"0\"],\" ajoutées\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Modifié le \",[\"1\"]],\"select.all.modal.not.added.count\":[[\"0\"],\" non ajoutées\"],\"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.*\"],\"ynBObK\":[\"+\",[\"hiddenCount\"],\" conversations\"],\"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\"],\"select.all.modal.loading.filters\":[\"Filtres actifs\"],\"m16xKo\":[\"Ajouter\"],\"1m+3Z3\":[\"Ajouter un contexte supplémentaire (Optionnel)\"],\"Se1KZw\":[\"Ajouter tout ce qui s'applique\"],\"select.all.modal.title.add\":[\"Ajouter des conversations au contexte\"],\"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\"],\"add.tag.filter.modal.title\":[\"Ajouter une étiquette aux filtres\"],\"IKoyMv\":[\"Ajouter des étiquettes\"],\"add.tag.filter.modal.add\":[\"Ajouter aux filtres\"],\"NffMsn\":[\"Ajouter à cette conversation\"],\"select.all.modal.added\":[\"Ajoutées\"],\"Na90E+\":[\"E-mails ajoutés\"],\"select.all.modal.add.without.filters\":[\"Ajout de <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" au chat\"],\"select.all.modal.add.with.filters\":[\"Ajout de <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" avec les filtres suivants :\"],\"select.all.modal.add.without.filters.more\":[\"Ajout de <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation supplémentaire\"],\"other\":[\"#\",\" conversations supplémentaires\"]}],\"\"],\"select.all.modal.add.with.filters.more\":[\"Ajout de <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation supplémentaire\"],\"other\":[\"#\",\" conversations supplémentaires\"]}],\" avec les filtres suivants :\"],\"SJCAsQ\":[\"Ajout du contexte :\"],\"select.all.modal.loading.title\":[\"Ajout de conversations\"],\"OaKXud\":[\"Avancé (Astuces et conseils)\"],\"TBpbDp\":[\"Avancé (Astuces et conseils)\"],\"JiIKww\":[\"Paramètres avancés\"],\"cF7bEt\":[\"Toutes les actions\"],\"O1367B\":[\"Toutes les collections\"],\"gvykaX\":[\"Toutes les conversations\"],\"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\"],\"xNyrs1\":[\"Déjà dans le contexte\"],\"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 ?\"],\"select.all.modal.cancel\":[\"Annuler\"],\"add.tag.filter.modal.cancel\":[\"Annuler\"],\"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.\"],\"jcSz6S\":[\"Cliquez pour voir les \",[\"totalCount\"],\" conversations\"],\"BPrdpc\":[\"Cloner le projet\"],\"9U86tL\":[\"Cloner le projet\"],\"select.all.modal.close\":[\"Fermer\"],\"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é :\"],\"select.all.modal.context.limit\":[\"Limite de contexte\"],\"aVvy3Y\":[\"Limite de contexte atteinte\"],\"select.all.modal.context.limit.reached\":[\"La limite de contexte a été atteinte. Certaines conversations n'ont pas pu être ajoutées.\"],\"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\"],\"4kVRov\":[\"Une erreur s'est produite\"],\"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\"]],\"g5wCZj\":[\"Échec de l'ajout de conversations au contexte\"],\"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.\"],\"select.all.modal.no.conversations\":[\"Aucune conversation n'a été traitée. Cela peut se produire si toutes les conversations sont déjà dans le contexte ou ne correspondent pas aux filtres sélectionnés.\"],\"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.\"],\"select.all.modal.not.added\":[\"Non ajoutées\"],\"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é\"],\"select.all.modal.proceed\":[\"Continuer\"],\"qAGp2O\":[\"Continuer\"],\"stk3Hv\":[\"traitement\"],\"vrnnn9\":[\"Traitement\"],\"select.all.modal.loading.description\":[\"Traitement de <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" et ajout à votre chat\"],\"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\"],\"select.all.modal.loading.search\":[\"Rechercher\"],\"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...\"],\"select.all.modal.search.text\":[\"Texte de recherche :\"],\"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\"],\"wgNoIs\":[\"Tout sélectionner\"],\"+fRipn\":[\"Tout sélectionner (\",[\"remainingCount\"],\")\"],\"select.all.modal.title.results\":[\"Sélectionner tous les résultats\"],\"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.\"],\"select.all.modal.skip.reason\":[\"certaines peuvent être ignorées en raison d'une transcription vide ou d'une limite de contexte\"],\"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.\"],\"select.all.modal.other.reason.description\":[\"Ces conversations ont été exclues en raison de transcriptions manquantes.\"],\"select.all.modal.context.limit.reached.description\":[\"Ces conversations ont été ignorées car la limite de contexte a été atteinte.\"],\"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.\"],\"add.tag.filter.modal.info\":[\"Cela filtrera la liste de conversations pour afficher les conversations avec cette étiquette.\"],\"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\"],\"yIsdT7\":[\"Trop long\"],\"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\"],\"1MTTTw\":[\"Raison inconnue\"],\"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\"],\"select.all.modal.verified\":[\"Vérifié\"],\"select.all.modal.loading.verified\":[\"Vérifié\"],\"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\"],\"add.tag.filter.modal.description\":[\"Souhaitez-vous ajouter cette étiquette à vos filtres actuels ?\"],\"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\"],\"select.all.modal.already.added\":[\"Vous avez déjà ajouté <0>\",[\"existingContextCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" à ce chat.\"],\"7W35AW\":[\"Vous avez déjà ajouté toutes les conversations liées à ceci\"],\"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 5fbe69ec..f7e7e513 100644 --- a/echo/frontend/src/locales/it-IT.po +++ b/echo/frontend/src/locales/it-IT.po @@ -339,10 +339,21 @@ msgstr "\"Refine\" available soon" #~ msgid "(for enhanced audio processing)" #~ msgstr "(for enhanced audio processing)" +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:415 +msgid "{0, plural, one {# tag} other {# tags}}" +msgstr "{0, plural, one {# tag} other {# tags}}" + +#. js-lingui-explicit-id +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:82 +msgid "select.all.modal.tags" +msgstr "{0, plural, one {Tag:} other {Tags:}}" + #. placeholder {0}: isAssistantTyping ? "Assistant is typing..." : "Thinking..." #. placeholder {0}: selectedOption.transitionMessage #. placeholder {0}: selectedOption.transitionDescription -#: src/routes/project/chat/ProjectChatRoute.tsx:559 +#: src/routes/project/chat/ProjectChatRoute.tsx:570 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 #: src/components/project/ProjectPortalEditor.tsx:433 @@ -354,6 +365,12 @@ msgstr "{0}" #~ msgid "{0} {1} ready" #~ msgstr "{0} {1} ready" +#. js-lingui-explicit-id +#. placeholder {0}: result.added.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:449 +msgid "select.all.modal.added.count" +msgstr "{0} added" + #: src/components/project/ProjectCard.tsx:35 #: src/components/project/ProjectListItem.tsx:34 #~ msgid "{0} Conversation{1} • Edited {2}" @@ -368,6 +385,12 @@ msgstr "{0}" msgid "{0} Conversations • Edited {1}" msgstr "{0} Conversations • Edited {1}" +#. js-lingui-explicit-id +#. placeholder {0}: reallySkipped.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:455 +msgid "select.all.modal.not.added.count" +msgstr "{0} not added" + #: src/components/chat/ChatModeBanner.tsx:61 msgid "{conversationCount} selected" msgstr "{conversationCount} selected" @@ -406,6 +429,10 @@ msgstr "{unfinishedConversationsCount} still processing." msgid "*Transcription in progress.*" msgstr "*Transcription in progress.*" +#: src/components/conversation/ConversationLinks.tsx:167 +msgid "+{hiddenCount} conversations" +msgstr "+{hiddenCount} conversations" + #: src/routes/project/conversation/ProjectConversationTranscript.tsx:597 #~ msgid "+5s" #~ msgstr "+5s" @@ -435,6 +462,11 @@ msgstr "Action On" msgid "Actions" msgstr "Actions" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:400 +msgid "select.all.modal.loading.filters" +msgstr "Active filters" + #: src/routes/participant/ParticipantPostConversation.tsx:179 msgid "Add" msgstr "Add" @@ -447,6 +479,11 @@ msgstr "Add additional context (Optional)" msgid "Add all that apply" msgstr "Add all that apply" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:215 +msgid "select.all.modal.title.add" +msgstr "Add Conversations to Context" + #: 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." @@ -459,22 +496,62 @@ msgstr "Add new recordings to this project. Files you upload here will be proces msgid "Add Tag" msgstr "Add Tag" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:40 +msgid "add.tag.filter.modal.title" +msgstr "Add Tag to Filters" + #: src/components/project/ProjectTagsInput.tsx:257 msgid "Add Tags" msgstr "Add Tags" -#: src/components/conversation/ConversationAccordion.tsx:154 +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:84 +msgid "add.tag.filter.modal.add" +msgstr "Add to Filters" + +#: src/components/conversation/ConversationAccordion.tsx:159 msgid "Add to this chat" msgstr "Add to this chat" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:495 +msgid "select.all.modal.added" +msgstr "Added" + #: src/routes/participant/ParticipantPostConversation.tsx:187 msgid "Added emails" msgstr "Added emails" -#: src/routes/project/chat/ProjectChatRoute.tsx:655 +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:268 +msgid "select.all.modal.add.without.filters" +msgstr "Adding <0>{totalCount, plural, one {# conversation} other {# conversations}} to the chat" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:256 +msgid "select.all.modal.add.with.filters" +msgstr "Adding <0>{totalCount, plural, one {# conversation} other {# conversations}} with the following filters:" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:295 +msgid "select.all.modal.add.without.filters.more" +msgstr "Adding <0>{totalCount, plural, one {# more conversation} other {# more conversations}}" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:283 +msgid "select.all.modal.add.with.filters.more" +msgstr "Adding <0>{totalCount, plural, one {# more conversation} other {# more conversations}} with the following filters:" + +#: src/routes/project/chat/ProjectChatRoute.tsx:669 msgid "Adding Context:" msgstr "Adding Context:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:364 +msgid "select.all.modal.loading.title" +msgstr "Adding Conversations" + #: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Advanced (Tips and best practices)" @@ -495,6 +572,10 @@ msgstr "All actions" msgid "All collections" msgstr "All collections" +#: src/components/conversation/ConversationLinks.tsx:81 +msgid "All Conversations" +msgstr "All Conversations" + #: src/components/report/CreateReportForm.tsx:113 #~ msgid "All conversations ready" #~ msgstr "All conversations ready" @@ -515,10 +596,14 @@ msgstr "Allow participants using the link to start new conversations" msgid "Almost there" msgstr "Almost there" -#: src/components/conversation/ConversationAccordion.tsx:149 +#: src/components/conversation/ConversationAccordion.tsx:154 msgid "Already added to this chat" msgstr "Already added to this chat" +#: src/components/conversation/SelectAllConfirmationModal.tsx:122 +msgid "Already in context" +msgstr "Already in context" + #. placeholder {0}: participantCount !== undefined ? participantCount : t`loading...` #. placeholder {1}: participantCount === 1 ? "" : "s" #: src/routes/project/report/ProjectReportRoute.tsx:321 @@ -533,7 +618,7 @@ msgstr "An email notification will be sent to {0} participant{1}. Do you want to 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:608 msgid "An error occurred." msgstr "An error occurred." @@ -732,11 +817,11 @@ msgstr "Authenticator code" msgid "Auto-select" msgstr "Auto-select" -#: src/components/conversation/hooks/index.ts:547 +#: src/components/conversation/hooks/index.ts:548 msgid "Auto-select disabled" msgstr "Auto-select disabled" -#: src/components/conversation/hooks/index.ts:405 +#: src/components/conversation/hooks/index.ts:406 msgid "Auto-select enabled" msgstr "Auto-select enabled" @@ -814,6 +899,16 @@ msgstr "Brainstorm Ideas" 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?" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:326 +msgid "select.all.modal.cancel" +msgstr "Cancel" + +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:81 +msgid "add.tag.filter.modal.cancel" +msgstr "Cancel" + #: src/routes/project/report/ProjectReportRoute.tsx:332 #: src/components/settings/TwoFactorSettingsCard.tsx:406 #: src/components/project/ProjectDangerZone.tsx:137 @@ -821,7 +916,7 @@ msgstr "By deleting this project, you will delete all the data associated with i #: src/components/dropzone/UploadConversationDropzone.tsx:686 #: src/components/dropzone/UploadConversationDropzone.tsx:806 #: src/components/conversation/MoveConversationButton.tsx:208 -#: src/components/conversation/ConversationAccordion.tsx:329 +#: src/components/conversation/ConversationAccordion.tsx:334 msgid "Cancel" msgstr "Cancel" @@ -840,7 +935,7 @@ msgstr "Cancel" msgid "participant.concrete.instructions.button.cancel" msgstr "Cancel" -#: src/components/conversation/ConversationAccordion.tsx:151 +#: src/components/conversation/ConversationAccordion.tsx:156 msgid "Cannot add empty conversation" msgstr "Cannot add empty conversation" @@ -856,12 +951,12 @@ msgstr "Changes will be saved automatically" 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:489 +#: src/routes/project/chat/ProjectChatRoute.tsx:494 msgid "Chat" msgstr "Chat" -#: src/routes/project/chat/ProjectChatRoute.tsx:276 +#: src/routes/project/chat/ProjectChatRoute.tsx:281 msgid "Chat | Dembrane" msgstr "Chat | Dembrane" @@ -908,6 +1003,10 @@ msgstr "Choose your preferred theme for the interface" 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/conversation/ConversationLinks.tsx:156 +msgid "Click to see all {totalCount} conversations" +msgstr "Click to see all {totalCount} conversations" + #: src/components/project/ProjectDangerZone.tsx:143 msgid "Clone project" msgstr "Clone project" @@ -917,7 +1016,13 @@ msgstr "Clone project" msgid "Clone Project" msgstr "Clone Project" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:660 +msgid "select.all.modal.close" +msgstr "Close" + #: src/components/dropzone/UploadConversationDropzone.tsx:806 +#: src/components/conversation/ConversationLinks.tsx:107 msgid "Close" msgstr "Close" @@ -992,6 +1097,20 @@ msgstr "Context" msgid "Context added:" msgstr "Context added:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:533 +msgid "select.all.modal.context.limit" +msgstr "Context limit" + +#: src/components/conversation/SelectAllConfirmationModal.tsx:124 +msgid "Context limit reached" +msgstr "Context limit reached" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:467 +msgid "select.all.modal.context.limit.reached" +msgstr "Context limit was reached. Some conversations could not be added." + #. js-lingui-explicit-id #: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 @@ -1007,7 +1126,7 @@ msgstr "Continue" #~ msgid "conversation" #~ msgstr "conversation" -#: src/components/conversation/hooks/index.ts:406 +#: src/components/conversation/hooks/index.ts:407 msgid "Conversation added to chat" msgstr "Conversation added to chat" @@ -1028,7 +1147,7 @@ msgstr "Conversation Ended" #~ msgid "Conversation processing" #~ msgstr "Conversation processing" -#: src/components/conversation/hooks/index.ts:548 +#: src/components/conversation/hooks/index.ts:549 msgid "Conversation removed from chat" msgstr "Conversation removed from chat" @@ -1045,7 +1164,7 @@ msgstr "Conversation Status Details" msgid "conversations" msgstr "conversations" -#: src/components/conversation/ConversationAccordion.tsx:899 +#: src/components/conversation/ConversationAccordion.tsx:1052 msgid "Conversations" msgstr "Conversations" @@ -1202,8 +1321,8 @@ msgstr "Deleted successfully" #~ msgid "Dembrane ECHO" #~ msgstr "Dembrane ECHO" -#: src/routes/project/chat/ProjectChatRoute.tsx:718 -#: src/routes/project/chat/ProjectChatRoute.tsx:748 +#: src/routes/project/chat/ProjectChatRoute.tsx:732 +#: src/routes/project/chat/ProjectChatRoute.tsx:762 msgid "Dembrane is powered by AI. Please double-check responses." msgstr "Dembrane is powered by AI. Please double-check responses." @@ -1527,6 +1646,10 @@ msgstr "Error loading project" #~ msgid "Error loading quotes" #~ msgstr "Error loading quotes" +#: src/components/conversation/SelectAllConfirmationModal.tsx:130 +msgid "Error occurred" +msgstr "Error occurred" + #: src/components/report/UpdateReportModalButton.tsx:80 msgid "Error updating report" msgstr "Error updating report" @@ -1574,15 +1697,20 @@ msgstr "Export" msgid "Failed" msgstr "Failed" -#: src/components/conversation/hooks/index.ts:328 +#: src/components/conversation/hooks/index.ts:329 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 +#: src/components/conversation/hooks/index.ts:321 msgid "Failed to add conversation to chat{0}" msgstr "Failed to add conversation to chat{0}" +#: src/components/conversation/ConversationAccordion.tsx:933 +#: src/components/conversation/ConversationAccordion.tsx:949 +msgid "Failed to add conversations to context" +msgstr "Failed to add conversations to context" + #: src/components/participant/verify/VerifyArtefact.tsx:136 msgid "Failed to approve artefact. Please try again." msgstr "Failed to approve artefact. Please try again." @@ -1599,13 +1727,13 @@ msgstr "Failed to copy transcript. Please try again." msgid "Failed to delete response" msgstr "Failed to delete response" -#: src/components/conversation/hooks/index.ts:475 -#: src/components/conversation/hooks/index.ts:481 +#: src/components/conversation/hooks/index.ts:476 +#: src/components/conversation/hooks/index.ts:482 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 +#: src/components/conversation/hooks/index.ts:325 +#: src/components/conversation/hooks/index.ts:331 msgid "Failed to enable Auto Select for this chat" msgstr "Failed to enable Auto Select for this chat" @@ -1660,16 +1788,16 @@ msgstr "Failed to regenerate the summary. Please try again later." msgid "Failed to reload. Please try again." msgstr "Failed to reload. Please try again." -#: src/components/conversation/hooks/index.ts:479 +#: src/components/conversation/hooks/index.ts:480 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 +#: src/components/conversation/hooks/index.ts:472 msgid "Failed to remove conversation from chat{0}" msgstr "Failed to remove conversation from chat{0}" -#: src/components/conversation/hooks/index.ts:610 +#: src/components/conversation/hooks/index.ts:647 msgid "Failed to retranscribe conversation. Please try again." msgstr "Failed to retranscribe conversation. Please try again." @@ -1857,7 +1985,7 @@ msgstr "Go to new conversation" #~ msgid "Grid view" #~ msgstr "Grid view" -#: src/components/conversation/ConversationAccordion.tsx:551 +#: src/components/conversation/ConversationAccordion.tsx:575 msgid "Has verified artifacts" msgstr "Has verified artifacts" @@ -2033,7 +2161,7 @@ msgstr "It sounds like more than one person is speaking. Taking turns will help #: src/components/project/ProjectPortalEditor.tsx:469 msgid "Italian" -msgstr "Italiano" +msgstr "Italian" #. placeholder {0}: project?.default_conversation_title ?? "the conversation" #: src/components/project/ProjectQRCode.tsx:103 @@ -2171,8 +2299,8 @@ msgstr "Loading transcript..." msgid "loading..." msgstr "loading..." -#: src/components/conversation/ConversationAccordion.tsx:108 -#: src/components/conversation/hooks/index.ts:369 +#: src/components/conversation/ConversationAccordion.tsx:113 +#: src/components/conversation/hooks/index.ts:370 msgid "Loading..." msgstr "Loading..." @@ -2196,7 +2324,7 @@ msgstr "Login as an existing user" msgid "Logout" msgstr "Logout" -#: src/components/conversation/ConversationAccordion.tsx:617 +#: src/components/conversation/ConversationAccordion.tsx:642 msgid "Longest First" msgstr "Longest First" @@ -2245,12 +2373,12 @@ msgid "More templates" msgstr "More templates" #: src/components/conversation/MoveConversationButton.tsx:218 -#: src/components/conversation/ConversationAccordion.tsx:339 +#: src/components/conversation/ConversationAccordion.tsx:344 msgid "Move" msgstr "Move" #: src/components/conversation/MoveConversationButton.tsx:138 -#: src/components/conversation/ConversationAccordion.tsx:260 +#: src/components/conversation/ConversationAccordion.tsx:265 msgid "Move Conversation" msgstr "Move Conversation" @@ -2258,7 +2386,7 @@ msgstr "Move Conversation" msgid "Move to Another Project" msgstr "Move to Another Project" -#: src/components/conversation/ConversationAccordion.tsx:257 +#: src/components/conversation/ConversationAccordion.tsx:262 msgid "Move to Project" msgstr "Move to Project" @@ -2267,11 +2395,11 @@ msgstr "Move to Project" msgid "Name" msgstr "Name" -#: src/components/conversation/ConversationAccordion.tsx:615 +#: src/components/conversation/ConversationAccordion.tsx:640 msgid "Name A-Z" msgstr "Name A-Z" -#: src/components/conversation/ConversationAccordion.tsx:616 +#: src/components/conversation/ConversationAccordion.tsx:641 msgid "Name Z-A" msgstr "Name Z-A" @@ -2302,7 +2430,7 @@ msgstr "New Password" msgid "New Project" msgstr "New Project" -#: src/components/conversation/ConversationAccordion.tsx:613 +#: src/components/conversation/ConversationAccordion.tsx:638 msgid "Newest First" msgstr "Newest First" @@ -2364,9 +2492,9 @@ msgstr "No collections found" msgid "No concrete topics available." msgstr "No concrete topics available." -#: src/components/conversation/ConversationChunkAudioTranscript.tsx:355 -#~ msgid "No content" -#~ msgstr "No content" +#: src/components/conversation/SelectAllConfirmationModal.tsx:126 +msgid "No content" +msgstr "No content" #: src/routes/project/library/ProjectLibrary.tsx:151 msgid "No conversations available to create library" @@ -2385,10 +2513,15 @@ msgstr "No conversations available to create library. Please add some conversati msgid "No conversations found." msgstr "No conversations found." -#: src/components/conversation/ConversationAccordion.tsx:1211 +#: src/components/conversation/ConversationAccordion.tsx:1401 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." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:649 +msgid "select.all.modal.no.conversations" +msgstr "No conversations were processed. This may happen if all conversations are already in context or don't match the selected filters." + #: src/components/report/CreateReportForm.tsx:88 msgid "No conversations yet" msgstr "No conversations yet" @@ -2435,7 +2568,7 @@ msgid "No results" msgstr "No results" #: src/components/conversation/ConversationEdit.tsx:207 -#: src/components/conversation/ConversationAccordion.tsx:1158 +#: src/components/conversation/ConversationAccordion.tsx:1314 msgid "No tags found" msgstr "No tags found" @@ -2475,6 +2608,11 @@ msgstr "No verification topics are configured for this project." #~ msgid "No verification topics available." #~ msgstr "No verification topics available." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:514 +msgid "select.all.modal.not.added" +msgstr "Not Added" + #: src/routes/project/library/ProjectLibrary.tsx:149 msgid "Not available" msgstr "Not available" @@ -2483,7 +2621,7 @@ msgstr "Not available" #~ msgid "Now" #~ msgstr "Now" -#: src/components/conversation/ConversationAccordion.tsx:614 +#: src/components/conversation/ConversationAccordion.tsx:639 msgid "Oldest First" msgstr "Oldest First" @@ -2498,7 +2636,7 @@ 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 +#: src/components/conversation/ConversationAccordion.tsx:609 msgid "conversation.ongoing" msgstr "Ongoing" @@ -2549,8 +2687,8 @@ msgstr "Open troubleshooting guide" 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 +#: src/components/conversation/ConversationAccordion.tsx:1100 +#: src/components/conversation/ConversationAccordion.tsx:1107 msgid "Options" msgstr "Options" @@ -2693,7 +2831,7 @@ msgstr "Please select a language for your updated report" #~ msgid "Please select at least one source" #~ msgstr "Please select at least one source" -#: src/routes/project/chat/ProjectChatRoute.tsx:644 +#: src/routes/project/chat/ProjectChatRoute.tsx:658 msgid "Please select conversations from the sidebar to proceed" msgstr "Please select conversations from the sidebar to proceed" @@ -2764,6 +2902,11 @@ msgstr "Print this report" msgid "Privacy Statements" msgstr "Privacy Statements" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:329 +msgid "select.all.modal.proceed" +msgstr "Proceed" + #: src/routes/project/report/ProjectReportRoute.tsx:335 msgid "Proceed" msgstr "Proceed" @@ -2776,6 +2919,11 @@ msgstr "Proceed" #~ msgid "Processing" #~ msgstr "Processing" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:375 +msgid "select.all.modal.loading.description" +msgstr "Processing <0>{totalCount, plural, one {# conversation} other {# conversations}} and adding them to your chat" + #: 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." @@ -2813,7 +2961,7 @@ msgstr "Project name" 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 +#: src/routes/project/chat/NewChatRoute.tsx:65 msgid "Project not found" msgstr "Project not found" @@ -2995,7 +3143,7 @@ msgstr "Remove Email" msgid "Remove file" msgstr "Remove file" -#: src/components/conversation/ConversationAccordion.tsx:153 +#: src/components/conversation/ConversationAccordion.tsx:158 msgid "Remove from this chat" msgstr "Remove from this chat" @@ -3079,8 +3227,8 @@ msgstr "Reset Password" msgid "Reset Password | Dembrane" msgstr "Reset Password | Dembrane" -#: src/components/conversation/ConversationAccordion.tsx:1179 -#: src/components/conversation/ConversationAccordion.tsx:1184 +#: src/components/conversation/ConversationAccordion.tsx:1338 +#: src/components/conversation/ConversationAccordion.tsx:1343 msgid "Reset to default" msgstr "Reset to default" @@ -3113,7 +3261,7 @@ msgstr "Retranscribe Conversation" 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:616 msgid "Retry" msgstr "Retry" @@ -3172,11 +3320,16 @@ msgstr "Scan the QR code or copy the secret into your app." msgid "Scroll to bottom" msgstr "Scroll to bottom" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:408 +msgid "select.all.modal.loading.search" +msgstr "Search" + #: src/components/conversation/MoveConversationButton.tsx:143 msgid "Search" msgstr "Search" -#: src/components/conversation/ConversationAccordion.tsx:941 +#: src/components/conversation/ConversationAccordion.tsx:1094 msgid "Search conversations" msgstr "Search conversations" @@ -3184,16 +3337,16 @@ msgstr "Search conversations" msgid "Search projects" msgstr "Search projects" -#: src/components/conversation/ConversationAccordion.tsx:270 +#: src/components/conversation/ConversationAccordion.tsx:275 msgid "Search Projects" msgstr "Search Projects" #: src/components/conversation/MoveConversationButton.tsx:144 -#: src/components/conversation/ConversationAccordion.tsx:274 +#: src/components/conversation/ConversationAccordion.tsx:279 msgid "Search projects..." msgstr "Search projects..." -#: src/components/conversation/ConversationAccordion.tsx:1077 +#: src/components/conversation/ConversationAccordion.tsx:1233 msgid "Search tags" msgstr "Search tags" @@ -3201,6 +3354,11 @@ msgstr "Search tags" msgid "Search templates..." msgstr "Search templates..." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:69 +msgid "select.all.modal.search.text" +msgstr "Search text:" + #: src/components/chat/SourcesSearched.tsx:13 msgid "Searched through the most relevant sources" msgstr "Searched through the most relevant sources" @@ -3229,6 +3387,19 @@ msgstr "See you soon" msgid "Select a microphone" msgstr "Select a microphone" +#: src/components/conversation/ConversationAccordion.tsx:1381 +msgid "Select all" +msgstr "Select all" + +#: src/components/conversation/ConversationAccordion.tsx:1379 +msgid "Select all ({remainingCount})" +msgstr "Select all ({remainingCount})" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:211 +msgid "select.all.modal.title.results" +msgstr "Select All Results" + #: src/components/dropzone/UploadConversationDropzone.tsx:519 msgid "Select Audio Files to Upload" msgstr "Select Audio Files to Upload" @@ -3241,7 +3412,7 @@ msgstr "Select conversations and find exact quotes" msgid "Select conversations from sidebar" msgstr "Select conversations from sidebar" -#: src/components/conversation/ConversationAccordion.tsx:294 +#: src/components/conversation/ConversationAccordion.tsx:299 msgid "Select Project" msgstr "Select Project" @@ -3285,7 +3456,7 @@ msgstr "Selected Files ({0}/{MAX_FILES})" msgid "participant.selected.microphone" msgstr "Selected microphone:" -#: src/routes/project/chat/ProjectChatRoute.tsx:738 +#: src/routes/project/chat/ProjectChatRoute.tsx:752 msgid "Send" msgstr "Send" @@ -3338,7 +3509,7 @@ msgstr "Share your voice" 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 +#: src/components/conversation/ConversationAccordion.tsx:643 msgid "Shortest First" msgstr "Shortest First" @@ -3424,6 +3595,11 @@ msgstr "Skip data privacy slide (Host manages legal base)" msgid "Some files were already selected and won't be added twice." msgstr "Some files were already selected and won't be added twice." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:317 +msgid "select.all.modal.skip.reason" +msgstr "some might skip due to empty transcript or context limit" + #: src/routes/auth/Login.tsx:158 #: src/components/participant/ParticipantInitiateForm.tsx:84 #: src/components/conversation/ConversationEdit.tsx:144 @@ -3470,8 +3646,8 @@ msgstr "Something went wrong. Please try again." 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 +#: src/components/conversation/ConversationAccordion.tsx:1156 +#: src/components/conversation/ConversationAccordion.tsx:1163 msgid "Sort" msgstr "Sort" @@ -3532,7 +3708,7 @@ msgstr "Start over" msgid "Status" msgstr "Status" -#: src/routes/project/chat/ProjectChatRoute.tsx:570 +#: src/routes/project/chat/ProjectChatRoute.tsx:581 msgid "Stop" msgstr "Stop" @@ -3616,8 +3792,8 @@ 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 +#: src/components/conversation/ConversationAccordion.tsx:1223 +#: src/components/conversation/ConversationAccordion.tsx:1226 msgid "Tags" msgstr "Tags" @@ -3634,7 +3810,7 @@ msgstr "Take some time to create an outcome that makes your contribution concret 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:417 msgid "Template applied" msgstr "Template applied" @@ -3642,7 +3818,7 @@ msgstr "Template applied" msgid "Templates" msgstr "Templates" -#: src/components/conversation/ConversationAccordion.tsx:410 +#: src/components/conversation/ConversationAccordion.tsx:415 msgid "Text" msgstr "Text" @@ -3752,6 +3928,16 @@ msgstr "There was an error verifying your email. Please try again." #~ 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." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:611 +msgid "select.all.modal.other.reason.description" +msgstr "These conversations were excluded due to missing transcripts." + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:571 +msgid "select.all.modal.context.limit.reached.description" +msgstr "These conversations were skipped because the context limit was reached." + #: 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." @@ -3873,6 +4059,11 @@ msgstr "This will create a copy of the current project. Only settings and tags a 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/conversation/AddTagFilterModal.tsx:72 +msgid "add.tag.filter.modal.info" +msgstr "This will filter the conversation list to show conversations with this tag." + #. js-lingui-explicit-id #: src/components/participant/verify/VerifyArtefact.tsx:308 msgid "participant.concrete.regenerating.artefact.description" @@ -3911,6 +4102,10 @@ msgstr "To assign a new tag, please create it first in the project overview." 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/conversation/SelectAllConfirmationModal.tsx:128 +msgid "Too long" +msgstr "Too long" + #: src/components/view/CreateViewForm.tsx:123 msgid "Topics" msgstr "Topics" @@ -4054,7 +4249,7 @@ msgstr "Two-factor authentication enabled" msgid "Type" msgstr "Type" -#: src/routes/project/chat/ProjectChatRoute.tsx:693 +#: src/routes/project/chat/ProjectChatRoute.tsx:707 msgid "Type a message..." msgstr "Type a message..." @@ -4079,7 +4274,7 @@ msgstr "Unable to load the generated artefact. Please try again." msgid "Unable to process this chunk" msgstr "Unable to process this chunk" -#: src/routes/project/chat/ProjectChatRoute.tsx:408 +#: src/routes/project/chat/ProjectChatRoute.tsx:419 msgid "Undo" msgstr "Undo" @@ -4087,6 +4282,10 @@ msgstr "Undo" msgid "Unknown" msgstr "Unknown" +#: src/components/conversation/SelectAllConfirmationModal.tsx:132 +msgid "Unknown reason" +msgstr "Unknown reason" + #: src/components/announcement/AnnouncementDrawerHeader.tsx:39 msgid "unread announcement" msgstr "unread announcement" @@ -4134,7 +4333,7 @@ msgstr "Upgrade to unlock Auto-select and analyze 10x more conversations in half #: src/components/project/ProjectUploadSection.tsx:15 #: src/components/dropzone/UploadConversationDropzone.tsx:504 -#: src/components/conversation/ConversationAccordion.tsx:404 +#: src/components/conversation/ConversationAccordion.tsx:409 msgid "Upload" msgstr "Upload" @@ -4182,8 +4381,8 @@ msgstr "Uploading Audio Files..." msgid "Use PII Redaction" msgstr "Use PII Redaction" -#: src/routes/project/chat/ProjectChatRoute.tsx:715 -#: src/routes/project/chat/ProjectChatRoute.tsx:745 +#: src/routes/project/chat/ProjectChatRoute.tsx:729 +#: src/routes/project/chat/ProjectChatRoute.tsx:759 msgid "Use Shift + Enter to add a new line" msgstr "Use Shift + Enter to add a new line" @@ -4196,7 +4395,17 @@ msgstr "Use Shift + Enter to add a new line" #~ msgstr "verified" #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:1176 +#: src/components/conversation/SelectAllConfirmationModal.tsx:111 +msgid "select.all.modal.verified" +msgstr "Verified" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:431 +msgid "select.all.modal.loading.verified" +msgstr "Verified" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationAccordion.tsx:1333 msgid "conversation.filters.verified.text" msgstr "Verified" @@ -4208,7 +4417,7 @@ msgstr "Verified" #~ msgid "Verified Artefacts" #~ msgstr "Verified Artefacts" -#: src/components/conversation/ConversationAccordion.tsx:555 +#: src/components/conversation/ConversationAccordion.tsx:579 msgid "verified artifacts" msgstr "verified artifacts" @@ -4326,7 +4535,7 @@ msgstr "Welcome back" #~ 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:517 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." @@ -4338,7 +4547,7 @@ msgstr "Welcome to Dembrane!" #~ 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 +#: src/routes/project/chat/ProjectChatRoute.tsx:516 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." @@ -4379,6 +4588,11 @@ msgstr "What would you like to explore?" msgid "will be included in your report" msgstr "will be included in your report" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:52 +msgid "add.tag.filter.modal.description" +msgstr "Would you like to add this tag to your current filters?" + #. js-lingui-explicit-id #: src/components/participant/ParticipantConversationText.tsx:177 msgid "participant.button.finish.yes.text.mode" @@ -4401,6 +4615,15 @@ msgstr "You can only upload up to {MAX_FILES} files at a time. Only the first {0 #~ 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/conversation/SelectAllConfirmationModal.tsx:237 +msgid "select.all.modal.already.added" +msgstr "You have already added <0>{existingContextCount, plural, one {# conversation} other {# conversations}} to this chat." + +#: src/components/conversation/ConversationAccordion.tsx:1364 +msgid "You have already added all the conversations related to this" +msgstr "You have already added all the conversations related to this" + #. js-lingui-explicit-id #: src/components/participant/MicrophoneTest.tsx:391 msgid "participant.modal.change.mic.confirmation.text" diff --git a/echo/frontend/src/locales/it-IT.ts b/echo/frontend/src/locales/it-IT.ts index 1477446a..ee63a420 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\"],\"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 +/*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)\"],\"e6iRhF\":[[\"0\",\"plural\",{\"one\":[\"#\",\" tag\"],\"other\":[\"#\",\" tags\"]}]],\"select.all.modal.tags\":[[\"0\",\"plural\",{\"one\":[\"Tag:\"],\"other\":[\"Tags:\"]}]],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" ready\"],\"select.all.modal.added.count\":[[\"0\"],\" added\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Conversations • Edited \",[\"1\"]],\"select.all.modal.not.added.count\":[[\"0\"],\" not added\"],\"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.*\"],\"ynBObK\":[\"+\",[\"hiddenCount\"],\" conversations\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wait \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspects\"],\"DX/Wkz\":[\"Account password\"],\"L5gswt\":[\"Action By\"],\"UQXw0W\":[\"Action On\"],\"7L01XJ\":[\"Actions\"],\"select.all.modal.loading.filters\":[\"Active filters\"],\"m16xKo\":[\"Add\"],\"1m+3Z3\":[\"Add additional context (Optional)\"],\"Se1KZw\":[\"Add all that apply\"],\"select.all.modal.title.add\":[\"Add Conversations to Context\"],\"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\"],\"add.tag.filter.modal.title\":[\"Add Tag to Filters\"],\"IKoyMv\":[\"Add Tags\"],\"add.tag.filter.modal.add\":[\"Add to Filters\"],\"NffMsn\":[\"Add to this chat\"],\"select.all.modal.added\":[\"Added\"],\"Na90E+\":[\"Added emails\"],\"select.all.modal.add.without.filters\":[\"Adding <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" to the chat\"],\"select.all.modal.add.with.filters\":[\"Adding <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" with the following filters:\"],\"select.all.modal.add.without.filters.more\":[\"Adding <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" more conversation\"],\"other\":[\"#\",\" more conversations\"]}],\"\"],\"select.all.modal.add.with.filters.more\":[\"Adding <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" more conversation\"],\"other\":[\"#\",\" more conversations\"]}],\" with the following filters:\"],\"SJCAsQ\":[\"Adding Context:\"],\"select.all.modal.loading.title\":[\"Adding Conversations\"],\"OaKXud\":[\"Advanced (Tips and best practices)\"],\"TBpbDp\":[\"Advanced (Tips and tricks)\"],\"JiIKww\":[\"Advanced Settings\"],\"cF7bEt\":[\"All actions\"],\"O1367B\":[\"All collections\"],\"gvykaX\":[\"All Conversations\"],\"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\"],\"xNyrs1\":[\"Already in context\"],\"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?\"],\"select.all.modal.cancel\":[\"Cancel\"],\"add.tag.filter.modal.cancel\":[\"Cancel\"],\"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.\"],\"jcSz6S\":[\"Click to see all \",[\"totalCount\"],\" conversations\"],\"BPrdpc\":[\"Clone project\"],\"9U86tL\":[\"Clone Project\"],\"select.all.modal.close\":[\"Close\"],\"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:\"],\"select.all.modal.context.limit\":[\"Context limit\"],\"aVvy3Y\":[\"Context limit reached\"],\"select.all.modal.context.limit.reached\":[\"Context limit was reached. Some conversations could not be 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\"],\"4kVRov\":[\"Error occurred\"],\"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\"]],\"g5wCZj\":[\"Failed to add conversations to context\"],\"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.\"],\"select.all.modal.no.conversations\":[\"No conversations were processed. This may happen if all conversations are already in context or don't match the selected filters.\"],\"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.\"],\"select.all.modal.not.added\":[\"Not Added\"],\"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\"],\"select.all.modal.proceed\":[\"Proceed\"],\"qAGp2O\":[\"Proceed\"],\"stk3Hv\":[\"processing\"],\"vrnnn9\":[\"Processing\"],\"select.all.modal.loading.description\":[\"Processing <0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" and adding them to your chat\"],\"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\"],\"select.all.modal.loading.search\":[\"Search\"],\"A1taO8\":[\"Search\"],\"OWm+8o\":[\"Search conversations\"],\"blFttG\":[\"Search projects\"],\"I0hU01\":[\"Search Projects\"],\"RVZJWQ\":[\"Search projects...\"],\"lnWve4\":[\"Search tags\"],\"pECIKL\":[\"Search templates...\"],\"select.all.modal.search.text\":[\"Search text:\"],\"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\"],\"wgNoIs\":[\"Select all\"],\"+fRipn\":[\"Select all (\",[\"remainingCount\"],\")\"],\"select.all.modal.title.results\":[\"Select All Results\"],\"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.\"],\"select.all.modal.skip.reason\":[\"some might skip due to empty transcript or context limit\"],\"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.\"],\"select.all.modal.other.reason.description\":[\"These conversations were excluded due to missing transcripts.\"],\"select.all.modal.context.limit.reached.description\":[\"These conversations were skipped because the context limit was reached.\"],\"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.\"],\"add.tag.filter.modal.info\":[\"This will filter the conversation list to show conversations with this tag.\"],\"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\"],\"yIsdT7\":[\"Too long\"],\"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\"],\"1MTTTw\":[\"Unknown reason\"],\"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\"],\"select.all.modal.verified\":[\"Verified\"],\"select.all.modal.loading.verified\":[\"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\"],\"add.tag.filter.modal.description\":[\"Would you like to add this tag to your current filters?\"],\"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\"],\"select.all.modal.already.added\":[\"You have already added <0>\",[\"existingContextCount\",\"plural\",{\"one\":[\"#\",\" conversation\"],\"other\":[\"#\",\" conversations\"]}],\" to this chat.\"],\"7W35AW\":[\"You have already added all the conversations related to this\"],\"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 0eea767d..0deba600 100644 --- a/echo/frontend/src/locales/nl-NL.po +++ b/echo/frontend/src/locales/nl-NL.po @@ -103,10 +103,21 @@ msgstr "\"Verfijnen\" is binnenkort beschikbaar" #~ msgid "(for enhanced audio processing)" #~ msgstr "(voor verbeterde audioverwerking)" +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:415 +msgid "{0, plural, one {# tag} other {# tags}}" +msgstr "{0, plural, one {# tag} other {# tags}}" + +#. js-lingui-explicit-id +#. placeholder {0}: filterNames.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:82 +msgid "select.all.modal.tags" +msgstr "{0, plural, one {Tag:} other {Tags:}}" + #. placeholder {0}: isAssistantTyping ? "Assistant is typing..." : "Thinking..." #. placeholder {0}: selectedOption.transitionMessage #. placeholder {0}: selectedOption.transitionDescription -#: src/routes/project/chat/ProjectChatRoute.tsx:559 +#: src/routes/project/chat/ProjectChatRoute.tsx:570 #: src/components/settings/FontSettingsCard.tsx:49 #: src/components/settings/FontSettingsCard.tsx:50 #: src/components/project/ProjectPortalEditor.tsx:433 @@ -117,6 +128,12 @@ msgstr "{0}" #~ msgid "{0} {1} ready" #~ msgstr "{0} {1} klaar" +#. js-lingui-explicit-id +#. placeholder {0}: result.added.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:449 +msgid "select.all.modal.added.count" +msgstr "{0} toegevoegd" + #. 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(), ) @@ -126,6 +143,12 @@ msgstr "{0}" msgid "{0} Conversations • Edited {1}" msgstr "{0} Gesprekken • Bewerkt {1}" +#. js-lingui-explicit-id +#. placeholder {0}: reallySkipped.length +#: src/components/conversation/SelectAllConfirmationModal.tsx:455 +msgid "select.all.modal.not.added.count" +msgstr "{0} niet toegevoegd" + #: src/components/chat/ChatModeBanner.tsx:61 msgid "{conversationCount} selected" msgstr "{conversationCount} geselecteerd" @@ -169,6 +192,10 @@ msgstr "*Een moment a.u.b.*" #~ msgid "*We make sure nothing can be traced back to you, and even if you accidentally say your name, we remove it before analysing everything. By using this tool, you agree to our privacy terms. Want to know more? Then read our [privacy statement]" #~ msgstr "*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]" +#: src/components/conversation/ConversationLinks.tsx:167 +msgid "+{hiddenCount} conversations" +msgstr "+{hiddenCount} gesprekken" + #~ msgid "+5s" #~ msgstr "+5s" @@ -195,6 +222,11 @@ msgstr "Actie op" msgid "Actions" msgstr "Acties" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:400 +msgid "select.all.modal.loading.filters" +msgstr "Actieve filters" + #: src/routes/participant/ParticipantPostConversation.tsx:179 msgid "Add" msgstr "Toevoegen" @@ -210,6 +242,11 @@ msgstr "Vink aan wat van toepassing is" #~ msgid "Add context to document" #~ msgstr "Voeg context toe aan document" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:215 +msgid "select.all.modal.title.add" +msgstr "Gesprekken toevoegen aan context" + #: 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." @@ -222,14 +259,29 @@ msgstr "Voeg nieuwe opnames toe aan dit project. Bestanden die u hier uploadt wo msgid "Add Tag" msgstr "Trefwoord toevoegen" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:40 +msgid "add.tag.filter.modal.title" +msgstr "Tag toevoegen aan filters" + #: src/components/project/ProjectTagsInput.tsx:257 msgid "Add Tags" msgstr "Trefwoorden toevoegen" -#: src/components/conversation/ConversationAccordion.tsx:154 +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:84 +msgid "add.tag.filter.modal.add" +msgstr "Toevoegen aan filters" + +#: src/components/conversation/ConversationAccordion.tsx:159 msgid "Add to this chat" msgstr "Voeg toe aan dit gesprek" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:495 +msgid "select.all.modal.added" +msgstr "Toegevoegd" + #~ msgid "Added context" #~ msgstr "Context toegevoegd" @@ -237,10 +289,35 @@ msgstr "Voeg toe aan dit gesprek" msgid "Added emails" msgstr "Toegevoegde e-mails" -#: src/routes/project/chat/ProjectChatRoute.tsx:655 +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:268 +msgid "select.all.modal.add.without.filters" +msgstr "<0>{totalCount, plural, one {# gesprek} other {# gesprekken}} toevoegen aan de chat" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:256 +msgid "select.all.modal.add.with.filters" +msgstr "<0>{totalCount, plural, one {# gesprek} other {# gesprekken}} toevoegen met de volgende filters:" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:295 +msgid "select.all.modal.add.without.filters.more" +msgstr "<0>{totalCount, plural, one {# extra gesprek} other {# extra gesprekken}} toevoegen" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:283 +msgid "select.all.modal.add.with.filters.more" +msgstr "<0>{totalCount, plural, one {# extra gesprek} other {# extra gesprekken}} toevoegen met de volgende filters:" + +#: src/routes/project/chat/ProjectChatRoute.tsx:669 msgid "Adding Context:" msgstr "Context toevoegen:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:364 +msgid "select.all.modal.loading.title" +msgstr "Gesprekken toevoegen" + #: src/components/project/ProjectPortalEditor.tsx:545 msgid "Advanced (Tips and best practices)" msgstr "Geavanceerd (Tips en best practices)" @@ -264,6 +341,10 @@ msgstr "Alle acties" msgid "All collections" msgstr "Alle collecties" +#: src/components/conversation/ConversationLinks.tsx:81 +msgid "All Conversations" +msgstr "Alle gesprekken" + #~ msgid "All conversations ready" #~ msgstr "Alle gesprekken klaar" @@ -285,10 +366,14 @@ msgstr "Sta deelnemers toe om met behulp van de link nieuwe gesprekken te starte msgid "Almost there" msgstr "Bijna klaar" -#: src/components/conversation/ConversationAccordion.tsx:149 +#: src/components/conversation/ConversationAccordion.tsx:154 msgid "Already added to this chat" msgstr "Al toegevoegd aan dit gesprek" +#: src/components/conversation/SelectAllConfirmationModal.tsx:122 +msgid "Already in context" +msgstr "Al in context" + #. placeholder {0}: participantCount !== undefined ? participantCount : t`loading...` #. placeholder {1}: participantCount === 1 ? "" : "s" #: src/routes/project/report/ProjectReportRoute.tsx:321 @@ -302,7 +387,7 @@ msgstr "Een e-mail melding wordt naar {0} deelnemer{1} verstuurd. Wilt u doorgaa msgid "An error occurred while loading the Portal. Please contact the support team." msgstr "Er is een fout opgetreden bij het laden van de Portal. Neem contact op met de ondersteuningsteam." -#: src/routes/project/chat/ProjectChatRoute.tsx:597 +#: src/routes/project/chat/ProjectChatRoute.tsx:608 msgid "An error occurred." msgstr "Er is een fout opgetreden." @@ -513,11 +598,11 @@ msgstr "Authenticator-code" msgid "Auto-select" msgstr "Automatisch selecteren" -#: src/components/conversation/hooks/index.ts:547 +#: src/components/conversation/hooks/index.ts:548 msgid "Auto-select disabled" msgstr "Automatisch selecteren uitgeschakeld" -#: src/components/conversation/hooks/index.ts:405 +#: src/components/conversation/hooks/index.ts:406 msgid "Auto-select enabled" msgstr "Automatisch selecteren ingeschakeld" @@ -589,6 +674,16 @@ msgstr "Brainstorm ideeën" 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 "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?" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:326 +msgid "select.all.modal.cancel" +msgstr "Annuleren" + +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:81 +msgid "add.tag.filter.modal.cancel" +msgstr "Annuleren" + #: src/routes/project/report/ProjectReportRoute.tsx:332 #: src/components/settings/TwoFactorSettingsCard.tsx:406 #: src/components/project/ProjectDangerZone.tsx:137 @@ -596,7 +691,7 @@ msgstr "Door dit project te verwijderen, verwijder je alle gegevens die eraan ge #: src/components/dropzone/UploadConversationDropzone.tsx:686 #: src/components/dropzone/UploadConversationDropzone.tsx:806 #: src/components/conversation/MoveConversationButton.tsx:208 -#: src/components/conversation/ConversationAccordion.tsx:329 +#: src/components/conversation/ConversationAccordion.tsx:334 msgid "Cancel" msgstr "Annuleren" @@ -615,7 +710,7 @@ msgstr "Annuleren" msgid "participant.concrete.instructions.button.cancel" msgstr "Annuleren" -#: src/components/conversation/ConversationAccordion.tsx:151 +#: src/components/conversation/ConversationAccordion.tsx:156 msgid "Cannot add empty conversation" msgstr "Kan geen leeg gesprek toevoegen" @@ -630,12 +725,12 @@ msgstr "Wijzigingen worden automatisch opgeslagen" 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?" -#: src/routes/project/chat/ProjectChatRoute.tsx:478 -#: src/routes/project/chat/ProjectChatRoute.tsx:483 +#: src/routes/project/chat/ProjectChatRoute.tsx:489 +#: src/routes/project/chat/ProjectChatRoute.tsx:494 msgid "Chat" msgstr "Chat" -#: src/routes/project/chat/ProjectChatRoute.tsx:276 +#: src/routes/project/chat/ProjectChatRoute.tsx:281 msgid "Chat | Dembrane" msgstr "Chat | Dembrane" @@ -679,6 +774,10 @@ msgstr "Kies je favoriete thema voor de interface" msgid "Click \"Upload Files\" when you're ready to start the upload process." msgstr "Klik op \"Upload bestanden\" wanneer je klaar bent om de upload te starten." +#: src/components/conversation/ConversationLinks.tsx:156 +msgid "Click to see all {totalCount} conversations" +msgstr "Klik om alle {totalCount} gesprekken te zien" + #: src/components/project/ProjectDangerZone.tsx:143 msgid "Clone project" msgstr "Project klonen" @@ -688,7 +787,13 @@ msgstr "Project klonen" msgid "Clone Project" msgstr "Project klonen" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:660 +msgid "select.all.modal.close" +msgstr "Sluiten" + #: src/components/dropzone/UploadConversationDropzone.tsx:806 +#: src/components/conversation/ConversationLinks.tsx:107 msgid "Close" msgstr "Sluiten" @@ -760,6 +865,20 @@ msgstr "Context" msgid "Context added:" msgstr "Context toegevoegd:" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:533 +msgid "select.all.modal.context.limit" +msgstr "Contextlimiet" + +#: src/components/conversation/SelectAllConfirmationModal.tsx:124 +msgid "Context limit reached" +msgstr "Contextlimiet bereikt" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:467 +msgid "select.all.modal.context.limit.reached" +msgstr "Contextlimiet is bereikt. Sommige gesprekken konden niet worden toegevoegd." + #. js-lingui-explicit-id #: src/components/participant/ParticipantOnboardingCards.tsx:393 #: src/components/participant/MicrophoneTest.tsx:383 @@ -772,7 +891,7 @@ msgstr "Doorgaan" #~ msgid "conversation" #~ msgstr "gesprek" -#: src/components/conversation/hooks/index.ts:406 +#: src/components/conversation/hooks/index.ts:407 msgid "Conversation added to chat" msgstr "Gesprek toegevoegd aan chat" @@ -790,7 +909,7 @@ msgstr "Gesprek beëindigd" #~ msgid "Conversation processing" #~ msgstr "Gesprek wordt verwerkt" -#: src/components/conversation/hooks/index.ts:548 +#: src/components/conversation/hooks/index.ts:549 msgid "Conversation removed from chat" msgstr "Gesprek verwijderd uit chat" @@ -813,7 +932,7 @@ msgstr "Gespreksstatusdetails" msgid "conversations" msgstr "gesprekken" -#: src/components/conversation/ConversationAccordion.tsx:899 +#: src/components/conversation/ConversationAccordion.tsx:1052 msgid "Conversations" msgstr "Gesprekken" @@ -982,8 +1101,8 @@ msgstr "Verwijderd succesvol" #~ msgid "Dembrane ECHO" #~ msgstr "Dembrane ECHO" -#: src/routes/project/chat/ProjectChatRoute.tsx:718 -#: src/routes/project/chat/ProjectChatRoute.tsx:748 +#: src/routes/project/chat/ProjectChatRoute.tsx:732 +#: src/routes/project/chat/ProjectChatRoute.tsx:762 msgid "Dembrane is powered by AI. Please double-check responses." msgstr "Dembrane draait op AI. Check de antwoorden extra goed." @@ -1299,6 +1418,10 @@ msgstr "Fout bij laden van project" #~ msgid "Error loading quotes" #~ msgstr "Fout bij laden van quotes" +#: src/components/conversation/SelectAllConfirmationModal.tsx:130 +msgid "Error occurred" +msgstr "Fout opgetreden" + #: src/components/report/UpdateReportModalButton.tsx:80 msgid "Error updating report" msgstr "Fout bij het bijwerken van het rapport" @@ -1340,15 +1463,20 @@ msgstr "Exporteer" msgid "Failed" msgstr "Mislukt" -#: src/components/conversation/hooks/index.ts:328 +#: src/components/conversation/hooks/index.ts:329 msgid "Failed to add conversation to chat" msgstr "Fout bij het toevoegen van het gesprek aan de chat" #. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" -#: src/components/conversation/hooks/index.ts:320 +#: src/components/conversation/hooks/index.ts:321 msgid "Failed to add conversation to chat{0}" msgstr "Fout bij het toevoegen van het gesprek aan de chat{0}" +#: src/components/conversation/ConversationAccordion.tsx:933 +#: src/components/conversation/ConversationAccordion.tsx:949 +msgid "Failed to add conversations to context" +msgstr "Mislukt om gesprekken aan context toe te voegen" + #: src/components/participant/verify/VerifyArtefact.tsx:136 msgid "Failed to approve artefact. Please try again." msgstr "Artefact kon niet worden goedgekeurd. Probeer het opnieuw." @@ -1365,13 +1493,13 @@ msgstr "Kopiëren van transcript is mislukt. Probeer het nog een keer." msgid "Failed to delete response" msgstr "Fout bij het verwijderen van de reactie" -#: src/components/conversation/hooks/index.ts:475 -#: src/components/conversation/hooks/index.ts:481 +#: src/components/conversation/hooks/index.ts:476 +#: src/components/conversation/hooks/index.ts:482 msgid "Failed to disable Auto Select for this chat" msgstr "Fout bij het uitschakelen van het automatisch selecteren voor deze chat" -#: src/components/conversation/hooks/index.ts:324 -#: src/components/conversation/hooks/index.ts:330 +#: src/components/conversation/hooks/index.ts:325 +#: src/components/conversation/hooks/index.ts:331 msgid "Failed to enable Auto Select for this chat" msgstr "Fout bij het inschakelen van het automatisch selecteren voor deze chat" @@ -1418,16 +1546,16 @@ msgstr "Fout bij het hergenereren van de samenvatting. Probeer het opnieuw later msgid "Failed to reload. Please try again." msgstr "Opnieuw laden is mislukt. Probeer het opnieuw." -#: src/components/conversation/hooks/index.ts:479 +#: src/components/conversation/hooks/index.ts:480 msgid "Failed to remove conversation from chat" msgstr "Fout bij het verwijderen van het gesprek uit de chat" #. placeholder {0}: error.response?.data?.detail ? `: ${error.response.data.detail}` : "" -#: src/components/conversation/hooks/index.ts:471 +#: src/components/conversation/hooks/index.ts:472 msgid "Failed to remove conversation from chat{0}" msgstr "Fout bij het verwijderen van het gesprek uit de chat{0}" -#: src/components/conversation/hooks/index.ts:610 +#: src/components/conversation/hooks/index.ts:647 msgid "Failed to retranscribe conversation. Please try again." msgstr "Fout bij het hertranscriptie van het gesprek. Probeer het opnieuw." @@ -1615,7 +1743,7 @@ msgstr "Ga naar nieuw gesprek" #~ msgid "Grid view" #~ msgstr "Rasterweergave" -#: src/components/conversation/ConversationAccordion.tsx:551 +#: src/components/conversation/ConversationAccordion.tsx:575 msgid "Has verified artifacts" msgstr "Bevat geverifieerde artefacten" @@ -1930,8 +2058,8 @@ msgstr "Transcript aan het laden..." msgid "loading..." msgstr "bezig met laden..." -#: src/components/conversation/ConversationAccordion.tsx:108 -#: src/components/conversation/hooks/index.ts:369 +#: src/components/conversation/ConversationAccordion.tsx:113 +#: src/components/conversation/hooks/index.ts:370 msgid "Loading..." msgstr "Bezig met laden..." @@ -1955,7 +2083,7 @@ msgstr "Inloggen als bestaande gebruiker" msgid "Logout" msgstr "Uitloggen" -#: src/components/conversation/ConversationAccordion.tsx:617 +#: src/components/conversation/ConversationAccordion.tsx:642 msgid "Longest First" msgstr "Langste eerst" @@ -2003,12 +2131,12 @@ msgid "More templates" msgstr "Meer templates" #: src/components/conversation/MoveConversationButton.tsx:218 -#: src/components/conversation/ConversationAccordion.tsx:339 +#: src/components/conversation/ConversationAccordion.tsx:344 msgid "Move" msgstr "Verplaatsen" #: src/components/conversation/MoveConversationButton.tsx:138 -#: src/components/conversation/ConversationAccordion.tsx:260 +#: src/components/conversation/ConversationAccordion.tsx:265 msgid "Move Conversation" msgstr "Verplaats gesprek" @@ -2016,7 +2144,7 @@ msgstr "Verplaats gesprek" msgid "Move to Another Project" msgstr "Verplaats naar een ander project" -#: src/components/conversation/ConversationAccordion.tsx:257 +#: src/components/conversation/ConversationAccordion.tsx:262 msgid "Move to Project" msgstr "Verplaats naar project" @@ -2025,11 +2153,11 @@ msgstr "Verplaats naar project" msgid "Name" msgstr "Naam" -#: src/components/conversation/ConversationAccordion.tsx:615 +#: src/components/conversation/ConversationAccordion.tsx:640 msgid "Name A-Z" msgstr "Naam A-Z" -#: src/components/conversation/ConversationAccordion.tsx:616 +#: src/components/conversation/ConversationAccordion.tsx:641 msgid "Name Z-A" msgstr "Naam Z-A" @@ -2059,7 +2187,7 @@ msgstr "Nieuw wachtwoord" msgid "New Project" msgstr "Nieuw project" -#: src/components/conversation/ConversationAccordion.tsx:613 +#: src/components/conversation/ConversationAccordion.tsx:638 msgid "Newest First" msgstr "Nieuwste eerst" @@ -2119,8 +2247,9 @@ msgstr "Geen collecties gevonden" msgid "No concrete topics available." msgstr "Geen concrete onderwerpen beschikbaar." -#~ msgid "No content" -#~ msgstr "Geen inhoud" +#: src/components/conversation/SelectAllConfirmationModal.tsx:126 +msgid "No content" +msgstr "Geen inhoud" #: src/routes/project/library/ProjectLibrary.tsx:151 msgid "No conversations available to create library" @@ -2138,10 +2267,15 @@ msgstr "Geen gesprekken beschikbaar om bibliotheek te maken" msgid "No conversations found." msgstr "Geen gesprekken gevonden." -#: src/components/conversation/ConversationAccordion.tsx:1211 +#: src/components/conversation/ConversationAccordion.tsx:1401 msgid "No conversations found. Start a conversation using the participation invite link from the <0><1>project overview." msgstr "Geen gesprekken gevonden. Start een gesprek met behulp van de deelname-uitnodigingslink uit het <0><1>projectoverzicht." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:649 +msgid "select.all.modal.no.conversations" +msgstr "Er zijn geen gesprekken verwerkt. Dit kan gebeuren als alle gesprekken al in de context zijn of niet overeenkomen met de geselecteerde filters." + #: src/components/report/CreateReportForm.tsx:88 msgid "No conversations yet" msgstr "Nog geen gesprekken" @@ -2189,7 +2323,7 @@ msgid "No results" msgstr "Geen resultaten" #: src/components/conversation/ConversationEdit.tsx:207 -#: src/components/conversation/ConversationAccordion.tsx:1158 +#: src/components/conversation/ConversationAccordion.tsx:1314 msgid "No tags found" msgstr "Geen trefwoorden gevonden" @@ -2226,6 +2360,11 @@ msgstr "Er zijn geen verificatie-onderwerpen voor dit project geconfigureerd." #~ msgid "No verification topics available." #~ msgstr "Geen verificatie-onderwerpen beschikbaar." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:514 +msgid "select.all.modal.not.added" +msgstr "Niet toegevoegd" + #: src/routes/project/library/ProjectLibrary.tsx:149 msgid "Not available" msgstr "Niet beschikbaar" @@ -2233,7 +2372,7 @@ msgstr "Niet beschikbaar" #~ msgid "Now" #~ msgstr "Nu" -#: src/components/conversation/ConversationAccordion.tsx:614 +#: src/components/conversation/ConversationAccordion.tsx:639 msgid "Oldest First" msgstr "Oudste eerst" @@ -2248,7 +2387,7 @@ msgid "participant.concrete.instructions.read.aloud" msgstr "Lees de tekst hardop voor en check of het goed voelt." #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:585 +#: src/components/conversation/ConversationAccordion.tsx:609 msgid "conversation.ongoing" msgstr "Actief" @@ -2297,8 +2436,8 @@ msgstr "Open de probleemoplossingsgids" msgid "Open your authenticator app and enter the current six-digit code." msgstr "Open je authenticator-app en voer de huidige zescijferige code in." -#: src/components/conversation/ConversationAccordion.tsx:947 -#: src/components/conversation/ConversationAccordion.tsx:954 +#: src/components/conversation/ConversationAccordion.tsx:1100 +#: src/components/conversation/ConversationAccordion.tsx:1107 msgid "Options" msgstr "Opties" @@ -2550,7 +2689,7 @@ msgstr "Kies een taal voor je bijgewerkte rapport" #~ msgid "Please select at least one source" #~ msgstr "Kies minstens één bron" -#: src/routes/project/chat/ProjectChatRoute.tsx:644 +#: src/routes/project/chat/ProjectChatRoute.tsx:658 msgid "Please select conversations from the sidebar to proceed" msgstr "Selecteer gesprekken in de sidebar om verder te gaan" @@ -2617,6 +2756,11 @@ msgstr "Dit rapport afdrukken" msgid "Privacy Statements" msgstr "Privacy verklaring" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:329 +msgid "select.all.modal.proceed" +msgstr "Doorgaan" + #: src/routes/project/report/ProjectReportRoute.tsx:335 msgid "Proceed" msgstr "Doorgaan" @@ -2627,6 +2771,11 @@ msgstr "Doorgaan" #~ msgid "Processing" #~ msgstr "Bezig met verwerken" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:375 +msgid "select.all.modal.loading.description" +msgstr "<0>{totalCount, plural, one {# gesprek} other {# gesprekken}} verwerken en toevoegen aan je chat" + #~ msgid "Processing failed for this conversation. This conversation will not be available for analysis and chat." #~ msgstr "Verwerking van dit gesprek is mislukt. Dit gesprek zal niet beschikbaar zijn voor analyse en chat." @@ -2661,7 +2810,7 @@ msgstr "Projectnaam" msgid "Project name must be at least 4 characters long" msgstr "Projectnaam moet minstens 4 tekens lang zijn" -#: src/routes/project/chat/NewChatRoute.tsx:62 +#: src/routes/project/chat/NewChatRoute.tsx:65 msgid "Project not found" msgstr "Project niet gevonden" @@ -2837,7 +2986,7 @@ msgstr "E-mail verwijderen" msgid "Remove file" msgstr "Bestand verwijderen" -#: src/components/conversation/ConversationAccordion.tsx:153 +#: src/components/conversation/ConversationAccordion.tsx:158 msgid "Remove from this chat" msgstr "Verwijder van dit gesprek" @@ -2918,8 +3067,8 @@ msgstr "Wachtwoord resetten" msgid "Reset Password | Dembrane" msgstr "Wachtwoord resetten | Dembrane" -#: src/components/conversation/ConversationAccordion.tsx:1179 -#: src/components/conversation/ConversationAccordion.tsx:1184 +#: src/components/conversation/ConversationAccordion.tsx:1338 +#: src/components/conversation/ConversationAccordion.tsx:1343 msgid "Reset to default" msgstr "Resetten naar standaardinstellingen" @@ -2950,7 +3099,7 @@ msgstr "Hertranscriptie gesprek" msgid "Retranscription started. New conversation will be available soon." msgstr "Hertranscriptie gestart. Nieuw gesprek wordt binnenkort beschikbaar." -#: src/routes/project/chat/ProjectChatRoute.tsx:605 +#: src/routes/project/chat/ProjectChatRoute.tsx:616 msgid "Retry" msgstr "Opnieuw proberen" @@ -3008,11 +3157,16 @@ msgstr "Scan de QR-code of kopieer het geheim naar je app." msgid "Scroll to bottom" msgstr "Scroll naar beneden" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:408 +msgid "select.all.modal.loading.search" +msgstr "Zoeken" + #: src/components/conversation/MoveConversationButton.tsx:143 msgid "Search" msgstr "Zoeken" -#: src/components/conversation/ConversationAccordion.tsx:941 +#: src/components/conversation/ConversationAccordion.tsx:1094 msgid "Search conversations" msgstr "Zoek gesprekken" @@ -3020,16 +3174,16 @@ msgstr "Zoek gesprekken" msgid "Search projects" msgstr "Zoek projecten" -#: src/components/conversation/ConversationAccordion.tsx:270 +#: src/components/conversation/ConversationAccordion.tsx:275 msgid "Search Projects" msgstr "Zoek projecten" #: src/components/conversation/MoveConversationButton.tsx:144 -#: src/components/conversation/ConversationAccordion.tsx:274 +#: src/components/conversation/ConversationAccordion.tsx:279 msgid "Search projects..." msgstr "Zoek projecten..." -#: src/components/conversation/ConversationAccordion.tsx:1077 +#: src/components/conversation/ConversationAccordion.tsx:1233 msgid "Search tags" msgstr "Zoek tags" @@ -3037,6 +3191,11 @@ msgstr "Zoek tags" msgid "Search templates..." msgstr "Zoek templates..." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:69 +msgid "select.all.modal.search.text" +msgstr "Zoektekst:" + #: src/components/chat/SourcesSearched.tsx:13 msgid "Searched through the most relevant sources" msgstr "Doorzocht de meest relevante bronnen" @@ -3063,6 +3222,19 @@ msgstr "Tot snel" msgid "Select a microphone" msgstr "Selecteer een microfoon" +#: src/components/conversation/ConversationAccordion.tsx:1381 +msgid "Select all" +msgstr "Alles selecteren" + +#: src/components/conversation/ConversationAccordion.tsx:1379 +msgid "Select all ({remainingCount})" +msgstr "Alles selecteren ({remainingCount})" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:211 +msgid "select.all.modal.title.results" +msgstr "Alle resultaten selecteren" + #: src/components/dropzone/UploadConversationDropzone.tsx:519 msgid "Select Audio Files to Upload" msgstr "Selecteer audiobestanden om te uploaden" @@ -3075,7 +3247,7 @@ msgstr "Selecteer gesprekken en vind exacte quotes" msgid "Select conversations from sidebar" msgstr "Selecteer gesprekken in de sidebar" -#: src/components/conversation/ConversationAccordion.tsx:294 +#: src/components/conversation/ConversationAccordion.tsx:299 msgid "Select Project" msgstr "Selecteer Project" @@ -3124,7 +3296,7 @@ msgstr "Geselecteerde bestanden ({0}/{MAX_FILES})" msgid "participant.selected.microphone" msgstr "Geselecteerde microfoon" -#: src/routes/project/chat/ProjectChatRoute.tsx:738 +#: src/routes/project/chat/ProjectChatRoute.tsx:752 msgid "Send" msgstr "Verzenden" @@ -3176,7 +3348,7 @@ msgstr "Deel je stem" msgid "Share your voice by scanning the QR code below." msgstr "Deel je stem door het QR-code hieronder te scannen." -#: src/components/conversation/ConversationAccordion.tsx:618 +#: src/components/conversation/ConversationAccordion.tsx:643 msgid "Shortest First" msgstr "Kortste eerst" @@ -3251,6 +3423,11 @@ msgstr "Gegevensprivacy slides (Host beheert rechtsgrondslag)" msgid "Some files were already selected and won't be added twice." msgstr "Sommige bestanden werden al geselecteerd en worden niet dubbel toegevoegd." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:317 +msgid "select.all.modal.skip.reason" +msgstr "sommige kunnen worden overgeslagen vanwege lege transcriptie of contextlimiet" + #: src/routes/auth/Login.tsx:158 #: src/components/participant/ParticipantInitiateForm.tsx:84 #: src/components/conversation/ConversationEdit.tsx:144 @@ -3296,8 +3473,8 @@ msgstr "Er is iets misgegaan. Probeer het alstublieft opnieuw." msgid "participant.go.deeper.content.policy.violation.error.message" msgstr "We kunnen hier niet dieper op ingaan door onze contentregels." -#: src/components/conversation/ConversationAccordion.tsx:1001 -#: src/components/conversation/ConversationAccordion.tsx:1008 +#: src/components/conversation/ConversationAccordion.tsx:1156 +#: src/components/conversation/ConversationAccordion.tsx:1163 msgid "Sort" msgstr "Sorteer" @@ -3353,7 +3530,7 @@ msgstr "Opnieuw beginnen" msgid "Status" msgstr "Status" -#: src/routes/project/chat/ProjectChatRoute.tsx:570 +#: src/routes/project/chat/ProjectChatRoute.tsx:581 msgid "Stop" msgstr "Stop" @@ -3434,8 +3611,8 @@ msgstr "Systeem" #: 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 +#: src/components/conversation/ConversationAccordion.tsx:1223 +#: src/components/conversation/ConversationAccordion.tsx:1226 msgid "Tags" msgstr "Trefwoorden" @@ -3452,7 +3629,7 @@ msgstr "Neem even de tijd om een resultaat te creëren dat je bijdrage concreet msgid "participant.refine.make.concrete.description" msgstr "Neem even de tijd om een resultaat te creëren dat je bijdrage concreet maakt." -#: src/routes/project/chat/ProjectChatRoute.tsx:406 +#: src/routes/project/chat/ProjectChatRoute.tsx:417 msgid "Template applied" msgstr "Template toegepast" @@ -3460,7 +3637,7 @@ msgstr "Template toegepast" msgid "Templates" msgstr "Sjablonen" -#: src/components/conversation/ConversationAccordion.tsx:410 +#: src/components/conversation/ConversationAccordion.tsx:415 msgid "Text" msgstr "Tekst" @@ -3563,6 +3740,16 @@ msgstr "Er is een fout opgetreden bij het verifiëren van uw e-mail. Probeer het #~ msgid "These are your default view templates. Once you create your library these will be your first two views." #~ msgstr "Dit zijn uw standaard weergave sjablonen. Zodra u uw bibliotheek hebt gemaakt, zullen deze uw eerste twee weergaven zijn." +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:611 +msgid "select.all.modal.other.reason.description" +msgstr "Deze gesprekken werden uitgesloten vanwege ontbrekende transcripties." + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:571 +msgid "select.all.modal.context.limit.reached.description" +msgstr "Deze conversaties zijn overgeslagen omdat de contextlimiet is bereikt." + #: src/components/view/DummyViews.tsx:8 msgid "These default view templates will be generated when you create your first library." msgstr "Deze standaardweergaven worden automatisch aangemaakt wanneer je je eerste bibliotheek maakt." @@ -3676,6 +3863,11 @@ msgstr "Dit zal een kopie van het huidige project maken. Alleen instellingen en msgid "This will create a new conversation with the same audio but a fresh transcription. The original conversation will remain unchanged." msgstr "Dit zal een nieuw gesprek maken met dezelfde audio maar een nieuwe transcriptie. Het originele gesprek blijft ongewijzigd." +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:72 +msgid "add.tag.filter.modal.info" +msgstr "Dit zal de conversatielijst filteren om conversaties met deze tag weer te geven." + #. js-lingui-explicit-id #: src/components/participant/verify/VerifyArtefact.tsx:308 msgid "participant.concrete.regenerating.artefact.description" @@ -3712,6 +3904,10 @@ msgstr "Om een nieuw trefwoord toe te wijzen, maak het eerst in het projectoverz msgid "To generate a report, please start by adding conversations in your project" msgstr "Om een rapport te genereren, voeg eerst gesprekken toe aan uw project" +#: src/components/conversation/SelectAllConfirmationModal.tsx:128 +msgid "Too long" +msgstr "Te lang" + #: src/components/view/CreateViewForm.tsx:123 msgid "Topics" msgstr "Onderwerpen" @@ -3849,7 +4045,7 @@ msgstr "Tweestapsverificatie aangezet" msgid "Type" msgstr "Type" -#: src/routes/project/chat/ProjectChatRoute.tsx:693 +#: src/routes/project/chat/ProjectChatRoute.tsx:707 msgid "Type a message..." msgstr "Typ een bericht..." @@ -3880,7 +4076,7 @@ msgstr "Het gegenereerde artefact kan niet worden geladen. Probeer het opnieuw." msgid "Unable to process this chunk" msgstr "Kan dit fragment niet verwerken" -#: src/routes/project/chat/ProjectChatRoute.tsx:408 +#: src/routes/project/chat/ProjectChatRoute.tsx:419 msgid "Undo" msgstr "Ongedaan maken" @@ -3888,6 +4084,10 @@ msgstr "Ongedaan maken" msgid "Unknown" msgstr "Onbekend" +#: src/components/conversation/SelectAllConfirmationModal.tsx:132 +msgid "Unknown reason" +msgstr "Onbekende reden" + #: src/components/announcement/AnnouncementDrawerHeader.tsx:39 msgid "unread announcement" msgstr "ongelezen melding" @@ -3935,7 +4135,7 @@ msgstr "Upgrade om automatisch selecteren te ontgrendelen en analyseer 10x meer #: src/components/project/ProjectUploadSection.tsx:15 #: src/components/dropzone/UploadConversationDropzone.tsx:504 -#: src/components/conversation/ConversationAccordion.tsx:404 +#: src/components/conversation/ConversationAccordion.tsx:409 msgid "Upload" msgstr "Uploaden" @@ -3981,8 +4181,8 @@ msgstr "Audio bestanden uploaden..." msgid "Use PII Redaction" msgstr "PII redaction gebruiken" -#: src/routes/project/chat/ProjectChatRoute.tsx:715 -#: src/routes/project/chat/ProjectChatRoute.tsx:745 +#: src/routes/project/chat/ProjectChatRoute.tsx:729 +#: src/routes/project/chat/ProjectChatRoute.tsx:759 msgid "Use Shift + Enter to add a new line" msgstr "Gebruik Shift + Enter om een nieuwe regel toe te voegen" @@ -3993,7 +4193,17 @@ msgstr "Gebruik Shift + Enter om een nieuwe regel toe te voegen" #~ msgstr "geverifieerd" #. js-lingui-explicit-id -#: src/components/conversation/ConversationAccordion.tsx:1176 +#: src/components/conversation/SelectAllConfirmationModal.tsx:111 +msgid "select.all.modal.verified" +msgstr "Geverifieerd" + +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:431 +msgid "select.all.modal.loading.verified" +msgstr "Geverifieerd" + +#. js-lingui-explicit-id +#: src/components/conversation/ConversationAccordion.tsx:1333 msgid "conversation.filters.verified.text" msgstr "Geverifieerd" @@ -4003,7 +4213,7 @@ msgstr "Geverifieerd" #~ msgid "Verified Artefacts" #~ msgstr "Geverifieerde artefacten" -#: src/components/conversation/ConversationAccordion.tsx:555 +#: src/components/conversation/ConversationAccordion.tsx:579 msgid "verified artifacts" msgstr "geverifieerde artefacten" @@ -4109,7 +4319,7 @@ msgstr "Welkom terug" #~ 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 "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." -#: src/routes/project/chat/ProjectChatRoute.tsx:506 +#: src/routes/project/chat/ProjectChatRoute.tsx:517 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 "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." @@ -4120,7 +4330,7 @@ msgstr "Welkom bij Dembrane!" #~ 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 "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." -#: src/routes/project/chat/ProjectChatRoute.tsx:505 +#: src/routes/project/chat/ProjectChatRoute.tsx:516 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 "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." @@ -4167,6 +4377,11 @@ msgstr "wordt in uw rapport opgenomen" #~ msgid "Workspaces" #~ msgstr "Werkruimtes" +#. js-lingui-explicit-id +#: src/components/conversation/AddTagFilterModal.tsx:52 +msgid "add.tag.filter.modal.description" +msgstr "Wilt u deze tag toevoegen aan uw huidige filters?" + #. js-lingui-explicit-id #: src/components/participant/ParticipantConversationText.tsx:177 msgid "participant.button.finish.yes.text.mode" @@ -4191,6 +4406,15 @@ msgstr "U kunt maximaal {MAX_FILES} bestanden tegelijk uploaden. Alleen de eerst #~ msgid "You can use this by yourself to share your own story, or you can record a conversation between several people, which can often be fun and insightful!" #~ msgstr "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!" +#. js-lingui-explicit-id +#: src/components/conversation/SelectAllConfirmationModal.tsx:237 +msgid "select.all.modal.already.added" +msgstr "U heeft al <0>{existingContextCount, plural, one {# conversatie} other {# conversaties}} aan deze chat toegevoegd." + +#: src/components/conversation/ConversationAccordion.tsx:1364 +msgid "You have already added all the conversations related to this" +msgstr "Je hebt alle gerelateerde gesprekken al toegevoegd" + #. js-lingui-explicit-id #: src/components/participant/MicrophoneTest.tsx:391 msgid "participant.modal.change.mic.confirmation.text" diff --git a/echo/frontend/src/locales/nl-NL.ts b/echo/frontend/src/locales/nl-NL.ts index e21137c8..0259d50b 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\"],\"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 +/*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)\"],\"e6iRhF\":[[\"0\",\"plural\",{\"one\":[\"#\",\" tag\"],\"other\":[\"#\",\" tags\"]}]],\"select.all.modal.tags\":[[\"0\",\"plural\",{\"one\":[\"Tag:\"],\"other\":[\"Tags:\"]}]],\"J/hVSQ\":[[\"0\"]],\"HB8dPL\":[[\"0\"],\" \",[\"1\"],\" klaar\"],\"select.all.modal.added.count\":[[\"0\"],\" toegevoegd\"],\"xRdQss\":[[\"0\"],\" Conversation\",[\"1\"],\" • Edited \",[\"2\"]],\"2Th9D6\":[[\"0\"],\" Gesprekken • Bewerkt \",[\"1\"]],\"select.all.modal.not.added.count\":[[\"0\"],\" niet toegevoegd\"],\"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.*\"],\"ynBObK\":[\"+\",[\"hiddenCount\"],\" gesprekken\"],\"pV+XPw\":[\"+5s\"],\"LPXUKX\":[\"<0>Wacht \",[\"0\"],\":\",[\"1\"]],\"LeFXS1\":[\"0 Aspecten\"],\"DX/Wkz\":[\"Accountwachtwoord\"],\"L5gswt\":[\"Actie door\"],\"UQXw0W\":[\"Actie op\"],\"7L01XJ\":[\"Acties\"],\"select.all.modal.loading.filters\":[\"Actieve filters\"],\"m16xKo\":[\"Toevoegen\"],\"1m+3Z3\":[\"Voeg extra context toe (Optioneel)\"],\"Se1KZw\":[\"Vink aan wat van toepassing is\"],\"select.all.modal.title.add\":[\"Gesprekken toevoegen aan context\"],\"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\"],\"add.tag.filter.modal.title\":[\"Tag toevoegen aan filters\"],\"IKoyMv\":[\"Trefwoorden toevoegen\"],\"add.tag.filter.modal.add\":[\"Toevoegen aan filters\"],\"NffMsn\":[\"Voeg toe aan dit gesprek\"],\"select.all.modal.added\":[\"Toegevoegd\"],\"Na90E+\":[\"Toegevoegde e-mails\"],\"select.all.modal.add.without.filters\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" gesprek\"],\"other\":[\"#\",\" gesprekken\"]}],\" toevoegen aan de chat\"],\"select.all.modal.add.with.filters\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" gesprek\"],\"other\":[\"#\",\" gesprekken\"]}],\" toevoegen met de volgende filters:\"],\"select.all.modal.add.without.filters.more\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" extra gesprek\"],\"other\":[\"#\",\" extra gesprekken\"]}],\" toevoegen\"],\"select.all.modal.add.with.filters.more\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" extra gesprek\"],\"other\":[\"#\",\" extra gesprekken\"]}],\" toevoegen met de volgende filters:\"],\"SJCAsQ\":[\"Context toevoegen:\"],\"select.all.modal.loading.title\":[\"Gesprekken toevoegen\"],\"OaKXud\":[\"Geavanceerd (Tips en best practices)\"],\"TBpbDp\":[\"Geavanceerd (Tips en trucs)\"],\"JiIKww\":[\"Geavanceerde instellingen\"],\"cF7bEt\":[\"Alle acties\"],\"O1367B\":[\"Alle collecties\"],\"gvykaX\":[\"Alle gesprekken\"],\"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\"],\"xNyrs1\":[\"Al in context\"],\"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?\"],\"select.all.modal.cancel\":[\"Annuleren\"],\"add.tag.filter.modal.cancel\":[\"Annuleren\"],\"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.\"],\"jcSz6S\":[\"Klik om alle \",[\"totalCount\"],\" gesprekken te zien\"],\"BPrdpc\":[\"Project klonen\"],\"9U86tL\":[\"Project klonen\"],\"select.all.modal.close\":[\"Sluiten\"],\"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:\"],\"select.all.modal.context.limit\":[\"Contextlimiet\"],\"aVvy3Y\":[\"Contextlimiet bereikt\"],\"select.all.modal.context.limit.reached\":[\"Contextlimiet is bereikt. Sommige gesprekken konden niet worden 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\"],\"4kVRov\":[\"Fout opgetreden\"],\"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\"]],\"g5wCZj\":[\"Mislukt om gesprekken aan context toe te voegen\"],\"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.\"],\"select.all.modal.no.conversations\":[\"Er zijn geen gesprekken verwerkt. Dit kan gebeuren als alle gesprekken al in de context zijn of niet overeenkomen met de geselecteerde filters.\"],\"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.\"],\"select.all.modal.not.added\":[\"Niet toegevoegd\"],\"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\"],\"select.all.modal.proceed\":[\"Doorgaan\"],\"qAGp2O\":[\"Doorgaan\"],\"stk3Hv\":[\"verwerken\"],\"vrnnn9\":[\"Bezig met verwerken\"],\"select.all.modal.loading.description\":[\"<0>\",[\"totalCount\",\"plural\",{\"one\":[\"#\",\" gesprek\"],\"other\":[\"#\",\" gesprekken\"]}],\" verwerken en toevoegen aan je chat\"],\"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\"],\"select.all.modal.loading.search\":[\"Zoeken\"],\"A1taO8\":[\"Zoeken\"],\"OWm+8o\":[\"Zoek gesprekken\"],\"blFttG\":[\"Zoek projecten\"],\"I0hU01\":[\"Zoek projecten\"],\"RVZJWQ\":[\"Zoek projecten...\"],\"lnWve4\":[\"Zoek tags\"],\"pECIKL\":[\"Zoek templates...\"],\"select.all.modal.search.text\":[\"Zoektekst:\"],\"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\"],\"wgNoIs\":[\"Alles selecteren\"],\"+fRipn\":[\"Alles selecteren (\",[\"remainingCount\"],\")\"],\"select.all.modal.title.results\":[\"Alle resultaten selecteren\"],\"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.\"],\"select.all.modal.skip.reason\":[\"sommige kunnen worden overgeslagen vanwege lege transcriptie of contextlimiet\"],\"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.\"],\"select.all.modal.other.reason.description\":[\"Deze gesprekken werden uitgesloten vanwege ontbrekende transcripties.\"],\"select.all.modal.context.limit.reached.description\":[\"Deze conversaties zijn overgeslagen omdat de contextlimiet is bereikt.\"],\"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.\"],\"add.tag.filter.modal.info\":[\"Dit zal de conversatielijst filteren om conversaties met deze tag weer te geven.\"],\"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\"],\"yIsdT7\":[\"Te lang\"],\"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\"],\"1MTTTw\":[\"Onbekende reden\"],\"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\"],\"select.all.modal.verified\":[\"Geverifieerd\"],\"select.all.modal.loading.verified\":[\"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\"],\"add.tag.filter.modal.description\":[\"Wilt u deze tag toevoegen aan uw huidige filters?\"],\"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\"],\"select.all.modal.already.added\":[\"U heeft al <0>\",[\"existingContextCount\",\"plural\",{\"one\":[\"#\",\" conversatie\"],\"other\":[\"#\",\" conversaties\"]}],\" aan deze chat toegevoegd.\"],\"7W35AW\":[\"Je hebt alle gerelateerde gesprekken al toegevoegd\"],\"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