@sendbird/ai-agent-messenger-react 1.15.0 → 1.17.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/README.md CHANGED
@@ -1,34 +1,291 @@
1
- # Delight AI Agent Messenger for React
1
+ # React (npm)
2
2
 
3
- A React component library for integrating Delight's AI Agent chatbot functionality into your React applications. This package provides pre-built UI components and hooks to quickly add intelligent conversational AI to your web app.
3
+ The **Delight AI agent Messenger React** allows seamless integration of chatbot features into your React application.
4
4
 
5
- ## Features
5
+ This guide explains:
6
6
 
7
- - 🤖 **AI-Powered Conversations**: Leverage Delight's AI Agent for intelligent customer support and engagement
8
- - ⚛️ **React Components**: Built specifically for React web applications with full TypeScript support
9
- - 🎨 **Customizable UI**: Choose between pre-built components or create custom interfaces
10
- - 🌍 **Multi-language Support**: Built-in localization for 10+ languages
11
- - 📱 **Responsive Design**: Works seamlessly across desktop and mobile devices
12
- - 🔧 **Easy Integration**: Simple setup with minimal configuration required
7
+ * [Prerequisites](#prerequisites)
8
+ * [Getting started](#getting-started)
9
+ * [Step 1. Install AI agent SDK](#step-1-install-ai-agent-sdk)
10
+ * [Step 2. Initialize AI agent SDK](#step-2-initialize-ai-agent-sdk)
11
+ * [Component overview](#component-overview)
12
+ * [FixedMessenger vs AgentProviderContainer](#fixedmessenger-vs-agentprovidercontainer)
13
+ * [Running your application](#running-your-application)
14
+ * [FixedMessenger styles](#fixedmessenger-styles)
15
+ * [Manage user sessions](#manage-user-sessions)
16
+ * [Advanced features](#advanced-features)
17
+ * [Display messenger without launcher button](#display-messenger-without-launcher-button)
18
+ * [Passing context object to agent](#passing-context-object-to-agent)
19
+ * [Localization and language support](#localization-and-language-support)
13
20
 
14
- ## Getting Started
21
+ ---
15
22
 
16
- For installation instructions, setup guide, and system requirements, please refer to our complete documentation below.
23
+ ## Prerequisites
17
24
 
18
- ## Documentation & Examples
25
+ Before you start, you'll need your **Application ID** and **AI agent ID**.
19
26
 
20
- 📖 **[Complete Documentation](https://github.com/sendbird/delight-ai-agent/blob/main/js/react/README.md)**
21
- - Detailed setup instructions
22
- - Advanced configuration options
23
- - User session management
24
- - Localization guide
27
+ You can find it under the **Channels** > **Messenger** menu on the Delight AI dashboard.
25
28
 
26
- 🚀 **[Live Interactive Demo](http://ai-agent-messenger-sample.netlify.app/react-example)**
27
- - Try all features in your browser
28
- - Copy-paste ready code examples
29
- - Step-by-step implementation guide
29
+ ![ai-agent-app-id-agent-id](https://sendbird-files.s3.ap-northeast-1.amazonaws.com/docs/aa-messenger-basic-information.png)
30
30
 
31
- ## Support
31
+ **System requirements:**
32
32
 
33
- For questions, issues, or feature requests, please visit our [GitHub repository](https://github.com/sendbird/delight-ai-agent) or contact [Delight Support](https://delight.ai/support).
33
+ * React >=18.0.0
34
+ * React DOM >=18.0.0
35
+ * @sendbird/chat ^4.19.0
36
+ * styled-components >=5.0.0
34
37
 
38
+ ---
39
+
40
+ ## Getting started
41
+
42
+ Quickly install and initialize the AI agent SDK by following the steps below.
43
+
44
+ ### Step 1. Install AI agent SDK
45
+
46
+ Install the package with its peer dependencies using npm or yarn:
47
+
48
+ ```bash
49
+ npm install @sendbird/ai-agent-messenger-react @sendbird/chat styled-components
50
+ # or
51
+ yarn add @sendbird/ai-agent-messenger-react @sendbird/chat styled-components
52
+ ```
53
+
54
+ > **Note:** Modern npm versions automatically install peer dependencies, but explicitly installing them ensures compatibility and avoids potential version conflicts.
55
+
56
+ ### Step 2. Initialize AI agent SDK
57
+
58
+ The React SDK provides two main approaches for integration:
59
+
60
+ **Option 1: FixedMessenger (recommended for quick setup)**
61
+
62
+ FixedMessenger provides a predefined UI toolkit with launcher and messenger at fixed position (bottom-right):
63
+
64
+ ```tsx
65
+ import { FixedMessenger } from '@sendbird/ai-agent-messenger-react';
66
+ import '@sendbird/ai-agent-messenger-react/index.css';
67
+
68
+ function App() {
69
+ return <FixedMessenger appId="YOUR_APP_ID" aiAgentId="YOUR_AI_AGENT_ID" />;
70
+ }
71
+ ```
72
+
73
+ **Option 2: AgentProviderContainer (for custom UI implementations)**
74
+
75
+ AgentProviderContainer allows for custom UI implementations and component-level integration:
76
+
77
+ ```tsx
78
+ import { AgentProviderContainer, Conversation } from '@sendbird/ai-agent-messenger-react';
79
+ import '@sendbird/ai-agent-messenger-react/index.css';
80
+
81
+ function App() {
82
+ return (
83
+ <AgentProviderContainer appId="YOUR_APP_ID" aiAgentId="YOUR_AI_AGENT_ID">
84
+ <Conversation />
85
+ </AgentProviderContainer>
86
+ );
87
+ }
88
+ ```
89
+
90
+ **Custom host configuration**
91
+
92
+ If needed, you can specify custom API and WebSocket hosts:
93
+
94
+ ```tsx
95
+ <FixedMessenger
96
+ appId="YOUR_APP_ID"
97
+ aiAgentId="YOUR_AI_AGENT_ID"
98
+ customApiHost="https://your-proxy-api.example.com"
99
+ customWebSocketHost="wss://your-proxy-websocket.example.com"
100
+ />
101
+ ```
102
+
103
+ Similarly, when using `AgentProviderContainer`:
104
+
105
+ ```tsx
106
+ <AgentProviderContainer
107
+ appId="YOUR_APP_ID"
108
+ aiAgentId="YOUR_AI_AGENT_ID"
109
+ customApiHost="https://your-proxy-api.example.com"
110
+ customWebSocketHost="wss://your-proxy-websocket.example.com"
111
+ >
112
+ <Conversation />
113
+ </AgentProviderContainer>
114
+ ```
115
+
116
+ Both properties are optional and only need to be configured if required.
117
+
118
+ ---
119
+
120
+ ## Component overview
121
+
122
+ ### FixedMessenger vs AgentProviderContainer
123
+
124
+ **FixedMessenger:**
125
+
126
+ * Complete UI toolkit with launcher and messenger
127
+ * Fixed position (bottom-right corner)
128
+ * Includes all necessary providers internally
129
+ * Recommended for most use cases
130
+ * Use standalone without additional providers
131
+
132
+ **AgentProviderContainer:**
133
+
134
+ * Provider component for custom UI implementations
135
+ * Allows building custom messenger interfaces
136
+ * Use when you need specific UI layouts or custom components
137
+ * Must be combined with conversation components like `<Conversation />`
138
+
139
+ ---
140
+
141
+ ## Running your application
142
+
143
+ Now that you have installed and initialized the AI agent SDK, follow the steps below to run your application.
144
+
145
+ To launch and display the messenger, implement the code below:
146
+
147
+ > **Note:** Replace `YOUR_APP_ID` and `YOUR_AI_AGENT_ID` with your Application ID and AI agent ID which you can obtain from the Delight AI dashboard. To learn how to do so, refer to the [prerequisites](#prerequisites) section.
148
+
149
+ ```tsx
150
+ function App() {
151
+ return <FixedMessenger appId="YOUR_APP_ID" aiAgentId="YOUR_AI_AGENT_ID" />;
152
+ }
153
+ ```
154
+
155
+ ### FixedMessenger styles
156
+
157
+ When using the fixed messenger, `FixedMssenger.Style` allows you to customize its appearance and positioning:
158
+
159
+ * `margin`: Defines the margin around the fixed messenger and its launcher.
160
+ * `launcherSize`: Defines the size of the launcher button in pixels (width and height are equal).
161
+ * `position`: Determines which corner of the screen the launcher will appear in. Available options are: `start-top`, `start-bottom`, `end-top` and `end-bottom`.
162
+
163
+ ```tsx
164
+ function App() {
165
+ return (
166
+ <FixedMessenger>
167
+ <FixedMessenger.Style
168
+ position={'start-bottom'}
169
+ launcherSize={32}
170
+ margin={{ start: 0, end: 0, bottom: 0, top: 0 }}
171
+ />
172
+ </FixedMessenger>
173
+ );
174
+ }
175
+ ```
176
+
177
+ ### Manage user sessions
178
+
179
+ The SDK supports two types of user sessions: **Manual session** for authenticated users and **Anonymous session** for temporary users.
180
+
181
+ **Session types**
182
+
183
+ **1. Manual session (ManualSessionInfo):** Use this when you have an authenticated user with a specific user ID and session token.
184
+
185
+ ```tsx
186
+ import { ManualSessionInfo } from '@sendbird/ai-agent-messenger-react';
187
+
188
+ <FixedMessenger
189
+ appId="YOUR_APP_ID"
190
+ aiAgentId="YOUR_AI_AGENT_ID"
191
+ userSessionInfo={new ManualSessionInfo({
192
+ userId: 'user_id',
193
+ authToken: 'auth_token',
194
+ sessionHandler: {
195
+ onSessionTokenRequired: async (resolve, reject) => {
196
+ try {
197
+ const response = await fetch('new-token-endpoint');
198
+ resolve(response.token);
199
+ } catch (error) {
200
+ reject(error);
201
+ }
202
+ },
203
+ onSessionClosed: () => { },
204
+ onSessionError: (error) => { },
205
+ onSessionRefreshed: () => { }
206
+ }
207
+ })}
208
+ />
209
+ ```
210
+
211
+ **2. Anonymous session (AnonymousSessionInfo):** Use this when you don't have user authentication or want to allow guest access. The server will automatically create a temporary user.
212
+
213
+ ```tsx
214
+ import { AnonymousSessionInfo } from '@sendbird/ai-agent-messenger-react';
215
+
216
+ <FixedMessenger
217
+ appId="YOUR_APP_ID"
218
+ aiAgentId="YOUR_AI_AGENT_ID"
219
+ userSessionInfo={new AnonymousSessionInfo()}
220
+ />
221
+ ```
222
+
223
+ The messenger view can be programmatically controlled using the `state` prop:
224
+
225
+ ```tsx
226
+ function App() {
227
+ const [opened, setOpened] = useState(true);
228
+
229
+ return <FixedMessenger appId="YOUR_APP_ID" aiAgentId="YOUR_AI_AGENT_ID" state={{ opened, setOpened }} />;
230
+ }
231
+ ```
232
+
233
+ ---
234
+
235
+ ## Advanced features
236
+
237
+ The following are available advanced features.
238
+
239
+ ### Display messenger without launcher button
240
+
241
+ Build custom messenger UI using AgentProviderContainer:
242
+
243
+ ```tsx
244
+ import { AgentProviderContainer, Conversation } from '@sendbird/ai-agent-messenger-react';
245
+
246
+ function App() {
247
+ return (
248
+ <div style={{ height: '400px', border: '1px solid #ccc' }}>
249
+ <AgentProviderContainer appId="YOUR_APP_ID" aiAgentId="YOUR_AI_AGENT_ID">
250
+ <Conversation />
251
+ </AgentProviderContainer>
252
+ </div>
253
+ );
254
+ }
255
+ ```
256
+
257
+ ### Passing context object to agent
258
+
259
+ You can predefine customer-specific information such as country, language, or other custom context data to guide the AI agent in providing faster and more accurate responses.
260
+
261
+ This allows for a more personalized and context-aware interaction experience.
262
+
263
+ > **Important**: These settings can only be configured during initialization.
264
+
265
+ ```tsx
266
+ <FixedMessenger
267
+ appId="YOUR_APP_ID"
268
+ aiAgentId="YOUR_AI_AGENT_ID"
269
+ // Language setting (IETF BCP 47 format)
270
+ // default: navigator.language
271
+ language="en-US"
272
+ // Country code setting (ISO 3166 format)
273
+ countryCode="US"
274
+ // Context object for the AI agent
275
+ context={{
276
+ userPreference: 'technical',
277
+ customerTier: 'premium',
278
+ }}
279
+ />
280
+ ```
281
+
282
+ ### Localization and language support
283
+
284
+ The SDK supports multiple languages and allows you to customize UI strings. You can:
285
+
286
+ * Set the language during initialization
287
+ * Customize specific strings in supported languages
288
+ * Add support for additional languages
289
+ * Dynamically load language files
290
+
291
+ For detailed information about localization options and full list of available string sets, refer to our [Localization Guide](MULTILANGUAGE.md).
@@ -1 +1 @@
1
- "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const i=require("./CRQKrE4j.cjs"),n=require("date-fns/locale/it"),_={conversation:{input_placeholder:"Fai una domanda",input_placeholder_disabled:"La chat non è disponibile in questo canale",input_placeholder_wait_ai_agent_response:"In attesa della risposta dell'agente...",input_placeholder_active_form:"Compila il modulo per procedere.",input_placeholder_reconnecting:"Riconnessione. Aggiorna se persiste.",unknown_message_type:"(Tipo di messaggio sconosciuto)",powered_by:"Powered by",citation_title:"Fonte",start_new_conversation_label:"Inizia una conversazione",scroll_to_new_messages_label:()=>"Nuovo messaggio",failed_message_resend:"Riprova",failed_message_remove:"Rimuovi",file_upload_no_supported_files:"Nessun tipo di file supportato disponibile.",a11y_message_list:"Messaggi della chat",a11y_scroll_to_bottom:"Scorri in basso",a11y_scroll_to_new_messages:"Scorri ai nuovi messaggi",a11y_open_conversation_list:"Apri elenco conversazioni"},conversation_list:{header_title:"Conversazioni",ended:"Terminata",footer_title:"Inizia una conversazione"},date_format:{just_now:"Proprio ora",minutes_ago:e=>`${e} minuti fa`,hours_ago:e=>`${e} ore fa`,date_short:"dd/MM/yyyy",date_separator:"d MMMM yyyy",message_timestamp:"p"},csat:{title:"Il tuo feedback è importante per noi",submitted_label:"Inviato con successo!",cre_question:"Il tuo problema è stato risolto?",cre_positive_label:"Sì, grazie! 👍",cre_negative_label:"No, non è servito.",reason_placeholder:"Condividi il tuo feedback",question:"Come valuteresti la tua esperienza?",submit_label:"Invia",submission_expired:"Ci dispiace, il periodo per partecipare al sondaggio è terminato."},form:{optional_label:"opzionale",validation_required:"Questa domanda è obbligatoria"},common:{placeholder_something_went_wrong:"Qualcosa è andato storto",placeholder_no_messages:"Nessun messaggio",placeholder_no_conversations:"Nessuna conversazione ancora",placeholder_something_went_wrong_retry_label:"Riprova"},feedback:{title:"Invia feedback",good:"Buono",bad:"Cattivo",comment_label:"Commento (opzionale)",comment_placeholder:"Lascia un commento",cancel:"Annulla",submit:"Invia",save:"Salva",edit:"Modifica feedback",remove:"Rimuovi feedback"}},o={language:"it",strings:_,dateLocale:n.it},a=i.mapCommonStringsToReactFormat(o.strings),t={...a,HEADER_BUTTON__AGENT_HANDOFF:"Connettersi con un agente",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"Seleziona un'opzione per continuare",BUTTON__CANCEL:"Annulla",BUTTON__SUBMIT:"Invia",SUBMITTED:"Inviato",TRY_AGAIN:"Per favore, riprova.",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"Non puoi caricare più di un'immagine.",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"La dimensione massima per file è di %d MB.",FILE_VIEWER__UNSUPPORT:"Messaggio non supportato",CSAT5_RATING_SCORE_1:"Terribile",CSAT5_RATING_SCORE_2:"Brutto",CSAT5_RATING_SCORE_3:"Ok",CSAT5_RATING_SCORE_4:"Buono",CSAT5_RATING_SCORE_5:"Ottimo",FORM_UNAVAILABLE:"Il modulo non è più disponibile.",FORM_NOT_SUPPORTED:"Questo modulo non è supportato nella versione attuale.",FORM_VALIDATION_MIN_LENGTH:e=>`Minimo ${e} caratteri richiesti`,FORM_VALIDATION_MAX_LENGTH:e=>`Massimo ${e} caratteri consentiti`,FORM_VALIDATION_MIN:e=>`Il valore minimo è ${e}`,FORM_VALIDATION_MAX:e=>`Il valore massimo è ${e}`,FORM_VALIDATION_MIN_SELECT:e=>`Seleziona almeno ${e} opzioni`,FORM_VALIDATION_MAX_SELECT:e=>`Seleziona al massimo ${e} opzioni`,FORM_VALIDATION_REGEX_FAILED:"Formato non valido",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:a.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"Nessuna categoria",CONVERSATION_CLOSED_FOOTER_LABEL:"La tua conversazione è terminata",START_NEW_CONVERSATION:"💬 Inizia una nuova conversazione",RETURN_TO_CONVERSATION:"💬 Torna alla conversazione",BUTTON__SAVE:"Salva",BUTTON__OK:"OK",NO_NAME:"(Senza nome)",CHANNEL_FROZEN:"Canale bloccato"},s={language:o.language,dateLocale:o.dateLocale,stringSet:t};exports.default=s;
1
+ "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const i=require("date-fns/locale/it"),n=require("./DKm5JuUx.cjs"),_={conversation:{input_placeholder:"Fai una domanda",input_placeholder_disabled:"La chat non è disponibile in questo canale",input_placeholder_wait_ai_agent_response:"In attesa della risposta dell'agente...",input_placeholder_active_form:"Compila il modulo per procedere.",input_placeholder_reconnecting:"Riconnessione. Aggiorna se persiste.",unknown_message_type:"(Tipo di messaggio sconosciuto)",powered_by:"Powered by",citation_title:"Fonte",start_new_conversation_label:"Inizia una conversazione",scroll_to_new_messages_label:()=>"Nuovo messaggio",failed_message_resend:"Riprova",failed_message_remove:"Rimuovi",file_upload_no_supported_files:"Nessun tipo di file supportato disponibile.",a11y_message_list:"Messaggi della chat",a11y_scroll_to_bottom:"Scorri in basso",a11y_scroll_to_new_messages:"Scorri ai nuovi messaggi",a11y_open_conversation_list:"Apri elenco conversazioni"},conversation_list:{header_title:"Conversazioni",ended:"Terminata",footer_title:"Inizia una conversazione"},date_format:{just_now:"Proprio ora",minutes_ago:e=>`${e} minuti fa`,hours_ago:e=>`${e} ore fa`,date_short:"dd/MM/yyyy",date_separator:"d MMMM yyyy",message_timestamp:"p"},csat:{title:"Il tuo feedback è importante per noi",submitted_label:"Inviato con successo!",cre_question:"Il tuo problema è stato risolto?",cre_positive_label:"Sì, grazie! 👍",cre_negative_label:"No, non è servito.",reason_placeholder:"Condividi il tuo feedback",question:"Come valuteresti la tua esperienza?",submit_label:"Invia",submission_expired:"Ci dispiace, il periodo per partecipare al sondaggio è terminato."},form:{optional_label:"opzionale",validation_required:"Questa domanda è obbligatoria"},common:{placeholder_something_went_wrong:"Qualcosa è andato storto",placeholder_no_messages:"Nessun messaggio",placeholder_no_conversations:"Nessuna conversazione ancora",placeholder_something_went_wrong_retry_label:"Riprova"},feedback:{title:"Invia feedback",good:"Buono",bad:"Cattivo",comment_label:"Commento (opzionale)",comment_placeholder:"Lascia un commento",cancel:"Annulla",submit:"Invia",save:"Salva",edit:"Modifica feedback",remove:"Rimuovi feedback"}},o={language:"it",strings:_,dateLocale:i.it},a=n.mapCommonStringsToReactFormat(o.strings),t={...a,HEADER_BUTTON__AGENT_HANDOFF:"Connettersi con un agente",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"Seleziona un'opzione per continuare",BUTTON__CANCEL:"Annulla",BUTTON__SUBMIT:"Invia",SUBMITTED:"Inviato",TRY_AGAIN:"Per favore, riprova.",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"Non puoi caricare più di un'immagine.",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"La dimensione massima per file è di %d MB.",FILE_VIEWER__UNSUPPORT:"Messaggio non supportato",CSAT5_RATING_SCORE_1:"Terribile",CSAT5_RATING_SCORE_2:"Brutto",CSAT5_RATING_SCORE_3:"Ok",CSAT5_RATING_SCORE_4:"Buono",CSAT5_RATING_SCORE_5:"Ottimo",FORM_UNAVAILABLE:"Il modulo non è più disponibile.",FORM_NOT_SUPPORTED:"Questo modulo non è supportato nella versione attuale.",FORM_VALIDATION_MIN_LENGTH:e=>`Minimo ${e} caratteri richiesti`,FORM_VALIDATION_MAX_LENGTH:e=>`Massimo ${e} caratteri consentiti`,FORM_VALIDATION_MIN:e=>`Il valore minimo è ${e}`,FORM_VALIDATION_MAX:e=>`Il valore massimo è ${e}`,FORM_VALIDATION_MIN_SELECT:e=>`Seleziona almeno ${e} opzioni`,FORM_VALIDATION_MAX_SELECT:e=>`Seleziona al massimo ${e} opzioni`,FORM_VALIDATION_REGEX_FAILED:"Formato non valido",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:a.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"Nessuna categoria",CONVERSATION_CLOSED_FOOTER_LABEL:"La tua conversazione è terminata",START_NEW_CONVERSATION:"💬 Inizia una nuova conversazione",RETURN_TO_CONVERSATION:"💬 Torna alla conversazione",BUTTON__SAVE:"Salva",BUTTON__OK:"OK",NO_NAME:"(Senza nome)",CHANNEL_FROZEN:"Canale bloccato"},s={language:o.language,dateLocale:o.dateLocale,stringSet:t};exports.default=s;
@@ -1 +1 @@
1
- "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const a=require("./CRQKrE4j.cjs"),o=require("date-fns/locale/ja"),T={conversation:{input_placeholder:"質問する",input_placeholder_disabled:"このチャンネルではチャットを利用できません",input_placeholder_wait_ai_agent_response:"エージェントの返信を待っています…",input_placeholder_active_form:"続行するには、フォームに記入してください。",input_placeholder_reconnecting:"再接続中。続く場合は更新してください。",unknown_message_type:"(不明なメッセージタイプ)",powered_by:"Powered by",citation_title:"出典",start_new_conversation_label:"会話を始める",scroll_to_new_messages_label:()=>"新しいメッセージ",failed_message_resend:"再試行",failed_message_remove:"削除",file_upload_no_supported_files:"サポートされているファイルタイプがありません。",a11y_message_list:"チャットメッセージ",a11y_scroll_to_bottom:"一番下にスクロール",a11y_scroll_to_new_messages:"新しいメッセージにスクロール",a11y_open_conversation_list:"会話リストを開く"},conversation_list:{header_title:"会話",ended:"終了",footer_title:"会話を始める"},date_format:{just_now:"たった今",minutes_ago:_=>`${_}分前`,hours_ago:_=>`${_}時間前`,date_short:"yyyy/MM/dd",date_separator:"yyyy年 M月 d日",message_timestamp:"p"},csat:{title:"あなたのフィードバックは私たちにとって重要です",submitted_label:"正常に送信されました!",cre_question:"問題は解決されましたか?",cre_positive_label:"はい、ありがとうございます! 👍",cre_negative_label:"いいえ、役に立ちませんでした。",reason_placeholder:"フィードバックを共有する",question:"あなたの経験をどう評価しますか?",submit_label:"送信",submission_expired:"申し訳ありません、アンケートの受付期間は終了しました。"},form:{optional_label:"任意",validation_required:"この質問は必須です"},common:{placeholder_something_went_wrong:"問題が発生しました",placeholder_no_messages:"メッセージがありません",placeholder_no_conversations:"まだ会話がありません",placeholder_something_went_wrong_retry_label:"再試行"},feedback:{title:"フィードバックを送信",good:"良い",bad:"悪い",comment_label:"コメント(オプション)",comment_placeholder:"コメントを残してください",cancel:"キャンセル",submit:"送信",save:"保存",edit:"フィードバックを編集",remove:"フィードバックを削除"}},e={language:"ja",strings:T,dateLocale:o.ja},t=a.mapCommonStringsToReactFormat(e.strings),s={...t,HEADER_BUTTON__AGENT_HANDOFF:"エージェントに接続",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"続行するにはオプションを選択してください",BUTTON__CANCEL:"キャンセル",BUTTON__SUBMIT:"送信",SUBMITTED:"送信済み",TRY_AGAIN:"もう一度お試しください。",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"画像は1枚までアップロードできます。",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"ファイルの最大サイズは%dMBです。",FILE_VIEWER__UNSUPPORT:"サポートされていないメッセージ",CSAT5_RATING_SCORE_1:"最悪",CSAT5_RATING_SCORE_2:"悪い",CSAT5_RATING_SCORE_3:"普通",CSAT5_RATING_SCORE_4:"良い",CSAT5_RATING_SCORE_5:"素晴らしい",FORM_UNAVAILABLE:"このフォームはもう利用できません。",FORM_NOT_SUPPORTED:"このフォームは現在のバージョンではサポートされていません。",FORM_VALIDATION_MIN_LENGTH:_=>`最低${_}文字が必要です`,FORM_VALIDATION_MAX_LENGTH:_=>`最大${_}文字まで入力できます`,FORM_VALIDATION_MIN:_=>`最小値は${_}です`,FORM_VALIDATION_MAX:_=>`最大値は${_}です`,FORM_VALIDATION_MIN_SELECT:_=>`少なくとも${_}個のオプションを選択してください`,FORM_VALIDATION_MAX_SELECT:_=>`最大${_}個のオプションを選択してください`,FORM_VALIDATION_REGEX_FAILED:"無効な形式",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:t.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"カテゴリなし",CONVERSATION_CLOSED_FOOTER_LABEL:"会話が終了しました",START_NEW_CONVERSATION:"💬 新しい会話を始める",RETURN_TO_CONVERSATION:"💬 会話に戻る",BUTTON__SAVE:"保存",BUTTON__OK:"OK",NO_NAME:"(名前なし)",CHANNEL_FROZEN:"チャンネルが凍結されました"},l={language:e.language,dateLocale:e.dateLocale,stringSet:s};exports.default=l;
1
+ "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const a=require("date-fns/locale/ja"),o=require("./DKm5JuUx.cjs"),T={conversation:{input_placeholder:"質問する",input_placeholder_disabled:"このチャンネルではチャットを利用できません",input_placeholder_wait_ai_agent_response:"エージェントの返信を待っています…",input_placeholder_active_form:"続行するには、フォームに記入してください。",input_placeholder_reconnecting:"再接続中。続く場合は更新してください。",unknown_message_type:"(不明なメッセージタイプ)",powered_by:"Powered by",citation_title:"出典",start_new_conversation_label:"会話を始める",scroll_to_new_messages_label:()=>"新しいメッセージ",failed_message_resend:"再試行",failed_message_remove:"削除",file_upload_no_supported_files:"サポートされているファイルタイプがありません。",a11y_message_list:"チャットメッセージ",a11y_scroll_to_bottom:"一番下にスクロール",a11y_scroll_to_new_messages:"新しいメッセージにスクロール",a11y_open_conversation_list:"会話リストを開く"},conversation_list:{header_title:"会話",ended:"終了",footer_title:"会話を始める"},date_format:{just_now:"たった今",minutes_ago:_=>`${_}分前`,hours_ago:_=>`${_}時間前`,date_short:"yyyy/MM/dd",date_separator:"yyyy年 M月 d日",message_timestamp:"p"},csat:{title:"あなたのフィードバックは私たちにとって重要です",submitted_label:"正常に送信されました!",cre_question:"問題は解決されましたか?",cre_positive_label:"はい、ありがとうございます! 👍",cre_negative_label:"いいえ、役に立ちませんでした。",reason_placeholder:"フィードバックを共有する",question:"あなたの経験をどう評価しますか?",submit_label:"送信",submission_expired:"申し訳ありません、アンケートの受付期間は終了しました。"},form:{optional_label:"任意",validation_required:"この質問は必須です"},common:{placeholder_something_went_wrong:"問題が発生しました",placeholder_no_messages:"メッセージがありません",placeholder_no_conversations:"まだ会話がありません",placeholder_something_went_wrong_retry_label:"再試行"},feedback:{title:"フィードバックを送信",good:"良い",bad:"悪い",comment_label:"コメント(オプション)",comment_placeholder:"コメントを残してください",cancel:"キャンセル",submit:"送信",save:"保存",edit:"フィードバックを編集",remove:"フィードバックを削除"}},e={language:"ja",strings:T,dateLocale:a.ja},t=o.mapCommonStringsToReactFormat(e.strings),s={...t,HEADER_BUTTON__AGENT_HANDOFF:"エージェントに接続",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"続行するにはオプションを選択してください",BUTTON__CANCEL:"キャンセル",BUTTON__SUBMIT:"送信",SUBMITTED:"送信済み",TRY_AGAIN:"もう一度お試しください。",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"画像は1枚までアップロードできます。",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"ファイルの最大サイズは%dMBです。",FILE_VIEWER__UNSUPPORT:"サポートされていないメッセージ",CSAT5_RATING_SCORE_1:"最悪",CSAT5_RATING_SCORE_2:"悪い",CSAT5_RATING_SCORE_3:"普通",CSAT5_RATING_SCORE_4:"良い",CSAT5_RATING_SCORE_5:"素晴らしい",FORM_UNAVAILABLE:"このフォームはもう利用できません。",FORM_NOT_SUPPORTED:"このフォームは現在のバージョンではサポートされていません。",FORM_VALIDATION_MIN_LENGTH:_=>`最低${_}文字が必要です`,FORM_VALIDATION_MAX_LENGTH:_=>`最大${_}文字まで入力できます`,FORM_VALIDATION_MIN:_=>`最小値は${_}です`,FORM_VALIDATION_MAX:_=>`最大値は${_}です`,FORM_VALIDATION_MIN_SELECT:_=>`少なくとも${_}個のオプションを選択してください`,FORM_VALIDATION_MAX_SELECT:_=>`最大${_}個のオプションを選択してください`,FORM_VALIDATION_REGEX_FAILED:"無効な形式",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:t.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"カテゴリなし",CONVERSATION_CLOSED_FOOTER_LABEL:"会話が終了しました",START_NEW_CONVERSATION:"💬 新しい会話を始める",RETURN_TO_CONVERSATION:"💬 会話に戻る",BUTTON__SAVE:"保存",BUTTON__OK:"OK",NO_NAME:"(名前なし)",CHANNEL_FROZEN:"チャンネルが凍結されました"},l={language:e.language,dateLocale:e.dateLocale,stringSet:s};exports.default=l;
@@ -1 +1 @@
1
- "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const n=require("./CRQKrE4j.cjs"),_=require("date-fns/locale/es"),i={conversation:{input_placeholder:"Hacer una pregunta",input_placeholder_disabled:"El chat no está disponible en este canal",input_placeholder_wait_ai_agent_response:"Esperando la respuesta del agente...",input_placeholder_active_form:"Por favor, complete el formulario para continuar.",input_placeholder_reconnecting:"Reconectando. Actualiza si persiste.",unknown_message_type:"(Tipo de mensaje desconocido)",powered_by:"Desarrollado por",citation_title:"Fuente",start_new_conversation_label:"Iniciar una conversación",scroll_to_new_messages_label:()=>"Nuevo mensaje",failed_message_resend:"Reintentar",failed_message_remove:"Eliminar",file_upload_no_supported_files:"No hay tipos de archivo compatibles disponibles.",a11y_message_list:"Mensajes del chat",a11y_scroll_to_bottom:"Desplazarse hacia abajo",a11y_scroll_to_new_messages:"Desplazarse a nuevos mensajes",a11y_open_conversation_list:"Abrir lista de conversaciones"},conversation_list:{header_title:"Conversaciones",ended:"Finalizado",footer_title:"Iniciar una conversación"},date_format:{just_now:"Ahora mismo",minutes_ago:e=>`Hace ${e} minutos`,hours_ago:e=>`Hace ${e} horas`,date_short:"dd/MM/yyyy",date_separator:"d 'de' MMMM 'de' yyyy",message_timestamp:"p"},csat:{title:"Tus comentarios nos importan",submitted_label:"Enviado con éxito!",cre_question:"¿Se resolvió su problema?",cre_positive_label:"¡Sí, gracias! 👍",cre_negative_label:"No, eso no ayudó.",reason_placeholder:"Comparte tu opinión",question:"¿Cómo calificarías tu experiencia?",submit_label:"Enviar",submission_expired:"Lo sentimos, el período de la encuesta ha terminado."},form:{optional_label:"opcional",validation_required:"Esta pregunta es obligatoria"},common:{placeholder_something_went_wrong:"Algo salió mal",placeholder_no_messages:"No hay mensajes",placeholder_no_conversations:"Aún no hay conversaciones",placeholder_something_went_wrong_retry_label:"Reintentar"},feedback:{title:"Enviar comentarios",good:"Bueno",bad:"Malo",comment_label:"Comentario (opcional)",comment_placeholder:"Deja un comentario",cancel:"Cancelar",submit:"Enviar",save:"Guardar",edit:"Editar comentarios",remove:"Eliminar comentarios"}},a={language:"es",strings:i,dateLocale:_.es},o=n.mapCommonStringsToReactFormat(a.strings),s={...o,HEADER_BUTTON__AGENT_HANDOFF:"Conectarse con un agente",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"Selecciona una opción para continuar",BUTTON__CANCEL:"Cancelar",BUTTON__SUBMIT:"Enviar",SUBMITTED:"Enviado",TRY_AGAIN:"Por favor, inténtalo de nuevo.",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"No puedes subir más de una imagen.",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"El tamaño máximo por archivo es de %d MB.",FILE_VIEWER__UNSUPPORT:"Mensaje no compatible",CSAT5_RATING_SCORE_1:"Terrible",CSAT5_RATING_SCORE_2:"Malo",CSAT5_RATING_SCORE_3:"Regular",CSAT5_RATING_SCORE_4:"Bueno",CSAT5_RATING_SCORE_5:"Excelente",FORM_UNAVAILABLE:"El formulario ya no está disponible.",FORM_NOT_SUPPORTED:"Este formulario no es compatible con la versión actual.",FORM_VALIDATION_MIN_LENGTH:e=>`Mínimo ${e} caracteres requeridos`,FORM_VALIDATION_MAX_LENGTH:e=>`Máximo ${e} caracteres permitidos`,FORM_VALIDATION_MIN:e=>`El valor mínimo es ${e}`,FORM_VALIDATION_MAX:e=>`El valor máximo es ${e}`,FORM_VALIDATION_MIN_SELECT:e=>`Selecciona al menos ${e} opciones`,FORM_VALIDATION_MAX_SELECT:e=>`Selecciona como máximo ${e} opciones`,FORM_VALIDATION_REGEX_FAILED:"Formato inválido",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:o.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"Sin categoría",CONVERSATION_CLOSED_FOOTER_LABEL:"Tu conversación ha terminado",START_NEW_CONVERSATION:"💬 Iniciar una nueva conversación",RETURN_TO_CONVERSATION:"💬 Volver a la conversación",BUTTON__SAVE:"Guardar",BUTTON__OK:"Aceptar",NO_NAME:"(Sin nombre)",CHANNEL_FROZEN:"Canal congelado"},r={language:a.language,dateLocale:a.dateLocale,stringSet:s};exports.default=r;
1
+ "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const n=require("date-fns/locale/es"),_=require("./DKm5JuUx.cjs"),i={conversation:{input_placeholder:"Hacer una pregunta",input_placeholder_disabled:"El chat no está disponible en este canal",input_placeholder_wait_ai_agent_response:"Esperando la respuesta del agente...",input_placeholder_active_form:"Por favor, complete el formulario para continuar.",input_placeholder_reconnecting:"Reconectando. Actualiza si persiste.",unknown_message_type:"(Tipo de mensaje desconocido)",powered_by:"Desarrollado por",citation_title:"Fuente",start_new_conversation_label:"Iniciar una conversación",scroll_to_new_messages_label:()=>"Nuevo mensaje",failed_message_resend:"Reintentar",failed_message_remove:"Eliminar",file_upload_no_supported_files:"No hay tipos de archivo compatibles disponibles.",a11y_message_list:"Mensajes del chat",a11y_scroll_to_bottom:"Desplazarse hacia abajo",a11y_scroll_to_new_messages:"Desplazarse a nuevos mensajes",a11y_open_conversation_list:"Abrir lista de conversaciones"},conversation_list:{header_title:"Conversaciones",ended:"Finalizado",footer_title:"Iniciar una conversación"},date_format:{just_now:"Ahora mismo",minutes_ago:e=>`Hace ${e} minutos`,hours_ago:e=>`Hace ${e} horas`,date_short:"dd/MM/yyyy",date_separator:"d 'de' MMMM 'de' yyyy",message_timestamp:"p"},csat:{title:"Tus comentarios nos importan",submitted_label:"Enviado con éxito!",cre_question:"¿Se resolvió su problema?",cre_positive_label:"¡Sí, gracias! 👍",cre_negative_label:"No, eso no ayudó.",reason_placeholder:"Comparte tu opinión",question:"¿Cómo calificarías tu experiencia?",submit_label:"Enviar",submission_expired:"Lo sentimos, el período de la encuesta ha terminado."},form:{optional_label:"opcional",validation_required:"Esta pregunta es obligatoria"},common:{placeholder_something_went_wrong:"Algo salió mal",placeholder_no_messages:"No hay mensajes",placeholder_no_conversations:"Aún no hay conversaciones",placeholder_something_went_wrong_retry_label:"Reintentar"},feedback:{title:"Enviar comentarios",good:"Bueno",bad:"Malo",comment_label:"Comentario (opcional)",comment_placeholder:"Deja un comentario",cancel:"Cancelar",submit:"Enviar",save:"Guardar",edit:"Editar comentarios",remove:"Eliminar comentarios"}},a={language:"es",strings:i,dateLocale:n.es},o=_.mapCommonStringsToReactFormat(a.strings),s={...o,HEADER_BUTTON__AGENT_HANDOFF:"Conectarse con un agente",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"Selecciona una opción para continuar",BUTTON__CANCEL:"Cancelar",BUTTON__SUBMIT:"Enviar",SUBMITTED:"Enviado",TRY_AGAIN:"Por favor, inténtalo de nuevo.",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"No puedes subir más de una imagen.",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"El tamaño máximo por archivo es de %d MB.",FILE_VIEWER__UNSUPPORT:"Mensaje no compatible",CSAT5_RATING_SCORE_1:"Terrible",CSAT5_RATING_SCORE_2:"Malo",CSAT5_RATING_SCORE_3:"Regular",CSAT5_RATING_SCORE_4:"Bueno",CSAT5_RATING_SCORE_5:"Excelente",FORM_UNAVAILABLE:"El formulario ya no está disponible.",FORM_NOT_SUPPORTED:"Este formulario no es compatible con la versión actual.",FORM_VALIDATION_MIN_LENGTH:e=>`Mínimo ${e} caracteres requeridos`,FORM_VALIDATION_MAX_LENGTH:e=>`Máximo ${e} caracteres permitidos`,FORM_VALIDATION_MIN:e=>`El valor mínimo es ${e}`,FORM_VALIDATION_MAX:e=>`El valor máximo es ${e}`,FORM_VALIDATION_MIN_SELECT:e=>`Selecciona al menos ${e} opciones`,FORM_VALIDATION_MAX_SELECT:e=>`Selecciona como máximo ${e} opciones`,FORM_VALIDATION_REGEX_FAILED:"Formato inválido",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:o.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"Sin categoría",CONVERSATION_CLOSED_FOOTER_LABEL:"Tu conversación ha terminado",START_NEW_CONVERSATION:"💬 Iniciar una nueva conversación",RETURN_TO_CONVERSATION:"💬 Volver a la conversación",BUTTON__SAVE:"Guardar",BUTTON__OK:"Aceptar",NO_NAME:"(Sin nombre)",CHANNEL_FROZEN:"Canal congelado"},r={language:a.language,dateLocale:a.dateLocale,stringSet:s};exports.default=r;
@@ -1 +1 @@
1
- "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const p=require("react"),g=require("dompurify"),c=require("markdown-to-jsx"),b=require("styled-components"),n=require("./CRQKrE4j.cjs"),l=t=>t&&t.__esModule?t:{default:t};function x(t){if(t&&t.__esModule)return t;const e=Object.create(null,{[Symbol.toStringTag]:{value:"Module"}});if(t){for(const i in t)if(i!=="default"){const r=Object.getOwnPropertyDescriptor(t,i);Object.defineProperty(e,i,r.get?r:{enumerable:!0,get:()=>t[i]})}}return e.default=t,Object.freeze(e)}const o=x(p),u=l(g),m=l(c),f=l(b),w=(t,e,i,r)=>e.type===c.RuleType.textStrikethroughed?o.createElement("span",{key:r.key},`~~${i(e.children,r)}~~`):t(),y=({className:t,children:e,style:i,onClickImage:r})=>{const h=p.useCallback(d=>{const a=o.createElement("img",{...d,alt:d.alt||""}),s=d.src;return r&&s?o.createElement("button",{type:"button",onClick:()=>r(s),style:{border:"none",padding:0,background:"none",cursor:"pointer",display:"inline-block"}},a):a},[]);return o.createElement(k,{className:t,style:i},o.createElement(m.default,{options:{renderRule:w,overrides:{a:{component:({children:d,...a})=>o.createElement("a",{...a,target:"_blank",rel:n.ANCHOR_REL},d)},img:{component:h}}}},u.default.sanitize(n.escapeMarkdownSyntax(e))))},k=f.default.div`*{&:first-child{margin-top:0;}&:last-child{margin-bottom:0;}}hr{border-top:1px solid ${n.cssVars.themedColor.textDisabled};margin:21px 0;}h1{margin-top:0;margin-bottom:12.4px;padding:0;font-size:22.4px;line-height:27.6px;font-weight:700;letter-spacing:-0.6px;}h2{font-weight:600;margin:24px 0 12px;font-size:18.2px;line-height:22.3px;}& :where(h3 + *){margin-top:0;}h3,h4,h5,h6{font-weight:600;margin:16px 0 8px;font-size:15.4px;line-height:22.4px;}p{font-size:14px;line-height:20px;margin-bottom:8px;margin-top:0;&:not(:first-child){margin-top:8px;}}a{color:inherit;font-weight:700;text-decoration:underline;}code{white-space:pre-wrap;border-radius:0.25rem;font-size:0.875em;font-weight:500;padding:2.4px 4.8px;background-color:${n.cssVars.themedColor.textDisabled};}menu{list-style:none;}ul{list-style-type:disc;}ol{list-style-type:decimal;}ul,ol{padding-inline-start:16px;margin:8px 0;& > li{padding-inline-start:0;margin:8px 0;& > ul,& > ol{margin-top:8px;& > li{margin:4px 0;}}}}p + ul,p + ol{margin-top:0;}blockquote{line-height:20px;margin:0;padding:4.8px 0;margin-inline-start:8px;padding-inline-start:16px;box-sizing:border-box;position:relative;font-style:normal;font-weight:500;border-inline-start-width:4px;&::before{border-radius:100px;content:'';position:absolute;top:0;left:0;height:100%;width:4px;background-color:${n.cssVars.themedColor.textDisabled};}}input[type='checkbox']{vertical-align:middle;margin:0;}table{unicode-bidi:isolate;overflow-wrap:break-word;white-space:normal;display:block;overflow-x:scroll;max-width:100%;text-indent:0;border-collapse:separate;border-spacing:0;margin:4px 0;text-align:start;font-size:12.3px;table-layout:auto;width:100%;*,&:after,&:before{border:0 solid;box-sizing:border-box;}}th:first-child{border-start-start-radius:6px;padding-inline-start:10.5px;}th:last-child{border-inline-end-width:1px;border-start-end-radius:6px;padding-inline-end:10.5px;}th{border-inline-start-width:1px;background-color:rgba(0,0,0,0.1);border-bottom-width:1px;border-color:${n.cssVars.themedColor.textDisabled};border-top-width:1px;padding:4px 10.5px;text-align:start;}& :where(thead th:first-child){padding-inline-start:0;}& :where(thead th:last-child){padding-inline-end:0;}& :where(thead th){padding-bottom:8px;padding-inline:8px;vertical-align:bottom;}& :where(tbody tr){border-bottom-width:1px;}& :where(tbody tr:last-child){border-bottom-width:0;}td:first-child{padding-inline-start:10.5px;}td:last-child{border-inline-end-width:1px;padding-inline-end:10.5px;}& :where(tbody td:first-child,tfoot td:first-child){padding-inline-start:0;}& :where(tbody td:last-child,tfoot td:last-child){padding-inline-end:0;}td{border-inline-start-width:1px;border-bottom-width:1px;border-color:${n.cssVars.themedColor.textDisabled};padding:4px 10.5px;text-align:start;}& :where(tbody td,tfoot td){padding:8px;}& :where(tbody td){vertical-align:baseline;}tbody tr:last-child td:first-child{border-end-start-radius:6px;}tbody tr:last-child td:last-child{border-end-end-radius:6px;}img{max-width:100%;height:auto;}`;exports.MarkdownText=y;
1
+ "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const p=require("react"),g=require("dompurify"),c=require("markdown-to-jsx"),b=require("styled-components"),n=require("./DKm5JuUx.cjs"),l=t=>t&&t.__esModule?t:{default:t};function x(t){if(t&&t.__esModule)return t;const e=Object.create(null,{[Symbol.toStringTag]:{value:"Module"}});if(t){for(const i in t)if(i!=="default"){const r=Object.getOwnPropertyDescriptor(t,i);Object.defineProperty(e,i,r.get?r:{enumerable:!0,get:()=>t[i]})}}return e.default=t,Object.freeze(e)}const o=x(p),u=l(g),m=l(c),f=l(b),w=(t,e,i,r)=>e.type===c.RuleType.textStrikethroughed?o.createElement("span",{key:r.key},`~~${i(e.children,r)}~~`):t(),y=({className:t,children:e,style:i,onClickImage:r})=>{const h=p.useCallback(d=>{const a=o.createElement("img",{...d,alt:d.alt||""}),s=d.src;return r&&s?o.createElement("button",{type:"button",onClick:()=>r(s),style:{border:"none",padding:0,background:"none",cursor:"pointer",display:"inline-block"}},a):a},[]);return o.createElement(k,{className:t,style:i},o.createElement(m.default,{options:{renderRule:w,overrides:{a:{component:({children:d,...a})=>o.createElement("a",{...a,target:"_blank",rel:n.ANCHOR_REL},d)},img:{component:h}}}},u.default.sanitize(n.escapeMarkdownSyntax(e))))},k=f.default.div`*{&:first-child{margin-top:0;}&:last-child{margin-bottom:0;}}hr{border-top:1px solid ${n.cssVars.themedColor.textDisabled};margin:21px 0;}h1{margin-top:0;margin-bottom:12.4px;padding:0;font-size:22.4px;line-height:27.6px;font-weight:700;letter-spacing:-0.6px;}h2{font-weight:600;margin:24px 0 12px;font-size:18.2px;line-height:22.3px;}& :where(h3 + *){margin-top:0;}h3,h4,h5,h6{font-weight:600;margin:16px 0 8px;font-size:15.4px;line-height:22.4px;}p{font-size:14px;line-height:20px;margin-bottom:8px;margin-top:0;&:not(:first-child){margin-top:8px;}}a{color:inherit;font-weight:700;text-decoration:underline;}code{white-space:pre-wrap;border-radius:0.25rem;font-size:0.875em;font-weight:500;padding:2.4px 4.8px;background-color:${n.cssVars.themedColor.textDisabled};}menu{list-style:none;}ul{list-style-type:disc;}ol{list-style-type:decimal;}ul,ol{padding-inline-start:16px;margin:8px 0;& > li{padding-inline-start:0;margin:8px 0;& > ul,& > ol{margin-top:8px;& > li{margin:4px 0;}}}}p + ul,p + ol{margin-top:0;}blockquote{line-height:20px;margin:0;padding:4.8px 0;margin-inline-start:8px;padding-inline-start:16px;box-sizing:border-box;position:relative;font-style:normal;font-weight:500;border-inline-start-width:4px;&::before{border-radius:100px;content:'';position:absolute;top:0;left:0;height:100%;width:4px;background-color:${n.cssVars.themedColor.textDisabled};}}input[type='checkbox']{vertical-align:middle;margin:0;}table{unicode-bidi:isolate;overflow-wrap:break-word;white-space:normal;display:block;overflow-x:scroll;max-width:100%;text-indent:0;border-collapse:separate;border-spacing:0;margin:4px 0;text-align:start;font-size:12.3px;table-layout:auto;width:100%;*,&:after,&:before{border:0 solid;box-sizing:border-box;}}th:first-child{border-start-start-radius:6px;padding-inline-start:10.5px;}th:last-child{border-inline-end-width:1px;border-start-end-radius:6px;padding-inline-end:10.5px;}th{border-inline-start-width:1px;background-color:rgba(0,0,0,0.1);border-bottom-width:1px;border-color:${n.cssVars.themedColor.textDisabled};border-top-width:1px;padding:4px 10.5px;text-align:start;}& :where(thead th:first-child){padding-inline-start:0;}& :where(thead th:last-child){padding-inline-end:0;}& :where(thead th){padding-bottom:8px;padding-inline:8px;vertical-align:bottom;}& :where(tbody tr){border-bottom-width:1px;}& :where(tbody tr:last-child){border-bottom-width:0;}td:first-child{padding-inline-start:10.5px;}td:last-child{border-inline-end-width:1px;padding-inline-end:10.5px;}& :where(tbody td:first-child,tfoot td:first-child){padding-inline-start:0;}& :where(tbody td:last-child,tfoot td:last-child){padding-inline-end:0;}td{border-inline-start-width:1px;border-bottom-width:1px;border-color:${n.cssVars.themedColor.textDisabled};padding:4px 10.5px;text-align:start;}& :where(tbody td,tfoot td){padding:8px;}& :where(tbody td){vertical-align:baseline;}tbody tr:last-child td:first-child{border-end-start-radius:6px;}tbody tr:last-child td:last-child{border-end-end-radius:6px;}img{max-width:100%;height:auto;}`;exports.MarkdownText=y;
@@ -1 +1 @@
1
- "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const o=require("./CRQKrE4j.cjs"),r=require("date-fns/locale/fr"),_={conversation:{input_placeholder:"Poser une question",input_placeholder_disabled:"Le chat n'est pas disponible dans ce canal",input_placeholder_wait_ai_agent_response:"En attente de la réponse de l'agent...",input_placeholder_active_form:"Veuillez remplir le formulaire pour continuer.",input_placeholder_reconnecting:"Reconnexion. Actualisez si persiste.",unknown_message_type:"(Type de message inconnu)",powered_by:"Propulsé par",citation_title:"Source",start_new_conversation_label:"Démarrer une conversation",scroll_to_new_messages_label:()=>"Nouveau message",failed_message_resend:"Réessayer",failed_message_remove:"Supprimer",file_upload_no_supported_files:"Aucun type de fichier pris en charge disponible.",a11y_message_list:"Messages du chat",a11y_scroll_to_bottom:"Faire défiler vers le bas",a11y_scroll_to_new_messages:"Aller aux nouveaux messages",a11y_open_conversation_list:"Ouvrir la liste des conversations"},conversation_list:{header_title:"Conversations",ended:"Terminée",footer_title:"Démarrer une conversation"},date_format:{just_now:"À l'instant",minutes_ago:e=>`Il y a ${e} minutes`,hours_ago:e=>`Il y a ${e} heures`,date_short:"dd/MM/yyyy",date_separator:"d MMMM yyyy",message_timestamp:"p"},csat:{title:"Vos commentaires comptent pour nous",submitted_label:"Soumis avec succès!",cre_question:"Votre problème a-t-il été résolu ?",cre_positive_label:"Oui, merci ! 👍",cre_negative_label:"Non, cela n'a pas aidé.",reason_placeholder:"Partagez votre avis",question:"Comment évalueriez-vous votre expérience ?",submit_label:"Envoyer",submission_expired:"Désolé, la période de l'enquête est terminée."},form:{optional_label:"optionnel",validation_required:"Cette question est obligatoire"},common:{placeholder_something_went_wrong:"Une erreur est survenue",placeholder_no_messages:"Aucun message",placeholder_no_conversations:"Aucune conversation pour le moment",placeholder_something_went_wrong_retry_label:"Réessayer"},feedback:{title:"Envoyer des commentaires",good:"Bien",bad:"Mauvais",comment_label:"Commentaire (optionnel)",comment_placeholder:"Laissez un commentaire",cancel:"Annuler",submit:"Envoyer",save:"Enregistrer",edit:"Modifier les commentaires",remove:"Supprimer les commentaires"}},a={language:"fr",strings:_,dateLocale:r.fr},n=o.mapCommonStringsToReactFormat(a.strings),s={...n,HEADER_BUTTON__AGENT_HANDOFF:"Se connecter avec un agent",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"Sélectionnez une option pour continuer",BUTTON__CANCEL:"Annuler",BUTTON__SUBMIT:"Soumettre",SUBMITTED:"Soumis",TRY_AGAIN:"Veuillez réessayer.",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"Vous ne pouvez pas télécharger plus d'une image.",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"La taille maximale par fichier est de %d MB.",FILE_VIEWER__UNSUPPORT:"Message non pris en charge",CSAT5_RATING_SCORE_1:"Terrible",CSAT5_RATING_SCORE_2:"Mauvais",CSAT5_RATING_SCORE_3:"Correct",CSAT5_RATING_SCORE_4:"Bon",CSAT5_RATING_SCORE_5:"Excellent",FORM_UNAVAILABLE:"Le formulaire n'est plus disponible.",FORM_NOT_SUPPORTED:"Ce formulaire n'est pas pris en charge dans la version actuelle.",FORM_VALIDATION_MIN_LENGTH:e=>`Minimum ${e} caractères requis`,FORM_VALIDATION_MAX_LENGTH:e=>`Maximum ${e} caractères autorisés`,FORM_VALIDATION_MIN:e=>`La valeur minimale est ${e}`,FORM_VALIDATION_MAX:e=>`La valeur maximale est ${e}`,FORM_VALIDATION_MIN_SELECT:e=>`Sélectionnez au moins ${e} options`,FORM_VALIDATION_MAX_SELECT:e=>`Sélectionnez au maximum ${e} options`,FORM_VALIDATION_REGEX_FAILED:"Format invalide",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:n.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"Aucune catégorie",CONVERSATION_CLOSED_FOOTER_LABEL:"Votre conversation est terminée",START_NEW_CONVERSATION:"💬 Démarrer une nouvelle conversation",RETURN_TO_CONVERSATION:"💬 Retourner à la conversation",BUTTON__SAVE:"Enregistrer",BUTTON__OK:"OK",NO_NAME:"(Sans nom)",CHANNEL_FROZEN:"Canal gelé"},t={language:a.language,dateLocale:a.dateLocale,stringSet:s};exports.default=t;
1
+ "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const o=require("date-fns/locale/fr"),r=require("./DKm5JuUx.cjs"),_={conversation:{input_placeholder:"Poser une question",input_placeholder_disabled:"Le chat n'est pas disponible dans ce canal",input_placeholder_wait_ai_agent_response:"En attente de la réponse de l'agent...",input_placeholder_active_form:"Veuillez remplir le formulaire pour continuer.",input_placeholder_reconnecting:"Reconnexion. Actualisez si persiste.",unknown_message_type:"(Type de message inconnu)",powered_by:"Propulsé par",citation_title:"Source",start_new_conversation_label:"Démarrer une conversation",scroll_to_new_messages_label:()=>"Nouveau message",failed_message_resend:"Réessayer",failed_message_remove:"Supprimer",file_upload_no_supported_files:"Aucun type de fichier pris en charge disponible.",a11y_message_list:"Messages du chat",a11y_scroll_to_bottom:"Faire défiler vers le bas",a11y_scroll_to_new_messages:"Aller aux nouveaux messages",a11y_open_conversation_list:"Ouvrir la liste des conversations"},conversation_list:{header_title:"Conversations",ended:"Terminée",footer_title:"Démarrer une conversation"},date_format:{just_now:"À l'instant",minutes_ago:e=>`Il y a ${e} minutes`,hours_ago:e=>`Il y a ${e} heures`,date_short:"dd/MM/yyyy",date_separator:"d MMMM yyyy",message_timestamp:"p"},csat:{title:"Vos commentaires comptent pour nous",submitted_label:"Soumis avec succès!",cre_question:"Votre problème a-t-il été résolu ?",cre_positive_label:"Oui, merci ! 👍",cre_negative_label:"Non, cela n'a pas aidé.",reason_placeholder:"Partagez votre avis",question:"Comment évalueriez-vous votre expérience ?",submit_label:"Envoyer",submission_expired:"Désolé, la période de l'enquête est terminée."},form:{optional_label:"optionnel",validation_required:"Cette question est obligatoire"},common:{placeholder_something_went_wrong:"Une erreur est survenue",placeholder_no_messages:"Aucun message",placeholder_no_conversations:"Aucune conversation pour le moment",placeholder_something_went_wrong_retry_label:"Réessayer"},feedback:{title:"Envoyer des commentaires",good:"Bien",bad:"Mauvais",comment_label:"Commentaire (optionnel)",comment_placeholder:"Laissez un commentaire",cancel:"Annuler",submit:"Envoyer",save:"Enregistrer",edit:"Modifier les commentaires",remove:"Supprimer les commentaires"}},a={language:"fr",strings:_,dateLocale:o.fr},n=r.mapCommonStringsToReactFormat(a.strings),s={...n,HEADER_BUTTON__AGENT_HANDOFF:"Se connecter avec un agent",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"Sélectionnez une option pour continuer",BUTTON__CANCEL:"Annuler",BUTTON__SUBMIT:"Soumettre",SUBMITTED:"Soumis",TRY_AGAIN:"Veuillez réessayer.",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"Vous ne pouvez pas télécharger plus d'une image.",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"La taille maximale par fichier est de %d MB.",FILE_VIEWER__UNSUPPORT:"Message non pris en charge",CSAT5_RATING_SCORE_1:"Terrible",CSAT5_RATING_SCORE_2:"Mauvais",CSAT5_RATING_SCORE_3:"Correct",CSAT5_RATING_SCORE_4:"Bon",CSAT5_RATING_SCORE_5:"Excellent",FORM_UNAVAILABLE:"Le formulaire n'est plus disponible.",FORM_NOT_SUPPORTED:"Ce formulaire n'est pas pris en charge dans la version actuelle.",FORM_VALIDATION_MIN_LENGTH:e=>`Minimum ${e} caractères requis`,FORM_VALIDATION_MAX_LENGTH:e=>`Maximum ${e} caractères autorisés`,FORM_VALIDATION_MIN:e=>`La valeur minimale est ${e}`,FORM_VALIDATION_MAX:e=>`La valeur maximale est ${e}`,FORM_VALIDATION_MIN_SELECT:e=>`Sélectionnez au moins ${e} options`,FORM_VALIDATION_MAX_SELECT:e=>`Sélectionnez au maximum ${e} options`,FORM_VALIDATION_REGEX_FAILED:"Format invalide",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:n.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"Aucune catégorie",CONVERSATION_CLOSED_FOOTER_LABEL:"Votre conversation est terminée",START_NEW_CONVERSATION:"💬 Démarrer une nouvelle conversation",RETURN_TO_CONVERSATION:"💬 Retourner à la conversation",BUTTON__SAVE:"Enregistrer",BUTTON__OK:"OK",NO_NAME:"(Sans nom)",CHANNEL_FROZEN:"Canal gelé"},t={language:a.language,dateLocale:a.dateLocale,stringSet:s};exports.default=t;
@@ -1 +1 @@
1
- "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const _=require("./CRQKrE4j.cjs"),r=require("date-fns/locale/de"),a={conversation:{input_placeholder:"Eine Frage stellen",input_placeholder_disabled:"Chat ist in diesem Kanal nicht verfügbar",input_placeholder_wait_ai_agent_response:"Warten auf die Antwort des Agenten...",input_placeholder_active_form:"Bitte fülle das Formular aus, um fortzufahren.",input_placeholder_reconnecting:"Neu verbinden. Aktualisieren falls anhaltend.",unknown_message_type:"(Unbekannter Nachrichtentyp)",powered_by:"Unterstützt von",citation_title:"Quelle",start_new_conversation_label:"Ein Gespräch starten",scroll_to_new_messages_label:()=>"Neue Nachricht",failed_message_resend:"Erneut versuchen",failed_message_remove:"Entfernen",file_upload_no_supported_files:"Keine unterstützten Dateitypen verfügbar.",a11y_message_list:"Chat-Nachrichten",a11y_scroll_to_bottom:"Nach unten scrollen",a11y_scroll_to_new_messages:"Zu neuen Nachrichten scrollen",a11y_open_conversation_list:"Konversationsliste öffnen"},conversation_list:{header_title:"Gespräche",ended:"Beendet",footer_title:"Ein Gespräch starten"},date_format:{just_now:"Gerade eben",minutes_ago:e=>`Vor ${e} Minuten`,hours_ago:e=>`Vor ${e} Stunden`,date_short:"dd.MM.yyyy",date_separator:"d. MMMM yyyy",message_timestamp:"p"},csat:{title:"Ihr Feedback ist uns wichtig",submitted_label:"Erfolgreich gesendet!",cre_question:"Wurde Ihr Problem gelöst?",cre_positive_label:"Ja, danke! 👍",cre_negative_label:"Nein, das hat nicht geholfen.",reason_placeholder:"Dein Feedback teilen",question:"Wie würden Sie Ihre Erfahrung bewerten?",submit_label:"Absenden",submission_expired:"Die Umfrage ist leider nicht mehr verfügbar."},form:{optional_label:"optional",validation_required:"Diese Frage ist erforderlich"},common:{placeholder_something_went_wrong:"Etwas ist schiefgelaufen",placeholder_no_messages:"Keine Nachrichten",placeholder_no_conversations:"Noch keine Unterhaltungen",placeholder_something_went_wrong_retry_label:"Erneut versuchen"},feedback:{title:"Feedback senden",good:"Gut",bad:"Schlecht",comment_label:"Kommentar (optional)",comment_placeholder:"Hinterlasse einen Kommentar",cancel:"Abbrechen",submit:"Senden",save:"Speichern",edit:"Feedback bearbeiten",remove:"Feedback entfernen"}},n={language:"de",strings:a,dateLocale:r.de},t=_.mapCommonStringsToReactFormat(n.strings),i={...t,HEADER_BUTTON__AGENT_HANDOFF:"Mit einem Agenten verbinden",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"Wählen Sie eine Option zum Fortfahren",BUTTON__CANCEL:"Abbrechen",BUTTON__SUBMIT:"Absenden",SUBMITTED:"Gesendet",TRY_AGAIN:"Bitte versuche es erneut.",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"Du kannst nicht mehr als ein Bild hochladen.",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"Die maximale Dateigröße beträgt %d MB.",FILE_VIEWER__UNSUPPORT:"Nicht unterstützte Nachricht",CSAT5_RATING_SCORE_1:"Schrecklich",CSAT5_RATING_SCORE_2:"Schlecht",CSAT5_RATING_SCORE_3:"Okay",CSAT5_RATING_SCORE_4:"Gut",CSAT5_RATING_SCORE_5:"Großartig",FORM_UNAVAILABLE:"Das Formular ist nicht mehr verfügbar.",FORM_NOT_SUPPORTED:"Dieses Formular wird in der aktuellen Version nicht unterstützt.",FORM_VALIDATION_MIN_LENGTH:e=>`Mindestens ${e} Zeichen erforderlich`,FORM_VALIDATION_MAX_LENGTH:e=>`Maximal ${e} Zeichen erlaubt`,FORM_VALIDATION_MIN:e=>`Mindestwert ist ${e}`,FORM_VALIDATION_MAX:e=>`Maximalwert ist ${e}`,FORM_VALIDATION_MIN_SELECT:e=>`Wähle mindestens ${e} Optionen`,FORM_VALIDATION_MAX_SELECT:e=>`Wähle höchstens ${e} Optionen`,FORM_VALIDATION_REGEX_FAILED:"Ungültiges Format",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:t.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"Keine Kategorie",CONVERSATION_CLOSED_FOOTER_LABEL:"Deine Unterhaltung wurde beendet",START_NEW_CONVERSATION:"💬 Neue Unterhaltung starten",RETURN_TO_CONVERSATION:"💬 Zurück zur Unterhaltung",BUTTON__SAVE:"Speichern",BUTTON__OK:"OK",NO_NAME:"(Kein Name)",CHANNEL_FROZEN:"Kanal eingefroren"},s={language:n.language,dateLocale:n.dateLocale,stringSet:i};exports.default=s;
1
+ "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const _=require("date-fns/locale/de"),r=require("./DKm5JuUx.cjs"),a={conversation:{input_placeholder:"Eine Frage stellen",input_placeholder_disabled:"Chat ist in diesem Kanal nicht verfügbar",input_placeholder_wait_ai_agent_response:"Warten auf die Antwort des Agenten...",input_placeholder_active_form:"Bitte fülle das Formular aus, um fortzufahren.",input_placeholder_reconnecting:"Neu verbinden. Aktualisieren falls anhaltend.",unknown_message_type:"(Unbekannter Nachrichtentyp)",powered_by:"Unterstützt von",citation_title:"Quelle",start_new_conversation_label:"Ein Gespräch starten",scroll_to_new_messages_label:()=>"Neue Nachricht",failed_message_resend:"Erneut versuchen",failed_message_remove:"Entfernen",file_upload_no_supported_files:"Keine unterstützten Dateitypen verfügbar.",a11y_message_list:"Chat-Nachrichten",a11y_scroll_to_bottom:"Nach unten scrollen",a11y_scroll_to_new_messages:"Zu neuen Nachrichten scrollen",a11y_open_conversation_list:"Konversationsliste öffnen"},conversation_list:{header_title:"Gespräche",ended:"Beendet",footer_title:"Ein Gespräch starten"},date_format:{just_now:"Gerade eben",minutes_ago:e=>`Vor ${e} Minuten`,hours_ago:e=>`Vor ${e} Stunden`,date_short:"dd.MM.yyyy",date_separator:"d. MMMM yyyy",message_timestamp:"p"},csat:{title:"Ihr Feedback ist uns wichtig",submitted_label:"Erfolgreich gesendet!",cre_question:"Wurde Ihr Problem gelöst?",cre_positive_label:"Ja, danke! 👍",cre_negative_label:"Nein, das hat nicht geholfen.",reason_placeholder:"Dein Feedback teilen",question:"Wie würden Sie Ihre Erfahrung bewerten?",submit_label:"Absenden",submission_expired:"Die Umfrage ist leider nicht mehr verfügbar."},form:{optional_label:"optional",validation_required:"Diese Frage ist erforderlich"},common:{placeholder_something_went_wrong:"Etwas ist schiefgelaufen",placeholder_no_messages:"Keine Nachrichten",placeholder_no_conversations:"Noch keine Unterhaltungen",placeholder_something_went_wrong_retry_label:"Erneut versuchen"},feedback:{title:"Feedback senden",good:"Gut",bad:"Schlecht",comment_label:"Kommentar (optional)",comment_placeholder:"Hinterlasse einen Kommentar",cancel:"Abbrechen",submit:"Senden",save:"Speichern",edit:"Feedback bearbeiten",remove:"Feedback entfernen"}},n={language:"de",strings:a,dateLocale:_.de},t=r.mapCommonStringsToReactFormat(n.strings),i={...t,HEADER_BUTTON__AGENT_HANDOFF:"Mit einem Agenten verbinden",MESSAGE_INPUT__PLACE_HOLDER__SUGGESTED_REPLIES:"Wählen Sie eine Option zum Fortfahren",BUTTON__CANCEL:"Abbrechen",BUTTON__SUBMIT:"Absenden",SUBMITTED:"Gesendet",TRY_AGAIN:"Bitte versuche es erneut.",FILE_UPLOAD_NOTIFICATION__COUNT_LIMIT:"Du kannst nicht mehr als ein Bild hochladen.",FILE_UPLOAD_NOTIFICATION__SIZE_LIMIT:"Die maximale Dateigröße beträgt %d MB.",FILE_VIEWER__UNSUPPORT:"Nicht unterstützte Nachricht",CSAT5_RATING_SCORE_1:"Schrecklich",CSAT5_RATING_SCORE_2:"Schlecht",CSAT5_RATING_SCORE_3:"Okay",CSAT5_RATING_SCORE_4:"Gut",CSAT5_RATING_SCORE_5:"Großartig",FORM_UNAVAILABLE:"Das Formular ist nicht mehr verfügbar.",FORM_NOT_SUPPORTED:"Dieses Formular wird in der aktuellen Version nicht unterstützt.",FORM_VALIDATION_MIN_LENGTH:e=>`Mindestens ${e} Zeichen erforderlich`,FORM_VALIDATION_MAX_LENGTH:e=>`Maximal ${e} Zeichen erlaubt`,FORM_VALIDATION_MIN:e=>`Mindestwert ist ${e}`,FORM_VALIDATION_MAX:e=>`Maximalwert ist ${e}`,FORM_VALIDATION_MIN_SELECT:e=>`Wähle mindestens ${e} Optionen`,FORM_VALIDATION_MAX_SELECT:e=>`Wähle höchstens ${e} Optionen`,FORM_VALIDATION_REGEX_FAILED:"Ungültiges Format",DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE:t.DATE_FORMAT__DATE_SHORT,DATE_FORMAT__CONVERSATION_LIST__LIST_ITEM_TITLE_CAPTION:"HH:mm",CONVERSATION_LIST__TOPICS_FALLBACK:"Keine Kategorie",CONVERSATION_CLOSED_FOOTER_LABEL:"Deine Unterhaltung wurde beendet",START_NEW_CONVERSATION:"💬 Neue Unterhaltung starten",RETURN_TO_CONVERSATION:"💬 Zurück zur Unterhaltung",BUTTON__SAVE:"Speichern",BUTTON__OK:"OK",NO_NAME:"(Kein Name)",CHANNEL_FROZEN:"Kanal eingefroren"},s={language:n.language,dateLocale:n.dateLocale,stringSet:i};exports.default=s;